diff --git a/.bzrignore b/.bzrignore index 6b7b989a6..272c37e88 100644 --- a/.bzrignore +++ b/.bzrignore @@ -40,3 +40,6 @@ __pycache__ # Rejected diff's *.rej *.~\?~ +.coverage +cover +*.kdev4 diff --git a/openlp/.version b/openlp/.version index eca07e4c1..ac2cdeba0 100644 --- a/openlp/.version +++ b/openlp/.version @@ -1 +1 @@ -2.1.2 +2.1.3 diff --git a/openlp/core/__init__.py b/openlp/core/__init__.py index a4a9d488e..fa6f59a4d 100644 --- a/openlp/core/__init__.py +++ b/openlp/core/__init__.py @@ -250,7 +250,7 @@ class OpenLP(OpenLPMixin, QtGui.QApplication): def event(self, event): """ - Enables direct file opening on OS X + Enables platform specific event handling i.e. direct file opening on OS X :param event: The event """ @@ -259,8 +259,19 @@ class OpenLP(OpenLPMixin, QtGui.QApplication): log.debug('Got open file event for %s!', file_name) self.args.insert(0, file_name) return True - else: - return QtGui.QApplication.event(self, event) + # Mac OS X should restore app window when user clicked on the OpenLP icon + # in the Dock bar. However, OpenLP consists of multiple windows and this + # does not work. This workaround fixes that. + # The main OpenLP window is restored when it was previously minimized. + elif event.type() == QtCore.QEvent.ApplicationActivate: + if is_macosx() and hasattr(self, 'main_window'): + if self.main_window.isMinimized(): + # Copied from QWidget.setWindowState() docs on how to restore and activate a minimized window + # while preserving its maximized and/or full-screen state. + self.main_window.setWindowState(self.main_window.windowState() & ~QtCore.Qt.WindowMinimized | + QtCore.Qt.WindowActive) + return True + return QtGui.QApplication.event(self, event) def parse_options(args): diff --git a/openlp/core/common/__init__.py b/openlp/core/common/__init__.py index 0ae62e0a4..ccb982206 100644 --- a/openlp/core/common/__init__.py +++ b/openlp/core/common/__init__.py @@ -66,8 +66,9 @@ def check_directory_exists(directory, do_not_log=False): try: if not os.path.exists(directory): os.makedirs(directory) - except IOError: - pass + except IOError as e: + if not do_not_log: + log.exception('failed to check if directory exists or create directory') def get_frozen_path(frozen_option, non_frozen_option): diff --git a/openlp/core/common/historycombobox.py b/openlp/core/common/historycombobox.py index 862a67a25..cc5e40649 100644 --- a/openlp/core/common/historycombobox.py +++ b/openlp/core/common/historycombobox.py @@ -20,7 +20,7 @@ # Temple Place, Suite 330, Boston, MA 02111-1307 USA # ############################################################################### """ -The :mod:`~openlp.core.lib.historycombobox` module contains the HistoryComboBox widget +The :mod:`~openlp.core.common.historycombobox` module contains the HistoryComboBox widget """ from PyQt4 import QtCore, QtGui @@ -28,9 +28,9 @@ from PyQt4 import QtCore, QtGui class HistoryComboBox(QtGui.QComboBox): """ - The :class:`~openlp.core.lib.historycombobox.HistoryComboBox` widget emulates the QLineEdit ``returnPressed`` signal - for when the :kbd:`Enter` or :kbd:`Return` keys are pressed, and saves anything that is typed into the edit box into - its list. + The :class:`~openlp.core.common.historycombobox.HistoryComboBox` widget emulates the QLineEdit ``returnPressed`` + signal for when the :kbd:`Enter` or :kbd:`Return` keys are pressed, and saves anything that is typed into the edit + box into its list. """ returnPressed = QtCore.pyqtSignal() diff --git a/openlp/core/common/settings.py b/openlp/core/common/settings.py index f30aeb0ee..0a5e92b48 100644 --- a/openlp/core/common/settings.py +++ b/openlp/core/common/settings.py @@ -25,7 +25,6 @@ This class contains the core default settings. import datetime import logging import os -import sys from PyQt4 import QtCore, QtGui @@ -45,6 +44,21 @@ if is_linux(): X11_BYPASS_DEFAULT = False +def recent_files_conv(value): + """ + If the value is not a list convert it to a list + :param value: Value to convert + :return: value as a List + """ + if isinstance(value, list): + return value + elif isinstance(value, str): + return [value] + elif isinstance(value, bytes): + return [value.decode()] + return [] + + class Settings(QtCore.QSettings): """ Class to wrap QSettings. @@ -66,10 +80,9 @@ class Settings(QtCore.QSettings): The first entry is the *old key*; it will be removed. The second entry is the *new key*; we will add it to the config. If this is just an empty string, we just remove - the old key. - - The last entry is a list containing two-pair tuples. If the list is empty, no conversion is made. Otherwise each - pair describes how to convert the old setting's value:: + the old key. The last entry is a list containing two-pair tuples. If the list is empty, no conversion is made. + If the first value is callable i.e. a function, the function will be called with the old setting's value. + Otherwise each pair describes how to convert the old setting's value:: (SlideLimits.Wrap, True) @@ -216,7 +229,8 @@ class Settings(QtCore.QSettings): 'shortcuts/moveDown': [QtGui.QKeySequence(QtCore.Qt.Key_PageDown)], 'shortcuts/nextTrackItem': [], 'shortcuts/nextItem_live': [QtGui.QKeySequence(QtCore.Qt.Key_Down), QtGui.QKeySequence(QtCore.Qt.Key_PageDown)], - 'shortcuts/nextItem_preview': [], + 'shortcuts/nextItem_preview': [QtGui.QKeySequence(QtCore.Qt.Key_Down), + QtGui.QKeySequence(QtCore.Qt.Key_PageDown)], 'shortcuts/nextService': [QtGui.QKeySequence(QtCore.Qt.Key_Right)], 'shortcuts/newService': [], 'shortcuts/offlineHelpItem': [], @@ -230,7 +244,8 @@ class Settings(QtCore.QSettings): 'shortcuts/playSlidesLoop': [], 'shortcuts/playSlidesOnce': [], 'shortcuts/previousService': [QtGui.QKeySequence(QtCore.Qt.Key_Left)], - 'shortcuts/previousItem_preview': [], + 'shortcuts/previousItem_preview': [QtGui.QKeySequence(QtCore.Qt.Key_Up), + QtGui.QKeySequence(QtCore.Qt.Key_PageUp)], 'shortcuts/printServiceItem': [QtGui.QKeySequence('Ctrl+P')], 'shortcuts/songExportItem': [], 'shortcuts/songUsageStatus': [QtGui.QKeySequence(QtCore.Qt.Key_F4)], @@ -292,6 +307,10 @@ class Settings(QtCore.QSettings): 'user interface/preview panel': True, 'user interface/preview splitter geometry': QtCore.QByteArray(), 'projector/db type': 'sqlite', + 'projector/db username': '', + 'projector/db password': '', + 'projector/db hostname': '', + 'projector/db database': '', 'projector/enable': True, 'projector/connect on start': False, 'projector/last directory import': '', @@ -328,7 +347,7 @@ class Settings(QtCore.QSettings): ('general/language', 'core/language', []), ('general/last version test', 'core/last version test', []), ('general/loop delay', 'core/loop delay', []), - ('general/recent files', 'core/recent files', []), + ('general/recent files', 'core/recent files', [(recent_files_conv, None)]), ('general/save prompt', 'core/save prompt', []), ('general/screen blank', 'core/screen blank', []), ('general/show splash', 'core/show splash', []), @@ -353,7 +372,7 @@ class Settings(QtCore.QSettings): :param default_values: A dict with setting keys and their default values. """ - Settings.__default_settings__ = dict(list(default_values.items()) + list(Settings.__default_settings__.items())) + Settings.__default_settings__.update(default_values) @staticmethod def set_filename(ini_file): @@ -410,7 +429,9 @@ class Settings(QtCore.QSettings): for new, old in rules: # If the value matches with the condition (rule), then use the provided value. This is used to # convert values. E. g. an old value 1 results in True, and 0 in False. - if old == old_value: + if callable(new): + old_value = new(old_value) + elif old == old_value: old_value = new break self.setValue(new_key, old_value) diff --git a/openlp/core/common/uistrings.py b/openlp/core/common/uistrings.py index a279bf573..8add1a35c 100644 --- a/openlp/core/common/uistrings.py +++ b/openlp/core/common/uistrings.py @@ -115,11 +115,14 @@ class UiStrings(object): self.PlaySlidesInLoop = translate('OpenLP.Ui', 'Play Slides in Loop') self.PlaySlidesToEnd = translate('OpenLP.Ui', 'Play Slides to End') self.Preview = translate('OpenLP.Ui', 'Preview') + self.PreviewToolbar = translate('OpenLP.Ui', 'Preview Toolbar') self.PrintService = translate('OpenLP.Ui', 'Print Service') self.Projector = translate('OpenLP.Ui', 'Projector', 'Singular') self.Projectors = translate('OpenLP.Ui', 'Projectors', 'Plural') self.ReplaceBG = translate('OpenLP.Ui', 'Replace Background') self.ReplaceLiveBG = translate('OpenLP.Ui', 'Replace live background.') + self.ReplaceLiveBGDisabled = translate('OpenLP.Ui', 'Replace live background is not available on this ' + 'platform in this version of OpenLP.') self.ResetBG = translate('OpenLP.Ui', 'Reset Background') self.ResetLiveBG = translate('OpenLP.Ui', 'Reset live background.') self.Seconds = translate('OpenLP.Ui', 's', 'The abbreviated unit for seconds') diff --git a/openlp/core/lib/__init__.py b/openlp/core/lib/__init__.py index 14b6095af..fe7cef4b2 100644 --- a/openlp/core/lib/__init__.py +++ b/openlp/core/lib/__init__.py @@ -90,7 +90,7 @@ def get_text_file_string(text_file): file_handle = None content = None try: - file_handle = open(text_file, 'r') + file_handle = open(text_file, 'r', encoding='utf-8') if not file_handle.read(3) == '\xEF\xBB\xBF': # no BOM was found file_handle.seek(0) @@ -312,6 +312,7 @@ def create_separated_list(string_list): from .colorbutton import ColorButton +from .exceptions import ValidationError from .filedialog import FileDialog from .screen import ScreenList from .listwidgetwithdnd import ListWidgetWithDnD diff --git a/openlp/core/lib/db.py b/openlp/core/lib/db.py index 77f19737d..7b8b11296 100644 --- a/openlp/core/lib/db.py +++ b/openlp/core/lib/db.py @@ -60,6 +60,35 @@ def init_db(url, auto_flush=True, auto_commit=False, base=None): return session, metadata +def get_db_path(plugin_name, db_file_name=None): + """ + Create a path to a database from the plugin name and database name + + :param plugin_name: Name of plugin + :param db_file_name: File name of database + :return: The path to the database as type str + """ + if db_file_name is None: + return 'sqlite:///%s/%s.sqlite' % (AppLocation.get_section_data_path(plugin_name), plugin_name) + else: + return 'sqlite:///%s/%s' % (AppLocation.get_section_data_path(plugin_name), db_file_name) + + +def handle_db_error(plugin_name, db_file_name): + """ + Log and report to the user that a database cannot be loaded + + :param plugin_name: Name of plugin + :param db_file_name: File name of database + :return: None + """ + db_path = get_db_path(plugin_name, db_file_name) + log.exception('Error loading database: %s', db_path) + critical_error_message_box(translate('OpenLP.Manager', 'Database Error'), + translate('OpenLP.Manager', 'OpenLP cannot load your database.\n\nDatabase: %s') + % db_path) + + def init_url(plugin_name, db_file_name=None): """ Return the database URL. @@ -69,21 +98,14 @@ def init_url(plugin_name, db_file_name=None): """ settings = Settings() settings.beginGroup(plugin_name) - db_url = '' db_type = settings.value('db type') if db_type == 'sqlite': - if db_file_name is None: - db_url = 'sqlite:///%s/%s.sqlite' % (AppLocation.get_section_data_path(plugin_name), plugin_name) - else: - db_url = 'sqlite:///%s/%s' % (AppLocation.get_section_data_path(plugin_name), db_file_name) + db_url = get_db_path(plugin_name, db_file_name) else: db_url = '%s://%s:%s@%s/%s' % (db_type, urlquote(settings.value('db username')), urlquote(settings.value('db password')), urlquote(settings.value('db hostname')), urlquote(settings.value('db database'))) - if db_type == 'mysql': - db_encoding = settings.value('db encoding') - db_url += '?charset=%s' % urlquote(db_encoding) settings.endGroup() return db_url @@ -123,9 +145,13 @@ def upgrade_db(url, upgrade): version_meta = session.query(Metadata).get('version') if version_meta is None: # Tables have just been created - fill the version field with the most recent version - version = upgrade.__version__ + if session.query(Metadata).get('dbversion'): + version = 0 + else: + version = upgrade.__version__ version_meta = Metadata.populate(key='version', value=version) session.add(version_meta) + session.commit() else: version = int(version_meta.value) if version > upgrade.__version__: @@ -212,7 +238,7 @@ class Manager(object): try: db_ver, up_ver = upgrade_db(self.db_url, upgrade_mod) except (SQLAlchemyError, DBAPIError): - log.exception('Error loading database: %s', self.db_url) + handle_db_error(plugin_name, db_file_name) return if db_ver > up_ver: critical_error_message_box( @@ -225,10 +251,7 @@ class Manager(object): try: self.session = init_schema(self.db_url) except (SQLAlchemyError, DBAPIError): - log.exception('Error loading database: %s', self.db_url) - critical_error_message_box(translate('OpenLP.Manager', 'Database Error'), - translate('OpenLP.Manager', 'OpenLP cannot load your database.\n\nDatabase: %s') - % self.db_url) + handle_db_error(plugin_name, db_file_name) def save_object(self, object_instance, commit=True): """ diff --git a/openlp/core/lib/exceptions.py b/openlp/core/lib/exceptions.py new file mode 100644 index 000000000..46c836965 --- /dev/null +++ b/openlp/core/lib/exceptions.py @@ -0,0 +1,32 @@ +# -*- coding: utf-8 -*- +# vim: autoindent shiftwidth=4 expandtab textwidth=120 tabstop=4 softtabstop=4 + +############################################################################### +# OpenLP - Open Source Lyrics Projection # +# --------------------------------------------------------------------------- # +# Copyright (c) 2008-2015 OpenLP Developers # +# --------------------------------------------------------------------------- # +# 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; version 2 of the License. # +# # +# 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., 59 # +# Temple Place, Suite 330, Boston, MA 02111-1307 USA # +############################################################################### +""" +The :mod:`~openlp.core.lib.exceptions` module contains custom exceptions +""" + + +class ValidationError(Exception): + """ + The :class:`~openlp.core.lib.exceptions.ValidationError` exception provides a custom exception for validating + import files. + """ + pass diff --git a/openlp/core/lib/listwidgetwithdnd.py b/openlp/core/lib/listwidgetwithdnd.py index 2d5bcf6f3..4da1cf81e 100644 --- a/openlp/core/lib/listwidgetwithdnd.py +++ b/openlp/core/lib/listwidgetwithdnd.py @@ -95,7 +95,7 @@ class ListWidgetWithDnD(QtGui.QListWidget): event.accept() files = [] for url in event.mimeData().urls(): - local_file = url.toLocalFile() + local_file = os.path.normpath(url.toLocalFile()) if os.path.isfile(local_file): files.append(local_file) elif os.path.isdir(local_file): diff --git a/openlp/core/lib/mediamanageritem.py b/openlp/core/lib/mediamanageritem.py index 155e484ee..2cd30ad53 100644 --- a/openlp/core/lib/mediamanageritem.py +++ b/openlp/core/lib/mediamanageritem.py @@ -345,7 +345,7 @@ class MediaManagerItem(QtGui.QWidget, RegistryProperties): def dnd_move_internal(self, target): """ Handle internal moving of media manager items -s + :param target: The target of the DnD action """ pass @@ -460,7 +460,8 @@ s """ if Settings().value('advanced/double click live'): self.on_live_click() - else: + elif not Settings().value('advanced/single click preview'): + # NOTE: The above check is necessary to prevent bug #1419300 self.on_preview_click() def on_selection_change(self): diff --git a/openlp/core/lib/projector/constants.py b/openlp/core/lib/projector/constants.py index db2b66878..b7f8afe99 100644 --- a/openlp/core/lib/projector/constants.py +++ b/openlp/core/lib/projector/constants.py @@ -271,8 +271,8 @@ ERROR_MSG = {E_OK: translate('OpenLP.ProjectorConstants', 'OK'), # E_OK | S_OK E_PROXY_NOT_FOUND: translate('OpenLP.ProjectorConstants', 'The proxy address set with setProxy() was not found'), E_PROXY_PROTOCOL: translate('OpenLP.ProjectorConstants', - 'The connection negotiation with the proxy server because the response ' - 'from the proxy server could not be understood'), + 'The connection negotiation with the proxy server failed because the ' + 'response from the proxy server could not be understood'), E_UNKNOWN_SOCKET_ERROR: translate('OpenLP.ProjectorConstants', 'An unidentified error occurred'), S_NOT_CONNECTED: translate('OpenLP.ProjectorConstants', 'Not connected'), S_CONNECTING: translate('OpenLP.ProjectorConstants', 'Connecting'), diff --git a/openlp/core/lib/settingstab.py b/openlp/core/lib/settingstab.py index 4874d98b7..5b33b2f51 100644 --- a/openlp/core/lib/settingstab.py +++ b/openlp/core/lib/settingstab.py @@ -51,6 +51,12 @@ class SettingsTab(QtGui.QWidget, RegistryProperties): self.tab_visited = False if icon_path: self.icon_path = icon_path + self._setup() + + def _setup(self): + """ + Run some initial setup. This method is separate from __init__ in order to mock it out in tests. + """ self.setupUi() self.retranslateUi() self.initialise() diff --git a/openlp/core/ui/aboutdialog.py b/openlp/core/ui/aboutdialog.py index 6cc9771d3..4043d6352 100644 --- a/openlp/core/ui/aboutdialog.py +++ b/openlp/core/ui/aboutdialog.py @@ -144,7 +144,7 @@ class UiAboutDialog(object): 'id': ['Mico "bangmico" Siahaan', ' ign_christian'], 'ja': ['Kunio "Kunio" Nakamaru', 'Chris Haris'], 'nb': ['Atle "pendlaren" Weibell', 'Frode "frodus" Woldsund'], - 'nl': ['Arjen "typovar" van Voorst'], + 'nl': ['Arjan Schrijver', 'Arjen "typovar" van Voorst'], 'pl': ['Agata \u017B\u0105d\u0142o', 'Piotr Karze\u0142ek'], 'pt_BR': ['David Mederiros', 'Rafael "rafaellerm" Lerm', 'Eduardo Levi Chaves', 'Gustavo Bim', 'Rog\xeanio Bel\xe9m', 'Simon "samscudder" Scudder', 'Van Der Fran'], diff --git a/openlp/core/ui/filerenameform.py b/openlp/core/ui/filerenameform.py index 9d382ec3d..7446cdf9e 100644 --- a/openlp/core/ui/filerenameform.py +++ b/openlp/core/ui/filerenameform.py @@ -39,6 +39,12 @@ class FileRenameForm(QtGui.QDialog, Ui_FileRenameDialog, RegistryProperties): Constructor """ super(FileRenameForm, self).__init__(Registry().get('main_window')) + self._setup() + + def _setup(self): + """ + Set up the class. This method is mocked out by the tests. + """ self.setupUi(self) def exec_(self, copy=False): diff --git a/openlp/core/ui/firsttimeform.py b/openlp/core/ui/firsttimeform.py index 8e5ab219f..22218f983 100644 --- a/openlp/core/ui/firsttimeform.py +++ b/openlp/core/ui/firsttimeform.py @@ -22,8 +22,10 @@ """ This module contains the first time wizard. """ +import hashlib import logging import os +import socket import time import urllib.request import urllib.parse @@ -47,10 +49,10 @@ class ThemeScreenshotWorker(QtCore.QObject): """ This thread downloads a theme's screenshot """ - screenshot_downloaded = QtCore.pyqtSignal(str, str) + screenshot_downloaded = QtCore.pyqtSignal(str, str, str) finished = QtCore.pyqtSignal() - def __init__(self, themes_url, title, filename, screenshot): + def __init__(self, themes_url, title, filename, sha256, screenshot): """ Set up the worker object """ @@ -58,7 +60,9 @@ class ThemeScreenshotWorker(QtCore.QObject): self.themes_url = themes_url self.title = title self.filename = filename + self.sha256 = sha256 self.screenshot = screenshot + socket.setdefaulttimeout(CONNECTION_TIMEOUT) super(ThemeScreenshotWorker, self).__init__() def run(self): @@ -71,7 +75,7 @@ class ThemeScreenshotWorker(QtCore.QObject): urllib.request.urlretrieve('%s%s' % (self.themes_url, self.screenshot), os.path.join(gettempdir(), 'openlp', self.screenshot)) # Signal that the screenshot has been downloaded - self.screenshot_downloaded.emit(self.title, self.filename) + self.screenshot_downloaded.emit(self.title, self.filename, self.sha256) except: log.exception('Unable to download screenshot') finally: @@ -221,8 +225,9 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): self.application.process_events() title = self.config.get('songs_%s' % song, 'title') filename = self.config.get('songs_%s' % song, 'filename') + sha256 = self.config.get('songs_%s' % song, 'sha256', fallback='') item = QtGui.QListWidgetItem(title, self.songs_list_widget) - item.setData(QtCore.Qt.UserRole, filename) + item.setData(QtCore.Qt.UserRole, (filename, sha256)) item.setCheckState(QtCore.Qt.Unchecked) item.setFlags(item.flags() | QtCore.Qt.ItemIsUserCheckable) bible_languages = self.config.get('bibles', 'languages') @@ -237,8 +242,9 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): self.application.process_events() title = self.config.get('bible_%s' % bible, 'title') filename = self.config.get('bible_%s' % bible, 'filename') + sha256 = self.config.get('bible_%s' % bible, 'sha256', fallback='') item = QtGui.QTreeWidgetItem(lang_item, [title]) - item.setData(0, QtCore.Qt.UserRole, filename) + item.setData(0, QtCore.Qt.UserRole, (filename, sha256)) item.setCheckState(0, QtCore.Qt.Unchecked) item.setFlags(item.flags() | QtCore.Qt.ItemIsUserCheckable) self.bibles_tree_widget.expandAll() @@ -246,11 +252,11 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): # Download the theme screenshots themes = self.config.get('themes', 'files').split(',') for theme in themes: - self.application.process_events() title = self.config.get('theme_%s' % theme, 'title') filename = self.config.get('theme_%s' % theme, 'filename') + sha256 = self.config.get('theme_%s' % theme, 'sha256', fallback='') screenshot = self.config.get('theme_%s' % theme, 'screenshot') - worker = ThemeScreenshotWorker(self.themes_url, title, filename, screenshot) + worker = ThemeScreenshotWorker(self.themes_url, title, filename, sha256, screenshot) self.theme_screenshot_workers.append(worker) worker.screenshot_downloaded.connect(self.on_screenshot_downloaded) thread = QtCore.QThread(self) @@ -259,6 +265,7 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): worker.finished.connect(thread.quit) worker.moveToThread(thread) thread.start() + self.application.process_events() def set_defaults(self): """ @@ -356,7 +363,7 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): time.sleep(0.1) self.application.set_normal_cursor() - def on_screenshot_downloaded(self, title, filename): + def on_screenshot_downloaded(self, title, filename, sha256): """ Add an item to the list when a theme has been downloaded @@ -364,7 +371,7 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): :param filename: The filename of the theme """ item = QtGui.QListWidgetItem(title, self.themes_list_widget) - item.setData(QtCore.Qt.UserRole, filename) + item.setData(QtCore.Qt.UserRole, (filename, sha256)) item.setCheckState(QtCore.Qt.Unchecked) item.setFlags(item.flags() | QtCore.Qt.ItemIsUserCheckable) @@ -385,7 +392,7 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): self.was_cancelled = True self.close() - def url_get_file(self, url, f_path): + def url_get_file(self, url, f_path, sha256=None): """" Download a file given a URL. The file is retrieved in chunks, giving the ability to cancel the download at any point. Returns False on download error. @@ -398,18 +405,26 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): retries = 0 while True: try: - url_file = urllib.request.urlopen(url, timeout=CONNECTION_TIMEOUT) filename = open(f_path, "wb") + url_file = urllib.request.urlopen(url, timeout=CONNECTION_TIMEOUT) + if sha256: + hasher = hashlib.sha256() # Download until finished or canceled. while not self.was_cancelled: data = url_file.read(block_size) if not data: break filename.write(data) + if sha256: + hasher.update(data) block_count += 1 self._download_progress(block_count, block_size) filename.close() - except ConnectionError: + if sha256 and hasher.hexdigest() != sha256: + log.error('sha256 sums did not match for file: {}'.format(f_path)) + os.remove(f_path) + return False + except (urllib.error.URLError, socket.timeout) as err: trace_error_handler(log) filename.close() os.remove(f_path) @@ -434,8 +449,8 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): for index, theme in enumerate(themes): screenshot = self.config.get('theme_%s' % theme, 'screenshot') item = self.themes_list_widget.item(index) - # if item: - item.setIcon(build_icon(os.path.join(gettempdir(), 'openlp', screenshot))) + if item: + item.setIcon(build_icon(os.path.join(gettempdir(), 'openlp', screenshot))) def _get_file_size(self, url): """ @@ -449,7 +464,7 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): site = urllib.request.urlopen(url, timeout=CONNECTION_TIMEOUT) meta = site.info() return int(meta.get("Content-Length")) - except ConnectionException: + except urllib.error.URLError: if retries > CONNECTION_RETRIES: raise else: @@ -491,7 +506,7 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): self.application.process_events() item = self.songs_list_widget.item(i) if item.checkState() == QtCore.Qt.Checked: - filename = item.data(QtCore.Qt.UserRole) + filename, sha256 = item.data(QtCore.Qt.UserRole) size = self._get_file_size('%s%s' % (self.songs_url, filename)) self.max_progress += size # Loop through the Bibles list and increase for each selected item @@ -500,7 +515,7 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): self.application.process_events() item = iterator.value() if item.parent() and item.checkState(0) == QtCore.Qt.Checked: - filename = item.data(0, QtCore.Qt.UserRole) + filename, sha256 = item.data(0, QtCore.Qt.UserRole) size = self._get_file_size('%s%s' % (self.bibles_url, filename)) self.max_progress += size iterator += 1 @@ -509,10 +524,10 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): self.application.process_events() item = self.themes_list_widget.item(i) if item.checkState() == QtCore.Qt.Checked: - filename = item.data(QtCore.Qt.UserRole) + filename, sha256 = item.data(QtCore.Qt.UserRole) size = self._get_file_size('%s%s' % (self.themes_url, filename)) self.max_progress += size - except ConnectionError: + except urllib.error.URLError: trace_error_handler(log) critical_error_message_box(translate('OpenLP.FirstTimeWizard', 'Download Error'), translate('OpenLP.FirstTimeWizard', 'There was a connection problem during ' @@ -604,36 +619,52 @@ class FirstTimeForm(QtGui.QWizard, UiFirstTimeWizard, RegistryProperties): songs_destination = os.path.join(gettempdir(), 'openlp') bibles_destination = AppLocation.get_section_data_path('bibles') themes_destination = AppLocation.get_section_data_path('themes') + missed_files = [] # Download songs for i in range(self.songs_list_widget.count()): item = self.songs_list_widget.item(i) if item.checkState() == QtCore.Qt.Checked: - filename = item.data(QtCore.Qt.UserRole) + filename, sha256 = item.data(QtCore.Qt.UserRole) self._increment_progress_bar(self.downloading % filename, 0) self.previous_size = 0 destination = os.path.join(songs_destination, str(filename)) - if not self.url_get_file('%s%s' % (self.songs_url, filename), destination): - return False + if not self.url_get_file('%s%s' % (self.songs_url, filename), destination, sha256): + missed_files.append('Song: {}'.format(filename)) # Download Bibles bibles_iterator = QtGui.QTreeWidgetItemIterator(self.bibles_tree_widget) while bibles_iterator.value(): item = bibles_iterator.value() if item.parent() and item.checkState(0) == QtCore.Qt.Checked: - bible = item.data(0, QtCore.Qt.UserRole) + bible, sha256 = item.data(0, QtCore.Qt.UserRole) self._increment_progress_bar(self.downloading % bible, 0) self.previous_size = 0 - if not self.url_get_file('%s%s' % (self.bibles_url, bible), os.path.join(bibles_destination, bible)): - return False + if not self.url_get_file('%s%s' % (self.bibles_url, bible), os.path.join(bibles_destination, bible), + sha256): + missed_files.append('Bible: {}'.format(bible)) bibles_iterator += 1 # Download themes for i in range(self.themes_list_widget.count()): item = self.themes_list_widget.item(i) if item.checkState() == QtCore.Qt.Checked: - theme = item.data(QtCore.Qt.UserRole) + theme, sha256 = item.data(QtCore.Qt.UserRole) self._increment_progress_bar(self.downloading % theme, 0) self.previous_size = 0 - if not self.url_get_file('%s%s' % (self.themes_url, theme), os.path.join(themes_destination, theme)): - return False + if not self.url_get_file('%s%s' % (self.themes_url, theme), os.path.join(themes_destination, theme), + sha256): + missed_files.append('Theme: {}'.format(theme)) + if missed_files: + file_list = '' + for entry in missed_files: + file_list += '{}
'.format(entry) + msg = QtGui.QMessageBox() + msg.setIcon(QtGui.QMessageBox.Warning) + msg.setWindowTitle(translate('OpenLP.FirstTimeWizard', 'Network Error')) + msg.setText(translate('OpenLP.FirstTimeWizard', 'Unable to download some files')) + msg.setInformativeText(translate('OpenLP.FirstTimeWizard', + 'The following files were not able to be ' + 'downloaded:
{}'.format(file_list))) + msg.setStandardButtons(msg.Ok) + ans = msg.exec_() return True def _set_plugin_status(self, field, tag): diff --git a/openlp/core/ui/formattingtagcontroller.py b/openlp/core/ui/formattingtagcontroller.py index 9d490f0c8..f2fca420a 100644 --- a/openlp/core/ui/formattingtagcontroller.py +++ b/openlp/core/ui/formattingtagcontroller.py @@ -146,7 +146,7 @@ class FormattingTagController(object): end = self.start_html_to_end_html(start_html) if not end_html: if not end: - return translate('OpenLP.FormattingTagForm', 'Start tag %s is not valid HTML' % start_html), None + return translate('OpenLP.FormattingTagForm', 'Start tag %s is not valid HTML') % start_html, None return None, end return None, None @@ -166,5 +166,5 @@ class FormattingTagController(object): return None, end if end and end != end_html: return translate('OpenLP.FormattingTagForm', - 'End tag %s does not match end tag for start tag %s' % (end, start_html)), None + 'End tag %s does not match end tag for start tag %s') % (end, start_html), None return None, None diff --git a/openlp/core/ui/maindisplay.py b/openlp/core/ui/maindisplay.py index 7085626ef..68d5d6d3d 100644 --- a/openlp/core/ui/maindisplay.py +++ b/openlp/core/ui/maindisplay.py @@ -29,7 +29,7 @@ Some of the code for this form is based on the examples at: """ -import cgi +import html import logging from PyQt4 import QtCore, QtGui, QtWebKit, QtOpenGL @@ -273,7 +273,7 @@ class MainDisplay(OpenLPMixin, Display, RegistryProperties): """ # First we convert <>& marks to html variants, then apply # formattingtags, finally we double all backslashes for JavaScript. - text_prepared = expand_tags(cgi.escape(text)).replace('\\', '\\\\').replace('\"', '\\\"') + text_prepared = expand_tags(html.escape(text)).replace('\\', '\\\\').replace('\"', '\\\"') if self.height() != self.screen['size'].height() or not self.isVisible(): shrink = True js = 'show_alert("%s", "%s")' % (text_prepared, 'top') diff --git a/openlp/core/ui/mainwindow.py b/openlp/core/ui/mainwindow.py index 2feab127e..34cbad495 100644 --- a/openlp/core/ui/mainwindow.py +++ b/openlp/core/ui/mainwindow.py @@ -989,15 +989,21 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow, RegistryProperties): # Read the temp file and output the user's CONF file with blanks to # make it more readable. temp_conf = open(temp_file, 'r') - export_conf = open(export_file_name, 'w') - for file_record in temp_conf: - # Get rid of any invalid entries. - if file_record.find('@Invalid()') == -1: - file_record = file_record.replace('%20', ' ') - export_conf.write(file_record) - temp_conf.close() - export_conf.close() - os.remove(temp_file) + try: + export_conf = open(export_file_name, 'w') + for file_record in temp_conf: + # Get rid of any invalid entries. + if file_record.find('@Invalid()') == -1: + file_record = file_record.replace('%20', ' ') + export_conf.write(file_record) + temp_conf.close() + export_conf.close() + os.remove(temp_file) + except OSError as ose: + QtGui.QMessageBox.critical(self, translate('OpenLP.MainWindow', 'Export setting error'), + translate('OpenLP.MainWindow', 'An error occurred while exporting the ' + 'settings: %s') % ose.strerror, + QtGui.QMessageBox.StandardButtons(QtGui.QMessageBox.Ok)) def on_mode_default_item_clicked(self): """ @@ -1311,6 +1317,8 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow, RegistryProperties): filename = filename[0].upper() + filename[1:] if filename in self.recent_files: self.recent_files.remove(filename) + if not isinstance(self.recent_files, list): + self.recent_files = [self.recent_files] self.recent_files.insert(0, filename) while len(self.recent_files) > max_recent_files: self.recent_files.pop() diff --git a/openlp/core/ui/media/mediacontroller.py b/openlp/core/ui/media/mediacontroller.py index 4406d54d1..158c44e71 100644 --- a/openlp/core/ui/media/mediacontroller.py +++ b/openlp/core/ui/media/mediacontroller.py @@ -517,9 +517,14 @@ class MediaController(RegistryMixin, OpenLPMixin, RegistryProperties): used_players = get_media_players()[0] if service_item.processor != UiStrings().Automatic: used_players = [service_item.processor.lower()] + # If no player, we can't play + if not used_players: + return False if controller.media_info.file_info.isFile(): suffix = '*.%s' % controller.media_info.file_info.suffix().lower() for title in used_players: + if not title: + continue player = self.media_players[title] if suffix in player.video_extensions_list: if not controller.media_info.is_background or controller.media_info.is_background and \ @@ -586,7 +591,7 @@ class MediaController(RegistryMixin, OpenLPMixin, RegistryProperties): else: controller.mediabar.actions['playbackPlay'].setVisible(False) controller.mediabar.actions['playbackPause'].setVisible(True) - controller.mediabar.actions['playbackStop'].setVisible(True) + controller.mediabar.actions['playbackStop'].setDisabled(False) if controller.is_live: if controller.hide_menu.defaultAction().isChecked() and not controller.media_info.is_background: controller.hide_menu.defaultAction().trigger() @@ -616,7 +621,7 @@ class MediaController(RegistryMixin, OpenLPMixin, RegistryProperties): display = self._define_display(controller) self.current_media_players[controller.controller_type].pause(display) controller.mediabar.actions['playbackPlay'].setVisible(True) - controller.mediabar.actions['playbackStop'].setVisible(True) + controller.mediabar.actions['playbackStop'].setDisabled(False) controller.mediabar.actions['playbackPause'].setVisible(False) def media_stop_msg(self, msg): @@ -642,7 +647,7 @@ class MediaController(RegistryMixin, OpenLPMixin, RegistryProperties): self.current_media_players[controller.controller_type].set_visible(display, False) controller.seek_slider.setSliderPosition(0) controller.mediabar.actions['playbackPlay'].setVisible(True) - controller.mediabar.actions['playbackStop'].setVisible(False) + controller.mediabar.actions['playbackStop'].setDisabled(True) controller.mediabar.actions['playbackPause'].setVisible(False) def media_volume_msg(self, msg): diff --git a/openlp/core/ui/media/vlcplayer.py b/openlp/core/ui/media/vlcplayer.py index 46057fcf9..8c2359faf 100644 --- a/openlp/core/ui/media/vlcplayer.py +++ b/openlp/core/ui/media/vlcplayer.py @@ -27,71 +27,87 @@ from distutils.version import LooseVersion import logging import os import threading +import sys from PyQt4 import QtGui -from openlp.core.common import Settings, is_win, is_macosx +from openlp.core.common import Settings, is_win, is_macosx, is_linux from openlp.core.lib import translate from openlp.core.ui.media import MediaState, MediaType from openlp.core.ui.media.mediaplayer import MediaPlayer log = logging.getLogger(__name__) -VLC_AVAILABLE = False -try: - from openlp.core.ui.media.vendor import vlc - VLC_AVAILABLE = bool(vlc.get_default_instance()) -except (ImportError, NameError, NotImplementedError): - pass -except OSError as e: - if is_win(): - if not isinstance(e, WindowsError) and e.winerror != 126: - raise - elif is_macosx(): - pass - else: - raise +# Audio and video extensions copied from 'include/vlc_interface.h' from vlc 2.2.0 source +AUDIO_EXT = ['*.3ga', '*.669', '*.a52', '*.aac', '*.ac3', '*.adt', '*.adts', '*.aif', '*.aifc', '*.aiff', '*.amr', + '*.aob', '*.ape', '*.awb', '*.caf', '*.dts', '*.flac', '*.it', '*.kar', '*.m4a', '*.m4b', '*.m4p', '*.m5p', + '*.mid', '*.mka', '*.mlp', '*.mod', '*.mpa', '*.mp1', '*.mp2', '*.mp3', '*.mpc', '*.mpga', '*.mus', + '*.oga', '*.ogg', '*.oma', '*.opus', '*.qcp', '*.ra', '*.rmi', '*.s3m', '*.sid', '*.spx', '*.thd', '*.tta', + '*.voc', '*.vqf', '*.w64', '*.wav', '*.wma', '*.wv', '*.xa', '*.xm'] -if VLC_AVAILABLE: +VIDEO_EXT = ['*.3g2', '*.3gp', '*.3gp2', '*.3gpp', '*.amv', '*.asf', '*.avi', '*.bik', '*.divx', '*.drc', '*.dv', + '*.f4v', '*.flv', '*.gvi', '*.gxf', '*.iso', '*.m1v', '*.m2v', '*.m2t', '*.m2ts', '*.m4v', '*.mkv', + '*.mov', '*.mp2', '*.mp2v', '*.mp4', '*.mp4v', '*.mpe', '*.mpeg', '*.mpeg1', '*.mpeg2', '*.mpeg4', '*.mpg', + '*.mpv2', '*.mts', '*.mtv', '*.mxf', '*.mxg', '*.nsv', '*.nuv', '*.ogg', '*.ogm', '*.ogv', '*.ogx', '*.ps', + '*.rec', '*.rm', '*.rmvb', '*.rpl', '*.thp', '*.tod', '*.ts', '*.tts', '*.txd', '*.vob', '*.vro', '*.webm', + '*.wm', '*.wmv', '*.wtv', '*.xesc', + # These extensions was not in the official list, added manually. + '*.nut', '*.rv', '*.xvid'] + + +def get_vlc(): + """ + In order to make this module more testable, we have to wrap the VLC import inside a method. We do this so that we + can mock out the VLC module entirely. + + :return: The "vlc" module, or None + """ + if 'openlp.core.ui.media.vendor.vlc' in sys.modules: + # If VLC has already been imported, no need to do all the stuff below again + return sys.modules['openlp.core.ui.media.vendor.vlc'] + + is_vlc_available = False try: - VERSION = vlc.libvlc_get_version().decode('UTF-8') - except: - VERSION = '0.0.0' - # LooseVersion does not work when a string contains letter and digits (e. g. 2.0.5 Twoflower). - # http://bugs.python.org/issue14894 - if LooseVersion(VERSION.split()[0]) < LooseVersion('1.1.0'): - VLC_AVAILABLE = False - log.debug('VLC could not be loaded, because the vlc version is too old: %s' % VERSION) + if is_macosx(): + # Newer versions of VLC on OS X need this. See https://forum.videolan.org/viewtopic.php?t=124521 + os.environ['VLC_PLUGIN_PATH'] = '/Applications/VLC.app/Contents/MacOS/plugins' + from openlp.core.ui.media.vendor import vlc -AUDIO_EXT = ['*.mp3', '*.wav', '*.wma', '*.ogg'] + is_vlc_available = bool(vlc.get_default_instance()) + except (ImportError, NameError, NotImplementedError): + pass + except OSError as e: + if is_win(): + if not isinstance(e, WindowsError) and e.winerror != 126: + raise + elif is_macosx(): + pass + else: + raise -VIDEO_EXT = [ - '*.3gp', - '*.asf', '*.wmv', - '*.au', - '*.avi', - '*.divx', - '*.flv', - '*.mov', - '*.mp4', '*.m4v', - '*.ogm', '*.ogv', - '*.mkv', '*.mka', - '*.ts', '*.mpg', - '*.mpg', '*.mp2', - '*.nsc', - '*.nsv', - '*.nut', - '*.ra', '*.ram', '*.rm', '*.rv', '*.rmbv', - '*.a52', '*.dts', '*.aac', '*.flac', '*.dv', '*.vid', - '*.tta', '*.tac', - '*.ty', - '*.dts', - '*.xa', - '*.iso', - '*.vob', - '*.webm', - '*.xvid' -] + if is_vlc_available: + try: + VERSION = vlc.libvlc_get_version().decode('UTF-8') + except: + VERSION = '0.0.0' + # LooseVersion does not work when a string contains letter and digits (e. g. 2.0.5 Twoflower). + # http://bugs.python.org/issue14894 + if LooseVersion(VERSION.split()[0]) < LooseVersion('1.1.0'): + is_vlc_available = False + log.debug('VLC could not be loaded, because the vlc version is too old: %s' % VERSION) + # On linux we need to initialise X threads, but not when running tests. + if is_vlc_available and is_linux() and 'nose' not in sys.argv[0]: + import ctypes + try: + x11 = ctypes.cdll.LoadLibrary('libX11.so') + x11.XInitThreads() + except: + log.exception('Failed to run XInitThreads(), VLC might not work properly!') + + if is_vlc_available: + return vlc + else: + return None class VlcPlayer(MediaPlayer): @@ -115,6 +131,7 @@ class VlcPlayer(MediaPlayer): """ Set up the media player """ + vlc = get_vlc() display.vlc_widget = QtGui.QFrame(display) display.vlc_widget.setFrameStyle(QtGui.QFrame.NoFrame) # creating a basic vlc instance @@ -142,7 +159,7 @@ class VlcPlayer(MediaPlayer): # framework and not the old Carbon. display.vlc_media_player.set_nsobject(win_id) else: - # for Linux using the X Server + # for Linux/*BSD using the X Server display.vlc_media_player.set_xwindow(win_id) self.has_own_widget = True @@ -150,12 +167,13 @@ class VlcPlayer(MediaPlayer): """ Return the availability of VLC """ - return VLC_AVAILABLE + return get_vlc() is not None def load(self, display): """ Load a video into VLC """ + vlc = get_vlc() log.debug('load vid in Vlc Controller') controller = display.controller volume = controller.media_info.volume @@ -195,6 +213,7 @@ class VlcPlayer(MediaPlayer): Wait for the video to change its state Wait no longer than 60 seconds. (loading an iso file needs a long time) """ + vlc = get_vlc() start = datetime.now() while not media_state == display.vlc_media.get_state(): if display.vlc_media.get_state() == vlc.State.Error: @@ -214,6 +233,7 @@ class VlcPlayer(MediaPlayer): """ Play the current item """ + vlc = get_vlc() controller = display.controller start_time = 0 log.debug('vlc play') @@ -259,6 +279,7 @@ class VlcPlayer(MediaPlayer): """ Pause the current item """ + vlc = get_vlc() if display.vlc_media.get_state() != vlc.State.Playing: return display.vlc_media_player.pause() @@ -308,6 +329,7 @@ class VlcPlayer(MediaPlayer): """ Update the UI """ + vlc = get_vlc() # Stop video if playback is finished. if display.vlc_media.get_state() == vlc.State.Ended: self.stop(display) diff --git a/openlp/core/ui/media/webkitplayer.py b/openlp/core/ui/media/webkitplayer.py index 338a1eae5..bff9cf940 100644 --- a/openlp/core/ui/media/webkitplayer.py +++ b/openlp/core/ui/media/webkitplayer.py @@ -375,7 +375,7 @@ class WebkitPlayer(MediaPlayer): # check if conversion was ok and value is not 'NaN' if length and length != float('inf'): length = int(length * 1000) - if current_time: + if current_time and length: controller.media_info.length = length controller.seek_slider.setMaximum(length) if not controller.seek_slider.isSliderDown(): diff --git a/openlp/core/ui/printserviceform.py b/openlp/core/ui/printserviceform.py index f74738947..05e60b911 100644 --- a/openlp/core/ui/printserviceform.py +++ b/openlp/core/ui/printserviceform.py @@ -193,13 +193,15 @@ class PrintServiceForm(QtGui.QDialog, Ui_PrintServiceDialog, RegistryProperties) # Add the text of the service item. if item.is_text(): verse_def = None + verse_html = None for slide in item.get_frames(): - if not verse_def or verse_def != slide['verseTag']: + if not verse_def or verse_def != slide['verseTag'] or verse_html == slide['html']: text_div = self._add_element('div', parent=div, classId='itemText') else: self._add_element('br', parent=text_div) self._add_element('span', slide['html'], text_div) verse_def = slide['verseTag'] + verse_html = slide['html'] # Break the page before the div element. if index != 0 and self.page_break_after_text.isChecked(): div.set('class', 'item newPage') diff --git a/openlp/core/ui/projector/manager.py b/openlp/core/ui/projector/manager.py index 6131f4681..e986ee729 100644 --- a/openlp/core/ui/projector/manager.py +++ b/openlp/core/ui/projector/manager.py @@ -114,15 +114,15 @@ class Ui_ProjectorManager(object): text=translate('OpenLP.ProjectorManager', 'Connect to selected projector'), icon=':/projector/projector_connect.png', - tootip=translate('OpenLP.ProjectorManager', - 'Connect to selected projector'), + tooltip=translate('OpenLP.ProjectorManager', + 'Connect to selected projector'), triggers=self.on_connect_projector) self.one_toolbar.add_toolbar_action('connect_projector_multiple', text=translate('OpenLP.ProjectorManager', 'Connect to selected projectors'), icon=':/projector/projector_connect_tiled.png', - tootip=translate('OpenLP.ProjectorManager', - 'Connect to selected projector'), + tooltip=translate('OpenLP.ProjectorManager', + 'Connect to selected projector'), triggers=self.on_connect_projector) self.one_toolbar.add_toolbar_action('disconnect_projector', text=translate('OpenLP.ProjectorManager', @@ -181,15 +181,15 @@ class Ui_ProjectorManager(object): 'Blank selected projector screen'), triggers=self.on_blank_projector) self.one_toolbar.add_toolbar_action('show_projector', - ext=translate('OpenLP.ProjectorManager', - 'Show selected projector screen'), + text=translate('OpenLP.ProjectorManager', + 'Show selected projector screen'), icon=':/projector/projector_show.png', tooltip=translate('OpenLP.ProjectorManager', 'Show selected projector screen'), triggers=self.on_show_projector) self.one_toolbar.add_toolbar_action('show_projector_multiple', - ext=translate('OpenLP.ProjectorManager', - 'Show selected projector screen'), + text=translate('OpenLP.ProjectorManager', + 'Show selected projector screen'), icon=':/projector/projector_show_tiled.png', tooltip=translate('OpenLP.ProjectorManager', 'Show selected projector screen'), diff --git a/openlp/core/ui/servicemanager.py b/openlp/core/ui/servicemanager.py index 8bdf9c383..dbb7cb0f3 100644 --- a/openlp/core/ui/servicemanager.py +++ b/openlp/core/ui/servicemanager.py @@ -533,7 +533,7 @@ class ServiceManager(OpenLPMixin, RegistryMixin, QtGui.QWidget, Ui_ServiceManage self.application.set_normal_cursor() title = translate('OpenLP.ServiceManager', 'Service File(s) Missing') message = translate('OpenLP.ServiceManager', - 'The following file(s) in the service are missing:\n\t%s\n\n' + 'The following file(s) in the service are missing: %s\n\n' 'These files will be removed if you continue to save.') % "\n\t".join(missing_list) answer = QtGui.QMessageBox.critical(self, title, message, QtGui.QMessageBox.StandardButtons(QtGui.QMessageBox.Ok | @@ -601,6 +601,12 @@ class ServiceManager(OpenLPMixin, RegistryMixin, QtGui.QWidget, Ui_ServiceManage shutil.copy(temp_file_name, path_file_name) except shutil.Error: return self.save_file_as() + except OSError as ose: + QtGui.QMessageBox.critical(self, translate('OpenLP.ServiceManager', 'Error Saving File'), + translate('OpenLP.ServiceManager', 'An error occurred while writing the ' + 'service file: %s') % ose.strerror, + QtGui.QMessageBox.StandardButtons(QtGui.QMessageBox.Ok)) + success = False self.main_window.add_recent_file(path_file_name) self.set_modified(False) delete_file(temp_file_name) diff --git a/openlp/core/ui/slidecontroller.py b/openlp/core/ui/slidecontroller.py index 5696296e8..bc8a4a8f0 100644 --- a/openlp/core/ui/slidecontroller.py +++ b/openlp/core/ui/slidecontroller.py @@ -408,7 +408,7 @@ class SlideController(DisplayController, RegistryProperties): self.set_live_hot_keys(self) self.__add_actions_to_widget(self.controller) else: - self.preview_widget.doubleClicked.connect(self.on_preview_add_to_service) + self.preview_widget.doubleClicked.connect(self.on_preview_double_click) self.toolbar.set_widget_visible(['editSong'], False) self.controller.addActions([self.next_item, self.previous_item]) Registry().register_function('slidecontroller_%s_stop_loop' % self.type_prefix, self.on_stop_loop) @@ -717,8 +717,8 @@ class SlideController(DisplayController, RegistryProperties): self.play_slides_loop.setChecked(False) self.play_slides_loop.setIcon(build_icon(':/media/media_time.png')) if item.is_text(): - if (Settings().value(self.main_window.songs_settings_section + '/display songbar') - and not self.song_menu.menu().isEmpty()): + if (Settings().value(self.main_window.songs_settings_section + '/display songbar') and + not self.song_menu.menu().isEmpty()): self.toolbar.set_widget_visible(['song_menu'], True) if item.is_capable(ItemCapabilities.CanLoop) and len(item.get_frames()) > 1: self.toolbar.set_widget_visible(LOOP_LIST) @@ -824,6 +824,8 @@ class SlideController(DisplayController, RegistryProperties): """ self.on_stop_loop() old_item = self.service_item + # rest to allow the remote pick up verse 1 if large imaged + self.selected_row = 0 # take a copy not a link to the servicemanager copy. self.service_item = copy.copy(service_item) if old_item and self.is_live and old_item.is_capable(ItemCapabilities.ProvidesOwnDisplay): @@ -1069,8 +1071,13 @@ class SlideController(DisplayController, RegistryProperties): :param start: """ # Only one thread should be in here at the time. If already locked just skip, since the update will be - # done by the thread holding the lock. If it is a "start" slide, we must wait for the lock. - if not self.slide_selected_lock.acquire(start): + # done by the thread holding the lock. If it is a "start" slide, we must wait for the lock, but only for 0.2 + # seconds, since we don't want to cause a deadlock + timeout = 0.2 if start else -1 + if not self.slide_selected_lock.acquire(start, timeout): + if start: + self.log_debug('Could not get lock in slide_selected after waiting %f, skip to avoid deadlock.' + % timeout) return row = self.preview_widget.current_slide_number() self.selected_row = 0 @@ -1309,18 +1316,21 @@ class SlideController(DisplayController, RegistryProperties): if self.service_item: self.service_manager.add_service_item(self.service_item) - def on_go_live_click(self, field=None): + def on_preview_double_click(self, field=None): """ - triggered by clicking the Preview slide items + Triggered when a preview slide item is doubleclicked """ - if Settings().value('advanced/double click live'): - # Live and Preview have issues if we have video or presentations - # playing in both at the same time. - if self.service_item.is_command(): - Registry().execute('%s_stop' % self.service_item.name.lower(), [self.service_item, self.is_live]) - if self.service_item.is_media(): - self.on_media_close() - self.on_go_live() + if self.service_item: + if Settings().value('advanced/double click live'): + # Live and Preview have issues if we have video or presentations + # playing in both at the same time. + if self.service_item.is_command(): + Registry().execute('%s_stop' % self.service_item.name.lower(), [self.service_item, self.is_live]) + if self.service_item.is_media(): + self.on_media_close() + self.on_go_live() + else: + self.on_preview_add_to_service() def on_go_live(self, field=None): """ @@ -1409,16 +1419,16 @@ class SlideController(DisplayController, RegistryProperties): class PreviewController(RegistryMixin, OpenLPMixin, SlideController): """ - Set up the Live Controller. + Set up the Preview Controller. """ def __init__(self, parent): """ - Set up the general Controller. + Set up the base Controller as a preview. """ super(PreviewController, self).__init__(parent) self.split = 0 self.type_prefix = 'preview' - self.category = None + self.category = 'Preview Toolbar' def bootstrap_post_set_up(self): """ @@ -1433,7 +1443,7 @@ class LiveController(RegistryMixin, OpenLPMixin, SlideController): """ def __init__(self, parent): """ - Set up the general Controller. + Set up the base Controller as a live. """ super(LiveController, self).__init__(parent) self.is_live = True diff --git a/openlp/core/ui/thememanager.py b/openlp/core/ui/thememanager.py index 5ced57ea7..9f8d0bfe0 100644 --- a/openlp/core/ui/thememanager.py +++ b/openlp/core/ui/thememanager.py @@ -31,7 +31,7 @@ from PyQt4 import QtCore, QtGui from openlp.core.common import Registry, RegistryProperties, AppLocation, Settings, OpenLPMixin, RegistryMixin, \ check_directory_exists, UiStrings, translate, is_win -from openlp.core.lib import FileDialog, ImageSource, OpenLPToolbar, get_text_file_string, build_icon, \ +from openlp.core.lib import FileDialog, ImageSource, OpenLPToolbar, ValidationError, get_text_file_string, build_icon, \ check_item_selected, create_thumb, validate_thumb from openlp.core.lib.theme import ThemeXML, BackgroundType from openlp.core.lib.ui import critical_error_message_box, create_widget_action @@ -354,11 +354,15 @@ class ThemeManager(OpenLPMixin, RegistryMixin, QtGui.QWidget, Ui_ThemeManager, R delete_file(os.path.join(self.path, thumb)) delete_file(os.path.join(self.thumb_path, thumb)) try: - encoding = get_filesystem_encoding() - shutil.rmtree(os.path.join(self.path, theme).encode(encoding)) + # Windows is always unicode, so no need to encode filenames + if is_win(): + shutil.rmtree(os.path.join(self.path, theme)) + else: + encoding = get_filesystem_encoding() + shutil.rmtree(os.path.join(self.path, theme).encode(encoding)) except OSError as os_error: shutil.Error = os_error - self.log_exception('Error deleting theme %s', theme) + self.log_exception('Error deleting theme %s' % theme) def on_export_theme(self, field=None): """ @@ -377,17 +381,11 @@ class ThemeManager(OpenLPMixin, RegistryMixin, QtGui.QWidget, Ui_ThemeManager, R self.application.set_busy_cursor() if path: Settings().setValue(self.settings_section + '/last directory export', path) - try: - self._export_theme(path, theme) + if self._export_theme(path, theme): QtGui.QMessageBox.information(self, translate('OpenLP.ThemeManager', 'Theme Exported'), translate('OpenLP.ThemeManager', 'Your theme has been successfully exported.')) - except (IOError, OSError): - self.log_exception('Export Theme Failed') - critical_error_message_box(translate('OpenLP.ThemeManager', 'Theme Export Failed'), - translate('OpenLP.ThemeManager', - 'Your theme could not be exported due to an error.')) self.application.set_normal_cursor() def _export_theme(self, path, theme): @@ -397,30 +395,35 @@ class ThemeManager(OpenLPMixin, RegistryMixin, QtGui.QWidget, Ui_ThemeManager, R :param theme: The name of the theme to be exported """ theme_path = os.path.join(path, theme + '.otz') + theme_zip = None try: theme_zip = zipfile.ZipFile(theme_path, 'w') source = os.path.join(self.path, theme) for files in os.walk(source): for name in files[2]: theme_zip.write(os.path.join(source, name), os.path.join(theme, name)) - except (IOError, OSError): + theme_zip.close() + return True + except OSError as ose: + self.log_exception('Export Theme Failed') + critical_error_message_box(translate('OpenLP.ThemeManager', 'Theme Export Failed'), + translate('OpenLP.ThemeManager', 'The theme export failed because this error ' + 'occurred: %s') % ose.strerror) if theme_zip: theme_zip.close() shutil.rmtree(theme_path, True) - raise - else: - theme_zip.close() + return False def on_import_theme(self, field=None): """ Opens a file dialog to select the theme file(s) to import before attempting to extract OpenLP themes from - those files. This process will load both OpenLP version 1 and version 2 themes. + those files. This process will only load version 2 themes. :param field: """ files = FileDialog.getOpenFileNames(self, translate('OpenLP.ThemeManager', 'Select Theme Import File'), Settings().value(self.settings_section + '/last directory import'), - translate('OpenLP.ThemeManager', 'OpenLP Themes (*.theme *.otz)')) + translate('OpenLP.ThemeManager', 'OpenLP Themes (*.otz)')) self.log_info('New Themes %s' % str(files)) if not files: return @@ -535,7 +538,6 @@ class ThemeManager(OpenLPMixin, RegistryMixin, QtGui.QWidget, Ui_ThemeManager, R :param directory: """ self.log_debug('Unzipping theme %s' % file_name) - file_name = str(file_name) theme_zip = None out_file = None file_xml = None @@ -545,8 +547,12 @@ class ThemeManager(OpenLPMixin, RegistryMixin, QtGui.QWidget, Ui_ThemeManager, R xml_file = [name for name in theme_zip.namelist() if os.path.splitext(name)[1].lower() == '.xml'] if len(xml_file) != 1: self.log_error('Theme contains "%s" XML files' % len(xml_file)) - raise Exception('validation') + raise ValidationError xml_tree = ElementTree(element=XML(theme_zip.read(xml_file[0]))).getroot() + theme_version = xml_tree.get('version', default=None) + if not theme_version or float(theme_version) < 2.0: + self.log_error('Theme version is less than 2.0') + raise ValidationError theme_name = xml_tree.find('name').text.strip() theme_folder = os.path.join(directory, theme_name) theme_exists = os.path.exists(theme_folder) @@ -565,7 +571,7 @@ class ThemeManager(OpenLPMixin, RegistryMixin, QtGui.QWidget, Ui_ThemeManager, R check_directory_exists(os.path.dirname(full_name)) if os.path.splitext(name)[1].lower() == '.xml': file_xml = str(theme_zip.read(name), 'utf-8') - out_file = open(full_name, 'w') + out_file = open(full_name, 'w', encoding='utf-8') out_file.write(file_xml) else: out_file = open(full_name, 'wb') @@ -573,13 +579,10 @@ class ThemeManager(OpenLPMixin, RegistryMixin, QtGui.QWidget, Ui_ThemeManager, R out_file.close() except (IOError, zipfile.BadZipfile): self.log_exception('Importing theme from zip failed %s' % file_name) - raise Exception('validation') - except Exception as info: - if str(info) == 'validation': - critical_error_message_box(translate('OpenLP.ThemeManager', 'Validation Error'), - translate('OpenLP.ThemeManager', 'File is not a valid theme.')) - else: - raise + raise ValidationError + except ValidationError: + critical_error_message_box(translate('OpenLP.ThemeManager', 'Validation Error'), + translate('OpenLP.ThemeManager', 'File is not a valid theme.')) finally: # Close the files, to be able to continue creating the theme. if theme_zip: @@ -646,8 +649,8 @@ class ThemeManager(OpenLPMixin, RegistryMixin, QtGui.QWidget, Ui_ThemeManager, R delete_file(self.old_background_image) out_file = None try: - out_file = open(theme_file, 'w') - out_file.write(theme_pretty_xml.decode('UTF-8')) + out_file = open(theme_file, 'w', encoding='utf-8') + out_file.write(theme_pretty_xml.decode('utf-8')) except IOError: self.log_exception('Saving theme to file failed') finally: diff --git a/openlp/core/utils/__init__.py b/openlp/core/utils/__init__.py index 44399eb60..ea896fad7 100644 --- a/openlp/core/utils/__init__.py +++ b/openlp/core/utils/__init__.py @@ -29,6 +29,7 @@ import locale import os import platform import re +import socket import time from shutil import which from subprocess import Popen, PIPE @@ -394,26 +395,44 @@ def get_web_page(url, header=None, update_openlp=False): req.add_header('User-Agent', user_agent) if header: req.add_header(header[0], header[1]) - page = None log.debug('Downloading URL = %s' % url) - retries = 1 - while True: + retries = 0 + while retries <= CONNECTION_RETRIES: + retries += 1 + time.sleep(0.1) try: page = urllib.request.urlopen(req, timeout=CONNECTION_TIMEOUT) - log.debug('Downloaded URL = %s' % page.geturl()) - except (urllib.error.URLError, ConnectionError): + log.debug('Downloaded page {}'.format(page.geturl())) + except urllib.error.URLError as err: + log.exception('URLError on {}'.format(url)) + log.exception('URLError: {}'.format(err.reason)) + page = None if retries > CONNECTION_RETRIES: - log.exception('The web page could not be downloaded') raise - else: - retries += 1 - time.sleep(0.1) - continue - break - if not page: - return None + except socket.timeout: + log.exception('Socket timeout: {}'.format(url)) + page = None + if retries > CONNECTION_RETRIES: + raise + except ConnectionRefusedError: + log.exception('ConnectionRefused: {}'.format(url)) + page = None + if retries > CONNECTION_RETRIES: + raise + break + except ConnectionError: + log.exception('Connection error: {}'.format(url)) + page = None + if retries > CONNECTION_RETRIES: + raise + except: + # Don't know what's happening, so reraise the original + raise if update_openlp: Registry().get('application').process_events() + if not page: + log.exception('{} could not be downloaded'.format(url)) + return None log.debug(page) return page diff --git a/openlp/plugins/alerts/alertsplugin.py b/openlp/plugins/alerts/alertsplugin.py index 0a8adf23b..9517f1aa0 100644 --- a/openlp/plugins/alerts/alertsplugin.py +++ b/openlp/plugins/alerts/alertsplugin.py @@ -112,6 +112,10 @@ __default_settings__ = { 'alerts/font face': QtGui.QFont().family(), 'alerts/font size': 40, 'alerts/db type': 'sqlite', + 'alerts/db username': '', + 'alerts/db password': '', + 'alerts/db hostname': '', + 'alerts/db database': '', 'alerts/location': AlertLocation.Bottom, 'alerts/background color': '#660000', 'alerts/font color': '#ffffff', diff --git a/openlp/plugins/alerts/lib/alertsmanager.py b/openlp/plugins/alerts/lib/alertsmanager.py index be3fff015..8d691c2bb 100644 --- a/openlp/plugins/alerts/lib/alertsmanager.py +++ b/openlp/plugins/alerts/lib/alertsmanager.py @@ -26,7 +26,7 @@ displaying of alerts. from PyQt4 import QtCore -from openlp.core.common import OpenLPMixin, RegistryMixin, Registry, RegistryProperties, translate +from openlp.core.common import OpenLPMixin, RegistryMixin, Registry, RegistryProperties, Settings, translate class AlertsManager(OpenLPMixin, RegistryMixin, QtCore.QObject, RegistryProperties): @@ -70,7 +70,8 @@ class AlertsManager(OpenLPMixin, RegistryMixin, QtCore.QObject, RegistryProperti """ Format and request the Alert and start the timer. """ - if not self.alert_list: + if not self.alert_list or (self.live_controller.display.screens.display_count == 1 and + not Settings().value('core/display on monitor')): return text = self.alert_list.pop(0) alert_tab = self.parent().settings_tab diff --git a/openlp/plugins/bibles/bibleplugin.py b/openlp/plugins/bibles/bibleplugin.py index 6bb977e09..59203e682 100644 --- a/openlp/plugins/bibles/bibleplugin.py +++ b/openlp/plugins/bibles/bibleplugin.py @@ -37,6 +37,10 @@ log = logging.getLogger(__name__) __default_settings__ = { 'bibles/db type': 'sqlite', + 'bibles/db username': '', + 'bibles/db password': '', + 'bibles/db hostname': '', + 'bibles/db database': '', 'bibles/last search type': BibleSearch.Reference, 'bibles/verse layout style': LayoutStyle.VersePerSlide, 'bibles/book name language': LanguageSelection.Bible, @@ -109,12 +113,13 @@ class BiblePlugin(Plugin): 'existing Bibles.\nShould OpenLP upgrade now?'), QtGui.QMessageBox.StandardButtons(QtGui.QMessageBox.Yes | QtGui.QMessageBox.No)) == \ QtGui.QMessageBox.Yes: - self.on_tools_upgrade_Item_triggered() + self.on_tools_upgrade_item_triggered() def add_import_menu_item(self, import_menu): """ + Add an import menu item - :param import_menu: + :param import_menu: The menu to insert the menu item into. """ self.import_bible_item = create_action(import_menu, 'importBibleItem', text=translate('BiblesPlugin', '&Bible'), visible=False, @@ -123,8 +128,9 @@ class BiblePlugin(Plugin): def add_export_menu_item(self, export_menu): """ + Add an export menu item - :param export_menu: + :param export_menu: The menu to insert the menu item into. """ self.export_bible_item = create_action(export_menu, 'exportBibleItem', text=translate('BiblesPlugin', '&Bible'), visible=False) @@ -141,10 +147,10 @@ class BiblePlugin(Plugin): tools_menu, 'toolsUpgradeItem', text=translate('BiblesPlugin', '&Upgrade older Bibles'), statustip=translate('BiblesPlugin', 'Upgrade the Bible databases to the latest format.'), - visible=False, triggers=self.on_tools_upgrade_Item_triggered) + visible=False, triggers=self.on_tools_upgrade_item_triggered) tools_menu.addAction(self.tools_upgrade_item) - def on_tools_upgrade_Item_triggered(self): + def on_tools_upgrade_item_triggered(self): """ Upgrade older bible databases. """ @@ -155,10 +161,16 @@ class BiblePlugin(Plugin): self.media_item.reload_bibles() def on_bible_import_click(self): + """ + Show the Bible Import wizard + """ if self.media_item: self.media_item.on_import_click() def about(self): + """ + Return the about text for the plugin manager + """ about_text = translate('BiblesPlugin', 'Bible Plugin' '
The Bible plugin provides the ability to display Bible ' 'verses from different sources during the service.') diff --git a/openlp/plugins/bibles/forms/bibleimportform.py b/openlp/plugins/bibles/forms/bibleimportform.py index 019286a68..94d8e6567 100644 --- a/openlp/plugins/bibles/forms/bibleimportform.py +++ b/openlp/plugins/bibles/forms/bibleimportform.py @@ -24,6 +24,7 @@ The bible import functions for OpenLP """ import logging import os +import urllib.error from PyQt4 import QtGui @@ -34,6 +35,7 @@ from openlp.core.ui.wizard import OpenLPWizard, WizardStrings from openlp.core.utils import get_locale_key from openlp.plugins.bibles.lib.manager import BibleFormat from openlp.plugins.bibles.lib.db import BiblesResourcesDB, clean_filename +from openlp.plugins.bibles.lib.http import CWExtract, BGExtract, BSExtract log = logging.getLogger(__name__) @@ -90,7 +92,6 @@ class BibleImportForm(OpenLPWizard): Perform any custom initialisation for bible importing. """ self.manager.set_process_dialog(self) - self.load_Web_Bibles() self.restart() self.select_stack.setCurrentIndex(0) @@ -104,6 +105,7 @@ class BibleImportForm(OpenLPWizard): self.csv_verses_button.clicked.connect(self.on_csv_verses_browse_button_clicked) self.open_song_browse_button.clicked.connect(self.on_open_song_browse_button_clicked) self.zefania_browse_button.clicked.connect(self.on_zefania_browse_button_clicked) + self.web_update_button.clicked.connect(self.on_web_update_button_clicked) def add_custom_pages(self): """ @@ -202,20 +204,33 @@ class BibleImportForm(OpenLPWizard): self.web_bible_tab.setObjectName('WebBibleTab') self.web_bible_layout = QtGui.QFormLayout(self.web_bible_tab) self.web_bible_layout.setObjectName('WebBibleLayout') + self.web_update_label = QtGui.QLabel(self.web_bible_tab) + self.web_update_label.setObjectName('WebUpdateLabel') + self.web_bible_layout.setWidget(0, QtGui.QFormLayout.LabelRole, self.web_update_label) + self.web_update_button = QtGui.QPushButton(self.web_bible_tab) + self.web_update_button.setObjectName('WebUpdateButton') + self.web_bible_layout.setWidget(0, QtGui.QFormLayout.FieldRole, self.web_update_button) self.web_source_label = QtGui.QLabel(self.web_bible_tab) self.web_source_label.setObjectName('WebSourceLabel') - self.web_bible_layout.setWidget(0, QtGui.QFormLayout.LabelRole, self.web_source_label) + self.web_bible_layout.setWidget(1, QtGui.QFormLayout.LabelRole, self.web_source_label) self.web_source_combo_box = QtGui.QComboBox(self.web_bible_tab) self.web_source_combo_box.setObjectName('WebSourceComboBox') self.web_source_combo_box.addItems(['', '', '']) - self.web_bible_layout.setWidget(0, QtGui.QFormLayout.FieldRole, self.web_source_combo_box) + self.web_source_combo_box.setEnabled(False) + self.web_bible_layout.setWidget(1, QtGui.QFormLayout.FieldRole, self.web_source_combo_box) self.web_translation_label = QtGui.QLabel(self.web_bible_tab) self.web_translation_label.setObjectName('web_translation_label') - self.web_bible_layout.setWidget(1, QtGui.QFormLayout.LabelRole, self.web_translation_label) + self.web_bible_layout.setWidget(2, QtGui.QFormLayout.LabelRole, self.web_translation_label) self.web_translation_combo_box = QtGui.QComboBox(self.web_bible_tab) self.web_translation_combo_box.setSizeAdjustPolicy(QtGui.QComboBox.AdjustToContents) self.web_translation_combo_box.setObjectName('WebTranslationComboBox') - self.web_bible_layout.setWidget(1, QtGui.QFormLayout.FieldRole, self.web_translation_combo_box) + self.web_translation_combo_box.setEnabled(False) + self.web_bible_layout.setWidget(2, QtGui.QFormLayout.FieldRole, self.web_translation_combo_box) + self.web_progress_bar = QtGui.QProgressBar(self) + self.web_progress_bar.setRange(0, 3) + self.web_progress_bar.setObjectName('WebTranslationProgressBar') + self.web_progress_bar.setVisible(False) + self.web_bible_layout.setWidget(3, QtGui.QFormLayout.SpanningRole, self.web_progress_bar) self.web_tab_widget.addTab(self.web_bible_tab, '') self.web_proxy_tab = QtGui.QWidget() self.web_proxy_tab.setObjectName('WebProxyTab') @@ -314,6 +329,8 @@ class BibleImportForm(OpenLPWizard): self.open_song_file_label.setText(translate('BiblesPlugin.ImportWizardForm', 'Bible file:')) self.web_source_label.setText(translate('BiblesPlugin.ImportWizardForm', 'Location:')) self.zefania_file_label.setText(translate('BiblesPlugin.ImportWizardForm', 'Bible file:')) + self.web_update_label.setText(translate('BiblesPlugin.ImportWizardForm', 'Click to download bible list')) + self.web_update_button.setText(translate('BiblesPlugin.ImportWizardForm', 'Download bible list')) self.web_source_combo_box.setItemText(WebDownload.Crosswalk, translate('BiblesPlugin.ImportWizardForm', 'Crosswalk')) self.web_source_combo_box.setItemText(WebDownload.BibleGateway, translate('BiblesPlugin.ImportWizardForm', @@ -388,8 +405,11 @@ class BibleImportForm(OpenLPWizard): self.zefania_file_edit.setFocus() return False elif self.field('source_format') == BibleFormat.WebDownload: - self.version_name_edit.setText(self.web_translation_combo_box.currentText()) - return True + # If count is 0 the bible list has not yet been downloaded + if self.web_translation_combo_box.count() == 0: + return False + else: + self.version_name_edit.setText(self.web_translation_combo_box.currentText()) return True elif self.currentPage() == self.license_details_page: license_version = self.field('license_version') @@ -434,9 +454,10 @@ class BibleImportForm(OpenLPWizard): :param index: The index of the combo box. """ self.web_translation_combo_box.clear() - bibles = list(self.web_bible_list[index].keys()) - bibles.sort(key=get_locale_key) - self.web_translation_combo_box.addItems(bibles) + if self.web_bible_list: + bibles = list(self.web_bible_list[index].keys()) + bibles.sort(key=get_locale_key) + self.web_translation_combo_box.addItems(bibles) def on_osis_browse_button_clicked(self): """ @@ -475,6 +496,39 @@ class BibleImportForm(OpenLPWizard): self.get_file_name(WizardStrings.OpenTypeFile % WizardStrings.ZEF, self.zefania_file_edit, 'last directory import') + def on_web_update_button_clicked(self): + """ + Download list of bibles from Crosswalk, BibleServer and BibleGateway. + """ + # Download from Crosswalk, BiblesGateway, BibleServer + self.web_bible_list = {} + self.web_source_combo_box.setEnabled(False) + self.web_translation_combo_box.setEnabled(False) + self.web_update_button.setEnabled(False) + self.web_progress_bar.setVisible(True) + self.web_progress_bar.setValue(0) + proxy_server = self.field('proxy_server') + for (download_type, extractor) in ((WebDownload.Crosswalk, CWExtract(proxy_server)), + (WebDownload.BibleGateway, BGExtract(proxy_server)), + (WebDownload.Bibleserver, BSExtract(proxy_server))): + try: + bibles = extractor.get_bibles_from_http() + except (urllib.error.URLError, ConnectionError) as err: + critical_error_message_box(translate('BiblesPlugin.ImportWizardForm', 'Error during download'), + translate('BiblesPlugin.ImportWizardForm', + 'An error occurred while downloading the list of bibles from %s.')) + self.web_bible_list[download_type] = {} + for (bible_name, bible_key, language_code) in bibles: + self.web_bible_list[download_type][bible_name] = (bible_key, language_code) + self.web_progress_bar.setValue(download_type + 1) + # Update combo box if something got into the list + if self.web_bible_list: + self.on_web_source_combo_box_index_changed(0) + self.web_source_combo_box.setEnabled(True) + self.web_translation_combo_box.setEnabled(True) + self.web_update_button.setEnabled(True) + self.web_progress_bar.setVisible(False) + def register_fields(self): """ Register the bible import wizard fields. @@ -520,30 +574,6 @@ class BibleImportForm(OpenLPWizard): self.on_web_source_combo_box_index_changed(WebDownload.Crosswalk) settings.endGroup() - def load_Web_Bibles(self): - """ - Load the lists of Crosswalk, BibleGateway and Bibleserver bibles. - """ - # Load Crosswalk Bibles. - self.load_Bible_Resource(WebDownload.Crosswalk) - # Load BibleGateway Bibles. - self.load_Bible_Resource(WebDownload.BibleGateway) - # Load and Bibleserver Bibles. - self.load_Bible_Resource(WebDownload.Bibleserver) - - def load_Bible_Resource(self, download_type): - """ - Loads a web bible from bible_resources.sqlite. - - :param download_type: The WebDownload type e.g. bibleserver. - """ - self.web_bible_list[download_type] = {} - bibles = BiblesResourcesDB.get_webbibles(WebDownload.Names[download_type]) - for bible in bibles: - version = bible['name'] - name = bible['abbreviation'] - self.web_bible_list[download_type][version] = name.strip() - def pre_wizard(self): """ Prepare the UI for the import. @@ -583,14 +613,15 @@ class BibleImportForm(OpenLPWizard): self.progress_bar.setMaximum(1) download_location = self.field('web_location') bible_version = self.web_translation_combo_box.currentText() - bible = self.web_bible_list[download_location][bible_version] + (bible, language_id) = self.web_bible_list[download_location][bible_version] importer = self.manager.import_bible( BibleFormat.WebDownload, name=license_version, download_source=WebDownload.Names[download_location], download_name=bible, proxy_server=self.field('proxy_server'), proxy_username=self.field('proxy_username'), - proxy_password=self.field('proxy_password') + proxy_password=self.field('proxy_password'), + language_id=language_id ) elif bible_type == BibleFormat.Zefania: # Import an Zefania bible. diff --git a/openlp/plugins/bibles/lib/csvbible.py b/openlp/plugins/bibles/lib/csvbible.py index e193c6f95..0836acaab 100644 --- a/openlp/plugins/bibles/lib/csvbible.py +++ b/openlp/plugins/bibles/lib/csvbible.py @@ -73,7 +73,7 @@ class CSVBible(BibleDB): """ log.info(self.__class__.__name__) BibleDB.__init__(self, parent, **kwargs) - self.books_file = kwargs['books_file'] + self.books_file = kwargs['booksfile'] self.verses_file = kwargs['versefile'] def do_import(self, bible_name=None): @@ -93,23 +93,20 @@ class CSVBible(BibleDB): # Populate the Tables try: details = get_file_encoding(self.books_file) - books_file = open(self.books_file, 'r') - if not books_file.read(3) == '\xEF\xBB\xBF': - # no BOM was found - books_file.seek(0) + books_file = open(self.books_file, 'r', encoding=details['encoding']) books_reader = csv.reader(books_file, delimiter=',', quotechar='"') for line in books_reader: if self.stop_import_flag: break - self.wizard.increment_progress_bar(translate('BiblesPlugin.CSVBible', 'Importing books... %s') % - str(line[2], details['encoding'])) - book_ref_id = self.get_book_ref_id_by_name(str(line[2], details['encoding']), 67, language_id) + self.wizard.increment_progress_bar(translate('BiblesPlugin.CSVBible', 'Importing books... %s') + % line[2]) + book_ref_id = self.get_book_ref_id_by_name(line[2], 67, language_id) if not book_ref_id: log.error('Importing books from "%s" failed' % self.books_file) return False book_details = BiblesResourcesDB.get_book_by_id(book_ref_id) - self.create_book(str(line[2], details['encoding']), book_ref_id, book_details['testament_id']) - book_list[int(line[0])] = str(line[2], details['encoding']) + self.create_book(line[2], book_ref_id, book_details['testament_id']) + book_list.update({int(line[0]): line[2]}) self.application.process_events() except (IOError, IndexError): log.exception('Loading books from file failed') @@ -125,10 +122,7 @@ class CSVBible(BibleDB): try: book_ptr = None details = get_file_encoding(self.verses_file) - verse_file = open(self.verses_file, 'rb') - if not verse_file.read(3) == '\xEF\xBB\xBF': - # no BOM was found - verse_file.seek(0) + verse_file = open(self.verses_file, 'r', encoding=details['encoding']) verse_reader = csv.reader(verse_file, delimiter=',', quotechar='"') for line in verse_reader: if self.stop_import_flag: @@ -136,7 +130,7 @@ class CSVBible(BibleDB): try: line_book = book_list[int(line[0])] except ValueError: - line_book = str(line[0], details['encoding']) + line_book = line[0] if book_ptr != line_book: book = self.get_book(line_book) book_ptr = book.name @@ -144,10 +138,7 @@ class CSVBible(BibleDB): translate('BiblesPlugin.CSVBible', 'Importing verses from %s...' % book.name, 'Importing verses from ...')) self.session.commit() - try: - verse_text = str(line[3], details['encoding']) - except UnicodeError: - verse_text = str(line[3], 'cp1252') + verse_text = line[3] self.create_verse(book.id, line[1], line[2], verse_text) self.wizard.increment_progress_bar(translate('BiblesPlugin.CSVBible', 'Importing verses... done.')) self.application.process_events() @@ -170,7 +161,7 @@ def get_file_encoding(filename): """ detect_file = None try: - detect_file = open(filename, 'r') + detect_file = open(filename, 'rb') details = chardet.detect(detect_file.read(1024)) except IOError: log.exception('Error detecting file encoding') diff --git a/openlp/plugins/bibles/lib/db.py b/openlp/plugins/bibles/lib/db.py index 2c14f3f9f..8f1b0d752 100644 --- a/openlp/plugins/bibles/lib/db.py +++ b/openlp/plugins/bibles/lib/db.py @@ -131,6 +131,7 @@ class BibleDB(QtCore.QObject, Manager, RegistryProperties): log.info('BibleDB loaded') QtCore.QObject.__init__(self) self.bible_plugin = parent + self.session = None if 'path' not in kwargs: raise KeyError('Missing keyword argument "path".') if 'name' not in kwargs and 'file' not in kwargs: @@ -144,8 +145,8 @@ class BibleDB(QtCore.QObject, Manager, RegistryProperties): if 'file' in kwargs: self.file = kwargs['file'] Manager.__init__(self, 'bibles', init_schema, self.file, upgrade) - if 'file' in kwargs: - self.get_name() + if self.session and 'file' in kwargs: + self.get_name() if 'path' in kwargs: self.path = kwargs['path'] self.wizard = None @@ -163,9 +164,6 @@ class BibleDB(QtCore.QObject, Manager, RegistryProperties): Returns the version name of the Bible. """ version_name = self.get_object(BibleMeta, 'name') - # Fallback to old way of naming - if not version_name: - version_name = self.get_object(BibleMeta, 'Version') self.name = version_name.value if version_name else None return self.name diff --git a/openlp/plugins/bibles/lib/http.py b/openlp/plugins/bibles/lib/http.py index 2f46efebd..fbf18d98e 100644 --- a/openlp/plugins/bibles/lib/http.py +++ b/openlp/plugins/bibles/lib/http.py @@ -50,6 +50,38 @@ UGLY_CHARS = { } VERSE_NUMBER_REGEX = re.compile(r'v(\d{1,2})(\d{3})(\d{3}) verse.*') +BIBLESERVER_LANGUAGE_CODE = { + 'fl_1': 'de', + 'fl_2': 'en', + 'fl_3': 'fr', + 'fl_4': 'it', + 'fl_5': 'es', + 'fl_6': 'pt', + 'fl_7': 'ru', + 'fl_8': 'sv', + 'fl_9': 'no', + 'fl_10': 'nl', + 'fl_11': 'cs', + 'fl_12': 'sk', + 'fl_13': 'ro', + 'fl_14': 'hr', + 'fl_15': 'hu', + 'fl_16': 'bg', + 'fl_17': 'ar', + 'fl_18': 'tr', + 'fl_19': 'pl', + 'fl_20': 'da', + 'fl_21': 'zh' +} + +CROSSWALK_LANGUAGES = { + 'Portuguese': 'pt', + 'German': 'de', + 'Italian': 'it', + 'Español': 'es', + 'French': 'fr', + 'Dutch': 'nl' +} log = logging.getLogger(__name__) @@ -222,6 +254,8 @@ class BGExtract(RegistryProperties): if not soup: return None div = soup.find('div', 'result-text-style-normal') + if not div: + return None self._clean_soup(div) span_list = div.find_all('span', 'text') log.debug('Span list: %s', span_list) @@ -278,6 +312,42 @@ class BGExtract(RegistryProperties): books.append(book.contents[0]) return books + def get_bibles_from_http(self): + """ + Load a list of bibles from BibleGateway website. + + returns a list in the form [(biblename, biblekey, language_code)] + """ + log.debug('BGExtract.get_bibles_from_http') + bible_url = 'https://legacy.biblegateway.com/versions/' + soup = get_soup_for_bible_ref(bible_url) + if not soup: + return None + bible_select = soup.find('select', {'class': 'translation-dropdown'}) + if not bible_select: + log.debug('No select tags found - did site change?') + return None + option_tags = bible_select.find_all('option') + if not option_tags: + log.debug('No option tags found - did site change?') + return None + current_lang = '' + bibles = [] + for ot in option_tags: + tag_class = '' + try: + tag_class = ot['class'][0] + except KeyError: + tag_class = '' + tag_text = ot.get_text() + if tag_class == 'lang': + current_lang = tag_text[tag_text.find('(') + 1:tag_text.find(')')].lower() + elif tag_class == 'spacer': + continue + else: + bibles.append((tag_text, ot['value'], current_lang)) + return bibles + class BSExtract(RegistryProperties): """ @@ -338,6 +408,43 @@ class BSExtract(RegistryProperties): content = content.find_all('li') return [book.contents[0].contents[0] for book in content if len(book.contents[0].contents)] + def get_bibles_from_http(self): + """ + Load a list of bibles from Bibleserver website. + + returns a list in the form [(biblename, biblekey, language_code)] + """ + log.debug('BSExtract.get_bibles_from_http') + bible_url = 'http://www.bibleserver.com/index.php?language=2' + soup = get_soup_for_bible_ref(bible_url) + if not soup: + return None + bible_links = soup.find_all('a', {'class': 'trlCell'}) + if not bible_links: + log.debug('No a tags found - did site change?') + return None + bibles = [] + for link in bible_links: + bible_name = link.get_text() + # Skip any audio + if 'audio' in bible_name.lower(): + continue + try: + bible_link = link['href'] + bible_key = bible_link[bible_link.rfind('/') + 1:] + css_classes = link['class'] + except KeyError: + log.debug('No href/class attribute found - did site change?') + language_code = '' + for css_class in css_classes: + if css_class.startswith('fl_'): + try: + language_code = BIBLESERVER_LANGUAGE_CODE[css_class] + except KeyError: + language_code = '' + bibles.append((bible_name, bible_key, language_code)) + return bibles + class CWExtract(RegistryProperties): """ @@ -365,31 +472,20 @@ class CWExtract(RegistryProperties): if not soup: return None self.application.process_events() - html_verses = soup.find_all('span', 'versetext') - if not html_verses: + verses_div = soup.find_all('div', 'verse') + if not verses_div: log.error('No verses found in the CrossWalk response.') send_error_message('parse') return None verses = {} - for verse in html_verses: + for verse in verses_div: self.application.process_events() - verse_number = int(verse.contents[0].contents[0]) - verse_text = '' - for part in verse.contents: - self.application.process_events() - if isinstance(part, NavigableString): - verse_text += part - elif part and part.attrMap and \ - (part.attrMap['class'] == 'WordsOfChrist' or part.attrMap['class'] == 'strongs'): - for subpart in part.contents: - self.application.process_events() - if isinstance(subpart, NavigableString): - verse_text += subpart - elif subpart and subpart.attrMap and subpart.attrMap['class'] == 'strongs': - for subsub in subpart.contents: - self.application.process_events() - if isinstance(subsub, NavigableString): - verse_text += subsub + verse_number = int(verse.find('strong').contents[0]) + verse_span = verse.find('span') + tags_to_remove = verse_span.find_all(['a', 'sup']) + for tag in tags_to_remove: + tag.decompose() + verse_text = verse_span.get_text() self.application.process_events() # Fix up leading and trailing spaces, multiple spaces, and spaces between text and , and . verse_text = verse_text.strip('\n\r\t ') @@ -409,19 +505,59 @@ class CWExtract(RegistryProperties): soup = get_soup_for_bible_ref(chapter_url) if not soup: return None - content = soup.find('div', {'class': 'Body'}) - content = content.find('ul', {'class': 'parent'}) + content = soup.find_all(('h4', {'class': 'small-header'})) if not content: log.error('No books found in the Crosswalk response.') send_error_message('parse') return None - content = content.find_all('li') books = [] for book in content: - book = book.find('a') books.append(book.contents[0]) return books + def get_bibles_from_http(self): + """ + Load a list of bibles from Crosswalk website. + returns a list in the form [(biblename, biblekey, language_code)] + """ + log.debug('CWExtract.get_bibles_from_http') + bible_url = 'http://www.biblestudytools.com/search/bible-search.part/' + soup = get_soup_for_bible_ref(bible_url) + if not soup: + return None + bible_select = soup.find('select') + if not bible_select: + log.debug('No select tags found - did site change?') + return None + option_tags = bible_select.find_all('option') + if not option_tags: + log.debug('No option tags found - did site change?') + return None + bibles = [] + for ot in option_tags: + tag_text = ot.get_text().strip() + try: + tag_value = ot['value'] + except KeyError: + log.exception('No value attribute found - did site change?') + return None + if not tag_value: + continue + # The names of non-english bibles has their language in parentheses at the end + if tag_text.endswith(')'): + language = tag_text[tag_text.rfind('(') + 1:-1] + if language in CROSSWALK_LANGUAGES: + language_code = CROSSWALK_LANGUAGES[language] + else: + language_code = '' + # ... except for the latin vulgate + elif 'latin' in tag_text.lower(): + language_code = 'la' + else: + language_code = 'en' + bibles.append((tag_text, tag_value, language_code)) + return bibles + class HTTPBible(BibleDB, RegistryProperties): log.info('%s HTTPBible loaded', __name__) @@ -442,6 +578,7 @@ class HTTPBible(BibleDB, RegistryProperties): self.proxy_server = None self.proxy_username = None self.proxy_password = None + self.language_id = None if 'path' in kwargs: self.path = kwargs['path'] if 'proxy_server' in kwargs: @@ -450,6 +587,8 @@ class HTTPBible(BibleDB, RegistryProperties): self.proxy_username = kwargs['proxy_username'] if 'proxy_password' in kwargs: self.proxy_password = kwargs['proxy_password'] + if 'language_id' in kwargs: + self.language_id = kwargs['language_id'] def do_import(self, bible_name=None): """ @@ -482,13 +621,11 @@ class HTTPBible(BibleDB, RegistryProperties): return False self.wizard.progress_bar.setMaximum(len(books) + 2) self.wizard.increment_progress_bar(translate('BiblesPlugin.HTTPBible', 'Registering Language...')) - bible = BiblesResourcesDB.get_webbible(self.download_name, self.download_source.lower()) - if bible['language_id']: - language_id = bible['language_id'] - self.save_meta('language_id', language_id) + if self.language_id: + self.save_meta('language_id', self.language_id) else: - language_id = self.get_language(bible_name) - if not language_id: + self.language_id = self.get_language(bible_name) + if not self.language_id: log.error('Importing books from %s failed' % self.filename) return False for book in books: @@ -496,7 +633,7 @@ class HTTPBible(BibleDB, RegistryProperties): break self.wizard.increment_progress_bar(translate( 'BiblesPlugin.HTTPBible', 'Importing %s...', 'Importing ...') % book) - book_ref_id = self.get_book_ref_id_by_name(book, len(books), language_id) + book_ref_id = self.get_book_ref_id_by_name(book, len(books), self.language_id) if not book_ref_id: log.error('Importing books from %s - download name: "%s" failed' % (self.download_source, self.download_name)) diff --git a/openlp/plugins/bibles/lib/manager.py b/openlp/plugins/bibles/lib/manager.py index 8ad06632c..742671ac1 100644 --- a/openlp/plugins/bibles/lib/manager.py +++ b/openlp/plugins/bibles/lib/manager.py @@ -121,6 +121,8 @@ class BibleManager(RegistryProperties): self.old_bible_databases = [] for filename in files: bible = BibleDB(self.parent, path=self.path, file=filename) + if not bible.session: + continue name = bible.get_name() # Remove corrupted files. if name is None: diff --git a/openlp/plugins/bibles/lib/mediaitem.py b/openlp/plugins/bibles/lib/mediaitem.py index d2b877b81..0d3a40008 100644 --- a/openlp/plugins/bibles/lib/mediaitem.py +++ b/openlp/plugins/bibles/lib/mediaitem.py @@ -849,7 +849,7 @@ class BibleMediaItem(MediaManagerItem): service_item.add_capability(ItemCapabilities.CanWordSplit) service_item.add_capability(ItemCapabilities.CanEditTitle) # Service Item: Title - service_item.title = create_separated_list(raw_title) + service_item.title = '%s %s' % (verses.format_verses(), verses.format_versions()) # Service Item: Theme if not self.settings.bible_theme: service_item.theme = None diff --git a/openlp/plugins/bibles/lib/opensong.py b/openlp/plugins/bibles/lib/opensong.py index 1800fd5df..8e3716435 100644 --- a/openlp/plugins/bibles/lib/opensong.py +++ b/openlp/plugins/bibles/lib/opensong.py @@ -123,8 +123,8 @@ class OpenSongBible(BibleDB): verse_number += 1 self.create_verse(db_book.id, chapter_number, verse_number, self.get_text(verse)) self.wizard.increment_progress_bar( - translate('BiblesPlugin.Opensong', 'Importing %(bookname)s %(chapter)s...' % - {'bookname': db_book.name, 'chapter': chapter_number})) + translate('BiblesPlugin.Opensong', 'Importing %(bookname)s %(chapter)s...') % + {'bookname': db_book.name, 'chapter': chapter_number}) self.session.commit() self.application.process_events() except etree.XMLSyntaxError as inst: diff --git a/openlp/plugins/bibles/lib/osis.py b/openlp/plugins/bibles/lib/osis.py index 52e232ac9..6bf294ff8 100644 --- a/openlp/plugins/bibles/lib/osis.py +++ b/openlp/plugins/bibles/lib/osis.py @@ -58,7 +58,7 @@ class OSISBible(BibleDB): # NOTE: We don't need to do any of the normal encoding detection here, because lxml does it's own encoding # detection, and the two mechanisms together interfere with each other. import_file = open(self.filename, 'rb') - osis_bible_tree = etree.parse(import_file) + osis_bible_tree = etree.parse(import_file, parser=etree.XMLParser(recover=True)) namespace = {'ns': 'http://www.bibletechnologies.net/2003/OSIS/namespace'} # Find bible language language_id = None @@ -71,6 +71,7 @@ class OSISBible(BibleDB): if not language_id: log.error('Importing books from "%s" failed' % self.filename) return False + self.save_meta('language_id', language_id) num_books = int(osis_bible_tree.xpath("count(//ns:div[@type='book'])", namespaces=namespace)) self.wizard.increment_progress_bar(translate('BiblesPlugin.OsisImport', 'Removing unused tags (this may take a few minutes)...')) @@ -124,7 +125,7 @@ class OSISBible(BibleDB): break # Remove div-tags in the book etree.strip_tags(book, ('{http://www.bibletechnologies.net/2003/OSIS/namespace}div')) - book_ref_id = self.get_book_ref_id_by_name(book.get('osisID'), num_books) + book_ref_id = self.get_book_ref_id_by_name(book.get('osisID'), num_books, language_id) if not book_ref_id: book_ref_id = self.get_book_ref_id_by_localised_name(book.get('osisID')) if not book_ref_id: @@ -154,8 +155,8 @@ class OSISBible(BibleDB): verse_number = verse.get("osisID").split('.')[2] self.create_verse(db_book.id, chapter_number, verse_number, verse.text.strip()) self.wizard.increment_progress_bar( - translate('BiblesPlugin.OsisImport', 'Importing %(bookname)s %(chapter)s...' % - {'bookname': db_book.name, 'chapter': chapter_number})) + translate('BiblesPlugin.OsisImport', 'Importing %(bookname)s %(chapter)s...') % + {'bookname': db_book.name, 'chapter': chapter_number}) else: # The chapter tags is used as milestones. For now we assume verses is also milestones chapter_number = 0 @@ -164,8 +165,8 @@ class OSISBible(BibleDB): and element.get('sID'): chapter_number = element.get("osisID").split('.')[1] self.wizard.increment_progress_bar( - translate('BiblesPlugin.OsisImport', 'Importing %(bookname)s %(chapter)s...' % - {'bookname': db_book.name, 'chapter': chapter_number})) + translate('BiblesPlugin.OsisImport', 'Importing %(bookname)s %(chapter)s...') % + {'bookname': db_book.name, 'chapter': chapter_number}) elif element.tag == '{http://www.bibletechnologies.net/2003/OSIS/namespace}verse' \ and element.get('sID'): # If this tag marks the start of a verse, the verse text is between this tag and diff --git a/openlp/plugins/bibles/lib/upgrade.py b/openlp/plugins/bibles/lib/upgrade.py index bd7de8368..63bb1c27f 100644 --- a/openlp/plugins/bibles/lib/upgrade.py +++ b/openlp/plugins/bibles/lib/upgrade.py @@ -24,14 +24,177 @@ The :mod:`upgrade` module provides a way for the database and schema that is the """ import logging +from sqlalchemy import delete, func, insert, select + log = logging.getLogger(__name__) __version__ = 1 +# TODO: When removing an upgrade path the ftw-data needs updating to the minimum supported version def upgrade_1(session, metadata): """ Version 1 upgrade. This upgrade renames a number of keys to a single naming convention. """ - log.info('No upgrades to perform') + metadata_table = metadata.tables['metadata'] + # Copy "Version" to "name" ("version" used by upgrade system) + try: + session.execute(insert(metadata_table).values( + key='name', + value=select( + [metadata_table.c.value], + metadata_table.c.key == 'Version' + ).as_scalar() + )) + session.execute(delete(metadata_table).where(metadata_table.c.key == 'Version')) + except: + log.exception('Exception when upgrading Version') + # Copy "Copyright" to "copyright" + try: + session.execute(insert(metadata_table).values( + key='copyright', + value=select( + [metadata_table.c.value], + metadata_table.c.key == 'Copyright' + ).as_scalar() + )) + session.execute(delete(metadata_table).where(metadata_table.c.key == 'Copyright')) + except: + log.exception('Exception when upgrading Copyright') + # Copy "Permissions" to "permissions" + try: + session.execute(insert(metadata_table).values( + key='permissions', + value=select( + [metadata_table.c.value], + metadata_table.c.key == 'Permissions' + ).as_scalar() + )) + session.execute(delete(metadata_table).where(metadata_table.c.key == 'Permissions')) + except: + log.exception('Exception when upgrading Permissions') + # Copy "Bookname language" to "book_name_language" + try: + value_count = session.execute( + select( + [func.count(metadata_table.c.value)], + metadata_table.c.key == 'Bookname language' + ) + ).scalar() + if value_count > 0: + session.execute(insert(metadata_table).values( + key='book_name_language', + value=select( + [metadata_table.c.value], + metadata_table.c.key == 'Bookname language' + ).as_scalar() + )) + session.execute(delete(metadata_table).where(metadata_table.c.key == 'Bookname language')) + except: + log.exception('Exception when upgrading Bookname language') + # Copy "download source" to "download_source" + try: + value_count = session.execute( + select( + [func.count(metadata_table.c.value)], + metadata_table.c.key == 'download source' + ) + ).scalar() + log.debug('download source: %s', value_count) + if value_count > 0: + session.execute(insert(metadata_table).values( + key='download_source', + value=select( + [metadata_table.c.value], + metadata_table.c.key == 'download source' + ).as_scalar() + )) + session.execute(delete(metadata_table).where(metadata_table.c.key == 'download source')) + except: + log.exception('Exception when upgrading download source') + # Copy "download name" to "download_name" + try: + value_count = session.execute( + select( + [func.count(metadata_table.c.value)], + metadata_table.c.key == 'download name' + ) + ).scalar() + log.debug('download name: %s', value_count) + if value_count > 0: + session.execute(insert(metadata_table).values( + key='download_name', + value=select( + [metadata_table.c.value], + metadata_table.c.key == 'download name' + ).as_scalar() + )) + session.execute(delete(metadata_table).where(metadata_table.c.key == 'download name')) + except: + log.exception('Exception when upgrading download name') + # Copy "proxy server" to "proxy_server" + try: + value_count = session.execute( + select( + [func.count(metadata_table.c.value)], + metadata_table.c.key == 'proxy server' + ) + ).scalar() + log.debug('proxy server: %s', value_count) + if value_count > 0: + session.execute(insert(metadata_table).values( + key='proxy_server', + value=select( + [metadata_table.c.value], + metadata_table.c.key == 'proxy server' + ).as_scalar() + )) + session.execute(delete(metadata_table).where(metadata_table.c.key == 'proxy server')) + except: + log.exception('Exception when upgrading proxy server') + # Copy "proxy username" to "proxy_username" + try: + value_count = session.execute( + select( + [func.count(metadata_table.c.value)], + metadata_table.c.key == 'proxy username' + ) + ).scalar() + log.debug('proxy username: %s', value_count) + if value_count > 0: + session.execute(insert(metadata_table).values( + key='proxy_username', + value=select( + [metadata_table.c.value], + metadata_table.c.key == 'proxy username' + ).as_scalar() + )) + session.execute(delete(metadata_table).where(metadata_table.c.key == 'proxy username')) + except: + log.exception('Exception when upgrading proxy username') + # Copy "proxy password" to "proxy_password" + try: + value_count = session.execute( + select( + [func.count(metadata_table.c.value)], + metadata_table.c.key == 'proxy password' + ) + ).scalar() + log.debug('proxy password: %s', value_count) + if value_count > 0: + session.execute(insert(metadata_table).values( + key='proxy_password', + value=select( + [metadata_table.c.value], + metadata_table.c.key == 'proxy password' + ).as_scalar() + )) + session.execute(delete(metadata_table).where(metadata_table.c.key == 'proxy password')) + except: + log.exception('Exception when upgrading proxy password') + try: + session.execute(delete(metadata_table).where(metadata_table.c.key == 'dbversion')) + except: + log.exception('Exception when deleting dbversion') + session.commit() diff --git a/openlp/plugins/bibles/lib/versereferencelist.py b/openlp/plugins/bibles/lib/versereferencelist.py index f21a51f27..38496d956 100644 --- a/openlp/plugins/bibles/lib/versereferencelist.py +++ b/openlp/plugins/bibles/lib/versereferencelist.py @@ -20,6 +20,8 @@ # Temple Place, Suite 330, Boston, MA 02111-1307 USA # ############################################################################### +from openlp.plugins.bibles.lib import get_reference_separator + class VerseReferenceList(object): """ @@ -53,38 +55,50 @@ class VerseReferenceList(object): self.version_list.append({'version': version, 'copyright': copyright, 'permission': permission}) def format_verses(self): + verse_sep = get_reference_separator('sep_v_display') + range_sep = get_reference_separator('sep_r_display') + list_sep = get_reference_separator('sep_l_display') result = '' for index, verse in enumerate(self.verse_list): if index == 0: - result = '%s %s:%s' % (verse['book'], verse['chapter'], verse['start']) + result = '%s %s%s%s' % (verse['book'], verse['chapter'], verse_sep, verse['start']) if verse['start'] != verse['end']: - result = '%s-%s' % (result, verse['end']) + result = '%s%s%s' % (result, range_sep, verse['end']) continue prev = index - 1 if self.verse_list[prev]['version'] != verse['version']: result = '%s (%s)' % (result, self.verse_list[prev]['version']) - result += ', ' + result += '%s ' % list_sep if self.verse_list[prev]['book'] != verse['book']: - result = '%s%s %s:' % (result, verse['book'], verse['chapter']) + result = '%s%s %s%s' % (result, verse['book'], verse['chapter'], verse_sep) elif self.verse_list[prev]['chapter'] != verse['chapter']: - result = '%s%s:' % (result, verse['chapter']) + result = '%s%s%s' % (result, verse['chapter'], verse_sep) result += str(verse['start']) if verse['start'] != verse['end']: - result = '%s-%s' % (result, verse['end']) + result = '%s%s%s' % (result, range_sep, verse['end']) if len(self.version_list) > 1: result = '%s (%s)' % (result, verse['version']) return result - def format_versions(self): + def format_versions(self, copyright=True, permission=True): + """ + Format a string with the bible versions used + + :param copyright: If the copyright info should be included, default is true. + :param permission: If the permission info should be included, default is true. + :return: A formatted string with the bible versions used + """ result = '' for index, version in enumerate(self.version_list): if index > 0: if result[-1] not in [';', ',', '.']: result += ';' result += ' ' - result = '%s%s, %s' % (result, version['version'], version['copyright']) - if version['permission'].strip(): - result = result + ', ' + version['permission'] + result += version['version'] + if copyright and version['copyright'].strip(): + result += ', ' + version['copyright'] + if permission and version['permission'].strip(): + result += ', ' + version['permission'] result = result.rstrip() if result.endswith(','): return result[:len(result) - 1] diff --git a/openlp/plugins/bibles/lib/zefania.py b/openlp/plugins/bibles/lib/zefania.py index 355fb82cf..1f79dcfd9 100644 --- a/openlp/plugins/bibles/lib/zefania.py +++ b/openlp/plugins/bibles/lib/zefania.py @@ -57,7 +57,7 @@ class ZefaniaBible(BibleDB): # NOTE: We don't need to do any of the normal encoding detection here, because lxml does it's own encoding # detection, and the two mechanisms together interfere with each other. import_file = open(self.filename, 'rb') - zefania_bible_tree = etree.parse(import_file) + zefania_bible_tree = etree.parse(import_file, parser=etree.XMLParser(recover=True)) # Find bible language language_id = None language = zefania_bible_tree.xpath("/XMLBIBLE/INFORMATION/language/text()") @@ -69,6 +69,7 @@ class ZefaniaBible(BibleDB): if not language_id: log.error('Importing books from "%s" failed' % self.filename) return False + self.save_meta('language_id', language_id) num_books = int(zefania_bible_tree.xpath("count(//BIBLEBOOK)")) # Strip tags we don't use - keep content etree.strip_tags(zefania_bible_tree, ('STYLE', 'GRAM', 'NOTE', 'SUP', 'XREF')) @@ -76,9 +77,19 @@ class ZefaniaBible(BibleDB): etree.strip_elements(zefania_bible_tree, ('PROLOG', 'REMARK', 'CAPTION', 'MEDIA'), with_tail=False) xmlbible = zefania_bible_tree.getroot() for BIBLEBOOK in xmlbible: - book_ref_id = self.get_book_ref_id_by_name(str(BIBLEBOOK.get('bname')), num_books) - if not book_ref_id: - book_ref_id = self.get_book_ref_id_by_localised_name(str(BIBLEBOOK.get('bname'))) + if self.stop_import_flag: + break + bname = BIBLEBOOK.get('bname') + bnumber = BIBLEBOOK.get('bnumber') + if not bname and not bnumber: + continue + if bname: + book_ref_id = self.get_book_ref_id_by_name(bname, num_books, language_id) + if not book_ref_id: + book_ref_id = self.get_book_ref_id_by_localised_name(bname) + else: + log.debug('Could not find a name, will use number, basically a guess.') + book_ref_id = int(bnumber) if not book_ref_id: log.error('Importing books from "%s" failed' % self.filename) return False @@ -92,9 +103,9 @@ class ZefaniaBible(BibleDB): verse_number = VERS.get("vnumber") self.create_verse(db_book.id, chapter_number, verse_number, VERS.text.replace('
', '\n')) self.wizard.increment_progress_bar( - translate('BiblesPlugin.Zefnia', 'Importing %(bookname)s %(chapter)s...' % - {'bookname': db_book.name, 'chapter': chapter_number})) - self.session.commit() + translate('BiblesPlugin.Zefnia', 'Importing %(bookname)s %(chapter)s...') % + {'bookname': db_book.name, 'chapter': chapter_number}) + self.session.commit() self.application.process_events() except Exception as e: critical_error_message_box( diff --git a/openlp/plugins/custom/customplugin.py b/openlp/plugins/custom/customplugin.py index 1320503d2..e2087b92a 100644 --- a/openlp/plugins/custom/customplugin.py +++ b/openlp/plugins/custom/customplugin.py @@ -36,6 +36,10 @@ log = logging.getLogger(__name__) __default_settings__ = { 'custom/db type': 'sqlite', + 'custom/db username': '', + 'custom/db password': '', + 'custom/db hostname': '', + 'custom/db database': '', 'custom/last search type': CustomSearch.Titles, 'custom/display footer': True, 'custom/add custom from service': True diff --git a/openlp/plugins/custom/lib/mediaitem.py b/openlp/plugins/custom/lib/mediaitem.py index 8667292ec..dc0411ad8 100644 --- a/openlp/plugins/custom/lib/mediaitem.py +++ b/openlp/plugins/custom/lib/mediaitem.py @@ -158,6 +158,10 @@ class CustomMediaItem(MediaManagerItem): self.remote_triggered = None self.remote_custom = 1 if item: + if preview: + # A custom slide can only be edited if it comes from plugin, + # so we set it again for the new item. + item.from_plugin = True return item return None diff --git a/openlp/plugins/images/imageplugin.py b/openlp/plugins/images/imageplugin.py index 197ed6c02..743c20ad9 100644 --- a/openlp/plugins/images/imageplugin.py +++ b/openlp/plugins/images/imageplugin.py @@ -35,6 +35,10 @@ log = logging.getLogger(__name__) __default_settings__ = { 'images/db type': 'sqlite', + 'images/db username': '', + 'images/db password': '', + 'images/db hostname': '', + 'images/db database': '', 'images/background color': '#000000', } diff --git a/openlp/plugins/images/lib/mediaitem.py b/openlp/plugins/images/lib/mediaitem.py index a52b25d8a..5c28de338 100644 --- a/openlp/plugins/images/lib/mediaitem.py +++ b/openlp/plugins/images/lib/mediaitem.py @@ -205,6 +205,7 @@ class ImageMediaItem(MediaManagerItem): images = self.manager.get_all_objects(ImageFilenames, ImageFilenames.group_id == image_group.id) for image in images: delete_file(os.path.join(self.service_path, os.path.split(image.filename)[1])) + delete_file(self.generate_thumbnail_path(image)) self.manager.delete_object(ImageFilenames, image.id) image_groups = self.manager.get_all_objects(ImageGroups, ImageGroups.parent_id == image_group.id) for group in image_groups: @@ -227,6 +228,7 @@ class ImageMediaItem(MediaManagerItem): item_data = row_item.data(0, QtCore.Qt.UserRole) if isinstance(item_data, ImageFilenames): delete_file(os.path.join(self.service_path, row_item.text(0))) + delete_file(self.generate_thumbnail_path(item_data)) if item_data.group_id == 0: self.list_view.takeTopLevelItem(self.list_view.indexOfTopLevelItem(row_item)) else: @@ -549,6 +551,7 @@ class ImageMediaItem(MediaManagerItem): service_item.title = items[0].text(0) else: service_item.title = str(self.plugin.name_strings['plural']) + service_item.add_capability(ItemCapabilities.CanMaintain) service_item.add_capability(ItemCapabilities.CanPreview) service_item.add_capability(ItemCapabilities.CanLoop) @@ -695,3 +698,15 @@ class ImageMediaItem(MediaManagerItem): filename = os.path.split(str(file_object.filename))[1] results.append([file_object.filename, filename]) return results + + def create_item_from_id(self, item_id): + """ + Create a media item from an item id. Overridden from the parent method to change the item type. + + :param item_id: Id to make live + """ + item = QtGui.QTreeWidgetItem() + item_data = self.manager.get_object_filtered(ImageFilenames, ImageFilenames.filename == item_id) + item.setText(0, os.path.basename(item_data.filename)) + item.setData(0, QtCore.Qt.UserRole, item_data) + return item diff --git a/openlp/plugins/media/lib/mediaitem.py b/openlp/plugins/media/lib/mediaitem.py index fbee45b96..f34e88926 100644 --- a/openlp/plugins/media/lib/mediaitem.py +++ b/openlp/plugins/media/lib/mediaitem.py @@ -33,8 +33,8 @@ from openlp.core.lib.ui import critical_error_message_box, create_horizontal_adj from openlp.core.ui import DisplayController, Display, DisplayControllerType from openlp.core.ui.media import get_media_players, set_media_players, parse_optical_path, format_milliseconds from openlp.core.utils import get_locale_key -from openlp.core.ui.media.vlcplayer import VLC_AVAILABLE -if VLC_AVAILABLE: +from openlp.core.ui.media.vlcplayer import get_vlc +if get_vlc() is not None: from openlp.plugins.media.forms.mediaclipselectorform import MediaClipSelectorForm @@ -91,7 +91,10 @@ class MediaMediaItem(MediaManagerItem, RegistryProperties): """ self.on_new_prompt = translate('MediaPlugin.MediaItem', 'Select Media') self.replace_action.setText(UiStrings().ReplaceBG) - self.replace_action.setToolTip(UiStrings().ReplaceLiveBG) + if 'webkit' in get_media_players()[0]: + self.replace_action.setToolTip(UiStrings().ReplaceLiveBG) + else: + self.replace_action.setToolTip(UiStrings().ReplaceLiveBGDisabled) self.reset_action.setText(UiStrings().ResetBG) self.reset_action.setToolTip(UiStrings().ResetLiveBG) self.automatic = UiStrings().Automatic @@ -139,6 +142,8 @@ class MediaMediaItem(MediaManagerItem, RegistryProperties): # Replace backgrounds do not work at present so remove functionality. self.replace_action = self.toolbar.add_toolbar_action('replace_action', icon=':/slides/slide_blank.png', triggers=self.on_replace_click) + if 'webkit' not in get_media_players()[0]: + self.replace_action.setDisabled(True) self.reset_action = self.toolbar.add_toolbar_action('reset_action', icon=':/system/system_close.png', visible=False, triggers=self.on_reset_click) self.media_widget = QtGui.QWidget(self) @@ -340,6 +345,7 @@ class MediaMediaItem(MediaManagerItem, RegistryProperties): media.sort(key=lambda file_name: get_locale_key(os.path.split(str(file_name))[1])) for track in media: track_info = QtCore.QFileInfo(track) + item_name = None if track.startswith('optical:'): # Handle optical based item (file_name, title, audio_track, subtitle_track, start, end, clip_name) = parse_optical_path(track) @@ -364,7 +370,8 @@ class MediaMediaItem(MediaManagerItem, RegistryProperties): item_name.setIcon(VIDEO_ICON) item_name.setData(QtCore.Qt.UserRole, track) item_name.setToolTip(track) - self.list_view.addItem(item_name) + if item_name: + self.list_view.addItem(item_name) def get_list(self, type=MediaType.Audio): """ diff --git a/openlp/plugins/media/mediaplugin.py b/openlp/plugins/media/mediaplugin.py index 3db6656cd..1aa410af0 100644 --- a/openlp/plugins/media/mediaplugin.py +++ b/openlp/plugins/media/mediaplugin.py @@ -19,12 +19,15 @@ # with this program; if not, write to the Free Software Foundation, Inc., 59 # # Temple Place, Suite 330, Boston, MA 02111-1307 USA # ############################################################################### +""" +The Media plugin +""" import logging from PyQt4 import QtCore -from openlp.core.common import translate +from openlp.core.common import Settings, translate from openlp.core.lib import Plugin, StringContent, build_icon from openlp.plugins.media.lib import MediaMediaItem, MediaTab @@ -40,6 +43,9 @@ __default_settings__ = { class MediaPlugin(Plugin): + """ + The media plugin adds the ability to playback audio and video content. + """ log.info('%s MediaPlugin loaded', __name__) def __init__(self): @@ -50,14 +56,38 @@ class MediaPlugin(Plugin): # passed with drag and drop messages self.dnd_id = 'Media' + def initialise(self): + """ + Override the inherited initialise() method in order to upgrade the media before trying to load it + """ + # FIXME: Remove after 2.2 release. + # This is needed to load the list of media from the config saved before the settings rewrite. + if self.media_item_class is not None: + loaded_list = Settings().get_files_from_config(self) + # Now save the list to the config using our Settings class. + if loaded_list: + Settings().setValue('%s/%s files' % (self.settings_section, self.name), loaded_list) + super().initialise() + + def app_startup(self): + """ + Override app_startup() in order to do nothing + """ + pass + def create_settings_tab(self, parent): """ Create the settings Tab + + :param parent: """ visible_name = self.get_string(StringContent.VisibleName) self.settings_tab = MediaTab(parent, self.name, visible_name['title'], self.icon_path) def about(self): + """ + Return the about text for the plugin manager + """ about_text = translate('MediaPlugin', 'Media Plugin' '
The media plugin provides playback of audio and video.') return about_text diff --git a/openlp/plugins/presentations/lib/impresscontroller.py b/openlp/plugins/presentations/lib/impresscontroller.py index 0d87b9543..d70dfc8a4 100644 --- a/openlp/plugins/presentations/lib/impresscontroller.py +++ b/openlp/plugins/presentations/lib/impresscontroller.py @@ -428,7 +428,7 @@ class ImpressDocument(PresentationDocument): """ Triggers the previous slide on the running presentation. """ - self.control.gotoPreviousSlide() + self.control.gotoPreviousEffect() def get_slide_text(self, slide_no): """ diff --git a/openlp/plugins/presentations/lib/mediaitem.py b/openlp/plugins/presentations/lib/mediaitem.py index 10b295235..63fd20ba5 100644 --- a/openlp/plugins/presentations/lib/mediaitem.py +++ b/openlp/plugins/presentations/lib/mediaitem.py @@ -230,17 +230,27 @@ class PresentationMediaItem(MediaManagerItem): Settings().setValue(self.settings_section + '/presentations files', self.get_file_list()) self.application.set_normal_cursor() - def clean_up_thumbnails(self, filepath): + def clean_up_thumbnails(self, filepath, clean_for_update=False): """ Clean up the files created such as thumbnails :param filepath: File path of the presention to clean up after + :param clean_for_update: Only clean thumbnails if update is needed :return: None """ for cidx in self.controllers: - doc = self.controllers[cidx].add_document(filepath) - doc.presentation_deleted() - doc.close_presentation() + root, file_ext = os.path.splitext(filepath) + file_ext = file_ext[1:] + if file_ext in self.controllers[cidx].supports or file_ext in self.controllers[cidx].also_supports: + doc = self.controllers[cidx].add_document(filepath) + if clean_for_update: + thumb_path = doc.get_thumbnail_path(1, True) + if not thumb_path or not os.path.exists(filepath) or os.path.getmtime( + thumb_path) < os.path.getmtime(filepath): + doc.presentation_deleted() + else: + doc.presentation_deleted() + doc.close_presentation() def generate_slide_data(self, service_item, item=None, xml_version=False, remote=False, context=ServiceItemContext.Service, presentation_file=None): diff --git a/openlp/plugins/presentations/lib/messagelistener.py b/openlp/plugins/presentations/lib/messagelistener.py index 778150039..c420d5f3a 100644 --- a/openlp/plugins/presentations/lib/messagelistener.py +++ b/openlp/plugins/presentations/lib/messagelistener.py @@ -93,7 +93,7 @@ class Controller(object): return True if not self.doc.is_loaded(): if not self.doc.load_presentation(): - log.warning('Failed to activate %s' % self.doc.filepath) + log.warning('Failed to activate %s' % self.doc.file_path) return False if self.is_live: self.doc.start_presentation() @@ -104,7 +104,7 @@ class Controller(object): if self.doc.is_active(): return True else: - log.warning('Failed to activate %s' % self.doc.filepath) + log.warning('Failed to activate %s' % self.doc.file_path) return False def slide(self, slide): diff --git a/openlp/plugins/presentations/lib/powerpointcontroller.py b/openlp/plugins/presentations/lib/powerpointcontroller.py index 550411760..2fb07f3ad 100644 --- a/openlp/plugins/presentations/lib/powerpointcontroller.py +++ b/openlp/plugins/presentations/lib/powerpointcontroller.py @@ -22,11 +22,14 @@ """ This module is for controlling powerpoint. PPT API documentation: `http://msdn.microsoft.com/en-us/library/aa269321(office.10).aspx`_ +2010: https://msdn.microsoft.com/en-us/library/office/ff743835%28v=office.14%29.aspx +2013: https://msdn.microsoft.com/en-us/library/office/ff743835.aspx """ import os import logging +import time -from openlp.core.common import is_win +from openlp.core.common import is_win, Settings if is_win(): from win32com.client import Dispatch @@ -36,9 +39,8 @@ if is_win(): import pywintypes from openlp.core.lib import ScreenList -from openlp.core.common import Registry from openlp.core.lib.ui import UiStrings, critical_error_message_box, translate -from openlp.core.common import trace_error_handler +from openlp.core.common import trace_error_handler, Registry from .presentationcontroller import PresentationController, PresentationDocument log = logging.getLogger(__name__) @@ -82,6 +84,7 @@ class PowerpointController(PresentationController): if not self.process: self.process = Dispatch('PowerPoint.Application') self.process.Visible = True + # ppWindowMinimized = 2 self.process.WindowState = 2 def kill(self): @@ -97,8 +100,10 @@ class PowerpointController(PresentationController): if self.process.Presentations.Count > 0: return self.process.Quit() - except (AttributeError, pywintypes.com_error): - pass + except (AttributeError, pywintypes.com_error) as e: + log.exception('Exception caught while killing powerpoint process') + log.exception(e) + trace_error_handler(log) self.process = None @@ -117,6 +122,8 @@ class PowerpointDocument(PresentationDocument): log.debug('Init Presentation Powerpoint') super(PowerpointDocument, self).__init__(controller, presentation) self.presentation = None + self.index_map = {} + self.slide_count = 0 def load_presentation(self): """ @@ -131,16 +138,21 @@ class PowerpointDocument(PresentationDocument): self.presentation = self.controller.process.Presentations(self.controller.process.Presentations.Count) self.create_thumbnails() self.create_titles_and_notes() - # Powerpoint 2013 pops up when loading a file, so we minimize it again - if self.presentation.Application.Version == u'15.0': + # Powerpoint 2010 and 2013 pops up when loading a file, so we minimize it again + if float(self.presentation.Application.Version) >= 14.0: try: + # ppWindowMinimized = 2 self.presentation.Application.WindowState = 2 - except: - log.error('Failed to minimize main powerpoint window') + except (AttributeError, pywintypes.com_error) as e: + log.exception('Failed to minimize main powerpoint window') + log.exception(e) trace_error_handler(log) + # Make sure powerpoint doesn't steal focus + Registry().get('main_window').activateWindow() return True - except pywintypes.com_error: - log.error('PPT open failed') + except (AttributeError, pywintypes.com_error) as e: + log.exception('Exception caught while loading Powerpoint presentation') + log.exception(e) trace_error_handler(log) return False @@ -158,9 +170,14 @@ class PowerpointDocument(PresentationDocument): log.debug('create_thumbnails') if self.check_thumbnails(): return + key = 1 for num in range(self.presentation.Slides.Count): - self.presentation.Slides(num + 1).Export( - os.path.join(self.get_thumbnail_folder(), 'slide%d.png' % (num + 1)), 'png', 320, 240) + if not self.presentation.Slides(num + 1).SlideShowTransition.Hidden: + self.index_map[key] = num + 1 + self.presentation.Slides(num + 1).Export( + os.path.join(self.get_thumbnail_folder(), 'slide%d.png' % (key)), 'png', 320, 240) + key += 1 + self.slide_count = key - 1 def close_presentation(self): """ @@ -171,10 +188,14 @@ class PowerpointDocument(PresentationDocument): if self.presentation: try: self.presentation.Close() - except pywintypes.com_error: - pass + except (AttributeError, pywintypes.com_error) as e: + log.exception('Caught exception while closing powerpoint presentation') + log.exception(e) + trace_error_handler(log) self.presentation = None self.controller.remove_doc(self) + # Make sure powerpoint doesn't steal focus + Registry().get('main_window').activateWindow() def is_loaded(self): """ @@ -188,7 +209,10 @@ class PowerpointDocument(PresentationDocument): return False if self.controller.process.Presentations.Count == 0: return False - except (AttributeError, pywintypes.com_error): + except (AttributeError, pywintypes.com_error) as e: + log.exception('Caught exception while in is_loaded') + log.exception(e) + trace_error_handler(log) return False return True @@ -204,7 +228,10 @@ class PowerpointDocument(PresentationDocument): return False if self.presentation.SlideShowWindow.View is None: return False - except (AttributeError, pywintypes.com_error): + except (AttributeError, pywintypes.com_error) as e: + log.exception('Caught exception while in is_active') + log.exception(e) + trace_error_handler(log) return False return True @@ -215,19 +242,21 @@ class PowerpointDocument(PresentationDocument): log.debug('unblank_screen') try: self.presentation.SlideShowSettings.Run() + # ppSlideShowRunning = 1 self.presentation.SlideShowWindow.View.State = 1 self.presentation.SlideShowWindow.Activate() - if self.presentation.Application.Version == '14.0': - # Unblanking is broken in PowerPoint 2010, need to redisplay - slide = self.presentation.SlideShowWindow.View.CurrentShowPosition - click = self.presentation.SlideShowWindow.View.GetClickIndex() - self.presentation.SlideShowWindow.View.GotoSlide(slide) - if click: - self.presentation.SlideShowWindow.View.GotoClick(click) - except pywintypes.com_error: - log.error('COM error while in unblank_screen') + # Unblanking is broken in PowerPoint 2010 and 2013, need to redisplay + if float(self.presentation.Application.Version) >= 14.0: + self.presentation.SlideShowWindow.View.GotoSlide(self.blank_slide, False) + if self.blank_click: + self.presentation.SlideShowWindow.View.GotoClick(self.blank_click) + except (AttributeError, pywintypes.com_error) as e: + log.exception('Caught exception while in unblank_screen') + log.exception(e) trace_error_handler(log) self.show_error_msg() + # Make sure powerpoint doesn't steal focus + Registry().get('main_window').activateWindow() def blank_screen(self): """ @@ -235,9 +264,15 @@ class PowerpointDocument(PresentationDocument): """ log.debug('blank_screen') try: + # Unblanking is broken in PowerPoint 2010 and 2013, need to save info for later + if float(self.presentation.Application.Version) >= 14.0: + self.blank_slide = self.get_slide_number() + self.blank_click = self.presentation.SlideShowWindow.View.GetClickIndex() + # ppSlideShowBlackScreen = 3 self.presentation.SlideShowWindow.View.State = 3 - except pywintypes.com_error: - log.error('COM error while in blank_screen') + except (AttributeError, pywintypes.com_error) as e: + log.exception('Caught exception while in blank_screen') + log.exception(e) trace_error_handler(log) self.show_error_msg() @@ -248,9 +283,11 @@ class PowerpointDocument(PresentationDocument): log.debug('is_blank') if self.is_active(): try: + # ppSlideShowBlackScreen = 3 return self.presentation.SlideShowWindow.View.State == 3 - except pywintypes.com_error: - log.error('COM error while in is_blank') + except (AttributeError, pywintypes.com_error) as e: + log.exception('Caught exception while in is_blank') + log.exception(e) trace_error_handler(log) self.show_error_msg() else: @@ -263,8 +300,9 @@ class PowerpointDocument(PresentationDocument): log.debug('stop_presentation') try: self.presentation.SlideShowWindow.View.Exit() - except pywintypes.com_error: - log.error('COM error while in stop_presentation') + except (AttributeError, pywintypes.com_error) as e: + log.exception('Caught exception while in stop_presentation') + log.exception(e) trace_error_handler(log) self.show_error_msg() @@ -292,15 +330,19 @@ class PowerpointDocument(PresentationDocument): ppt_window.Left = size.x() * 72 / dpi ppt_window.Width = size.width() * 72 / dpi except AttributeError as e: - log.error('AttributeError while in start_presentation') - log.error(e) - # Powerpoint 2013 pops up when starting a file, so we minimize it again - if self.presentation.Application.Version == u'15.0': + log.exception('AttributeError while in start_presentation') + log.exception(e) + # Powerpoint 2010 and 2013 pops up when starting a file, so we minimize it again + if float(self.presentation.Application.Version) >= 14.0: try: + # ppWindowMinimized = 2 self.presentation.Application.WindowState = 2 - except: - log.error('Failed to minimize main powerpoint window') + except (AttributeError, pywintypes.com_error) as e: + log.exception('Failed to minimize main powerpoint window') + log.exception(e) trace_error_handler(log) + # Make sure powerpoint doesn't steal focus + Registry().get('main_window').activateWindow() def get_slide_number(self): """ @@ -309,9 +351,19 @@ class PowerpointDocument(PresentationDocument): log.debug('get_slide_number') ret = 0 try: - ret = self.presentation.SlideShowWindow.View.CurrentShowPosition - except pywintypes.com_error: - log.error('COM error while in get_slide_number') + # We need 2 approaches to getting the current slide number, because + # SlideShowWindow.View.Slide.SlideIndex wont work on the end-slide where Slide isn't available, and + # SlideShowWindow.View.CurrentShowPosition returns 0 when called when a transistion is executing (in 2013) + # So we use SlideShowWindow.View.Slide.SlideIndex unless the state is done (ppSlideShowDone = 5) + if self.presentation.SlideShowWindow.View.State != 5: + ret = self.presentation.SlideShowWindow.View.Slide.SlideNumber + # Do reverse lookup in the index_map to find the slide number to return + ret = next((key for key, slidenum in self.index_map.items() if slidenum == ret), None) + else: + ret = self.presentation.SlideShowWindow.View.CurrentShowPosition + except (AttributeError, pywintypes.com_error) as e: + log.exception('Caught exception while in get_slide_number') + log.exception(e) trace_error_handler(log) self.show_error_msg() return ret @@ -321,14 +373,7 @@ class PowerpointDocument(PresentationDocument): Returns total number of slides. """ log.debug('get_slide_count') - ret = 0 - try: - ret = self.presentation.Slides.Count - except pywintypes.com_error: - log.error('COM error while in get_slide_count') - trace_error_handler(log) - self.show_error_msg() - return ret + return self.slide_count def goto_slide(self, slide_no): """ @@ -338,9 +383,19 @@ class PowerpointDocument(PresentationDocument): """ log.debug('goto_slide') try: - self.presentation.SlideShowWindow.View.GotoSlide(slide_no) - except pywintypes.com_error: - log.error('COM error while in goto_slide') + if Settings().value('presentations/powerpoint slide click advance') \ + and self.get_slide_number() == self.index_map[slide_no]: + click_index = self.presentation.SlideShowWindow.View.GetClickIndex() + click_count = self.presentation.SlideShowWindow.View.GetClickCount() + log.debug('We are already on this slide - go to next effect if any left, idx: %d, count: %d' + % (click_index, click_count)) + if click_index < click_count: + self.next_step() + else: + self.presentation.SlideShowWindow.View.GotoSlide(self.index_map[slide_no]) + except (AttributeError, pywintypes.com_error) as e: + log.exception('Caught exception while in goto_slide') + log.exception(e) trace_error_handler(log) self.show_error_msg() @@ -351,12 +406,14 @@ class PowerpointDocument(PresentationDocument): log.debug('next_step') try: self.presentation.SlideShowWindow.View.Next() - except pywintypes.com_error: - log.error('COM error while in next_step') + except (AttributeError, pywintypes.com_error) as e: + log.exception('Caught exception while in next_step') + log.exception(e) trace_error_handler(log) self.show_error_msg() return if self.get_slide_number() > self.get_slide_count(): + log.debug('past end, stepping back to previous') self.previous_step() def previous_step(self): @@ -366,8 +423,9 @@ class PowerpointDocument(PresentationDocument): log.debug('previous_step') try: self.presentation.SlideShowWindow.View.Previous() - except pywintypes.com_error: - log.error('COM error while in previous_step') + except (AttributeError, pywintypes.com_error) as e: + log.exception('Caught exception while in previous_step') + log.exception(e) trace_error_handler(log) self.show_error_msg() @@ -377,7 +435,7 @@ class PowerpointDocument(PresentationDocument): :param slide_no: The slide the text is required for, starting at 1 """ - return _get_text_from_shapes(self.presentation.Slides(slide_no).Shapes) + return _get_text_from_shapes(self.presentation.Slides(self.index_map[slide_no]).Shapes) def get_slide_notes(self, slide_no): """ @@ -385,7 +443,7 @@ class PowerpointDocument(PresentationDocument): :param slide_no: The slide the text is required for, starting at 1 """ - return _get_text_from_shapes(self.presentation.Slides(slide_no).NotesPage.Shapes) + return _get_text_from_shapes(self.presentation.Slides(self.index_map[slide_no]).NotesPage.Shapes) def create_titles_and_notes(self): """ @@ -396,7 +454,8 @@ class PowerpointDocument(PresentationDocument): """ titles = [] notes = [] - for slide in self.presentation.Slides: + for num in range(self.get_slide_count()): + slide = self.presentation.Slides(self.index_map[num + 1]) try: text = slide.Shapes.Title.TextFrame.TextRange.Text except Exception as e: @@ -413,7 +472,11 @@ class PowerpointDocument(PresentationDocument): """ Stop presentation and display an error message. """ - self.stop_presentation() + try: + self.presentation.SlideShowWindow.View.Exit() + except (AttributeError, pywintypes.com_error) as e: + log.exception('Failed to exit Powerpoint presentation after error') + log.exception(e) critical_error_message_box(UiStrings().Error, translate('PresentationPlugin.PowerpointDocument', 'An error occurred in the Powerpoint integration ' 'and the presentation will be stopped. ' diff --git a/openlp/plugins/presentations/lib/presentationcontroller.py b/openlp/plugins/presentations/lib/presentationcontroller.py index 55e666e87..6deba3955 100644 --- a/openlp/plugins/presentations/lib/presentationcontroller.py +++ b/openlp/plugins/presentations/lib/presentationcontroller.py @@ -132,9 +132,9 @@ class PresentationDocument(object): """ The location where thumbnail images will be stored """ - # TODO: If statment can be removed when the upgrade path from 2.0.x to 2.2.x is no longer needed + # TODO: If statement can be removed when the upgrade path from 2.0.x to 2.2.x is no longer needed if Settings().value('presentations/thumbnail_scheme') == 'md5': - folder = md5_hash(self.file_path) + folder = md5_hash(self.file_path.encode('utf-8')) else: folder = self.get_file_name() return os.path.join(self.controller.thumbnail_folder, folder) @@ -143,9 +143,9 @@ class PresentationDocument(object): """ The location where thumbnail images will be stored """ - # TODO: If statment can be removed when the upgrade path from 2.0.x to 2.2.x is no longer needed + # TODO: If statement can be removed when the upgrade path from 2.0.x to 2.2.x is no longer needed if Settings().value('presentations/thumbnail_scheme') == 'md5': - folder = md5_hash(self.file_path) + folder = md5_hash(self.file_path.encode('utf-8')) else: folder = folder = self.get_file_name() return os.path.join(self.controller.temp_folder, folder) @@ -306,7 +306,7 @@ class PresentationDocument(object): titles_file = os.path.join(self.get_thumbnail_folder(), 'titles.txt') if os.path.exists(titles_file): try: - with open(titles_file) as fi: + with open(titles_file, encoding='utf-8') as fi: titles = fi.read().splitlines() except: log.exception('Failed to open/read existing titles file') @@ -316,7 +316,7 @@ class PresentationDocument(object): note = '' if os.path.exists(notes_file): try: - with open(notes_file) as fn: + with open(notes_file, encoding='utf-8') as fn: note = fn.read() except: log.exception('Failed to open/read notes file') @@ -331,12 +331,12 @@ class PresentationDocument(object): """ if titles: titles_file = os.path.join(self.get_thumbnail_folder(), 'titles.txt') - with open(titles_file, mode='w') as fo: + with open(titles_file, mode='wt', encoding='utf-8') as fo: fo.writelines(titles) if notes: for slide_no, note in enumerate(notes, 1): notes_file = os.path.join(self.get_thumbnail_folder(), 'slideNotes%d.txt' % slide_no) - with open(notes_file, mode='w') as fn: + with open(notes_file, mode='wt', encoding='utf-8') as fn: fn.write(note) diff --git a/openlp/plugins/presentations/lib/presentationtab.py b/openlp/plugins/presentations/lib/presentationtab.py index d237cf2df..4075bc25b 100644 --- a/openlp/plugins/presentations/lib/presentationtab.py +++ b/openlp/plugins/presentations/lib/presentationtab.py @@ -68,6 +68,15 @@ class PresentationTab(SettingsTab): self.override_app_check_box.setObjectName('override_app_check_box') self.advanced_layout.addWidget(self.override_app_check_box) self.left_layout.addWidget(self.advanced_group_box) + # PowerPoint + self.powerpoint_group_box = QtGui.QGroupBox(self.left_column) + self.powerpoint_group_box.setObjectName('powerpoint_group_box') + self.powerpoint_layout = QtGui.QVBoxLayout(self.powerpoint_group_box) + self.powerpoint_layout.setObjectName('powerpoint_layout') + self.ppt_slide_click_check_box = QtGui.QCheckBox(self.powerpoint_group_box) + self.powerpoint_group_box.setObjectName('ppt_slide_click_check_box') + self.powerpoint_layout.addWidget(self.ppt_slide_click_check_box) + self.left_layout.addWidget(self.powerpoint_group_box) # Pdf options self.pdf_group_box = QtGui.QGroupBox(self.left_column) self.pdf_group_box.setObjectName('pdf_group_box') @@ -108,8 +117,12 @@ class PresentationTab(SettingsTab): self.set_controller_text(checkbox, controller) self.advanced_group_box.setTitle(UiStrings().Advanced) self.pdf_group_box.setTitle(translate('PresentationPlugin.PresentationTab', 'PDF options')) + self.powerpoint_group_box.setTitle(translate('PresentationPlugin.PresentationTab', 'PowerPoint options')) self.override_app_check_box.setText( translate('PresentationPlugin.PresentationTab', 'Allow presentation application to be overridden')) + self.ppt_slide_click_check_box.setText( + translate('PresentationPlugin.PresentationTab', + 'Clicking on a selected slide in the slidecontroller advances to next effect.')) self.pdf_program_check_box.setText( translate('PresentationPlugin.PresentationTab', 'Use given full path for mudraw or ghostscript binary:')) @@ -123,11 +136,18 @@ class PresentationTab(SettingsTab): """ Load the settings. """ + powerpoint_available = False for key in self.controllers: controller = self.controllers[key] checkbox = self.presenter_check_boxes[controller.name] checkbox.setChecked(Settings().value(self.settings_section + '/' + controller.name)) + if controller.name == 'Powerpoint' and controller.is_available(): + powerpoint_available = True self.override_app_check_box.setChecked(Settings().value(self.settings_section + '/override app')) + # Load Powerpoint settings + self.ppt_slide_click_check_box.setChecked(Settings().value(self.settings_section + + '/powerpoint slide click advance')) + self.ppt_slide_click_check_box.setEnabled(powerpoint_available) # load pdf-program settings enable_pdf_program = Settings().value(self.settings_section + '/enable_pdf_program') self.pdf_program_check_box.setChecked(enable_pdf_program) @@ -161,6 +181,11 @@ class PresentationTab(SettingsTab): if Settings().value(setting_key) != self.override_app_check_box.checkState(): Settings().setValue(setting_key, self.override_app_check_box.checkState()) changed = True + # Save powerpoint settings + setting_key = self.settings_section + '/powerpoint slide click advance' + if Settings().value(setting_key) != self.ppt_slide_click_check_box.checkState(): + Settings().setValue(setting_key, self.ppt_slide_click_check_box.checkState()) + changed = True # Save pdf-settings pdf_program = self.pdf_program_path.text() enable_pdf_program = self.pdf_program_check_box.checkState() diff --git a/openlp/plugins/presentations/presentationplugin.py b/openlp/plugins/presentations/presentationplugin.py index 44470b578..589fb1ecf 100644 --- a/openlp/plugins/presentations/presentationplugin.py +++ b/openlp/plugins/presentations/presentationplugin.py @@ -44,7 +44,8 @@ __default_settings__ = {'presentations/override app': QtCore.Qt.Unchecked, 'presentations/Powerpoint Viewer': QtCore.Qt.Checked, 'presentations/Pdf': QtCore.Qt.Checked, 'presentations/presentations files': [], - 'presentations/thumbnail_scheme': '' + 'presentations/thumbnail_scheme': '', + 'presentations/powerpoint slide click advance': QtCore.Qt.Unchecked } @@ -144,7 +145,7 @@ class PresentationPlugin(Plugin): files_from_config = Settings().value('presentations/presentations files') for file in files_from_config: try: - self.media_item.clean_up_thumbnails(file) + self.media_item.clean_up_thumbnails(file, True) except AttributeError: pass self.media_item.list_view.clear() diff --git a/openlp/plugins/remotes/lib/httprouter.py b/openlp/plugins/remotes/lib/httprouter.py index ae50eab40..d12898514 100644 --- a/openlp/plugins/remotes/lib/httprouter.py +++ b/openlp/plugins/remotes/lib/httprouter.py @@ -117,7 +117,7 @@ from urllib.parse import urlparse, parse_qs from mako.template import Template from PyQt4 import QtCore -from openlp.core.common import Registry, RegistryProperties, AppLocation, Settings, translate +from openlp.core.common import RegistryProperties, AppLocation, Settings, translate, UiStrings from openlp.core.lib import PluginStatus, StringContent, image_to_byte, ItemCapabilities, create_thumb log = logging.getLogger(__name__) @@ -232,12 +232,18 @@ class HttpRouter(RegistryProperties): return func, args return None, None + def set_cache_headers(self): + self.send_header("Cache-Control", "no-cache, no-store, must-revalidate") + self.send_header("Pragma", "no-cache") + self.send_header("Expires", "0") + def do_http_success(self): """ Create a success http header. """ self.send_response(200) self.send_header('Content-type', 'text/html') + self.set_cache_headers() self.end_headers() def do_json_header(self): @@ -246,6 +252,7 @@ class HttpRouter(RegistryProperties): """ self.send_response(200) self.send_header('Content-type', 'application/json') + self.set_cache_headers() self.end_headers() def do_http_error(self): @@ -254,6 +261,7 @@ class HttpRouter(RegistryProperties): """ self.send_response(404) self.send_header('Content-type', 'text/html') + self.set_cache_headers() self.end_headers() def do_authorisation(self): @@ -261,8 +269,10 @@ class HttpRouter(RegistryProperties): Create a needs authorisation http header. """ self.send_response(401) - self.send_header('WWW-Authenticate', 'Basic realm=\"Test\"') + header = 'Basic realm=\"{}\"'.format(UiStrings().OLPV2) + self.send_header('WWW-Authenticate', header) self.send_header('Content-type', 'text/html') + self.set_cache_headers() self.end_headers() def do_not_found(self): @@ -271,6 +281,7 @@ class HttpRouter(RegistryProperties): """ self.send_response(404) self.send_header('Content-type', 'text/html') + self.set_cache_headers() self.end_headers() self.wfile.write(bytes('Sorry, an error occurred ', 'UTF-8')) diff --git a/openlp/plugins/songs/forms/editverseform.py b/openlp/plugins/songs/forms/editverseform.py index 7e99c24ca..5fe96e7f0 100644 --- a/openlp/plugins/songs/forms/editverseform.py +++ b/openlp/plugins/songs/forms/editverseform.py @@ -43,6 +43,7 @@ class EditVerseForm(QtGui.QDialog, Ui_EditVerseDialog): """ super(EditVerseForm, self).__init__(parent) self.setupUi(self) + self.has_single_verse = False self.insert_button.clicked.connect(self.on_insert_button_clicked) self.split_button.clicked.connect(self.on_split_button_clicked) self.verse_text_edit.cursorPositionChanged.connect(self.on_cursor_position_changed) @@ -98,6 +99,8 @@ class EditVerseForm(QtGui.QDialog, Ui_EditVerseDialog): """ Adjusts the verse number SpinBox in regard to the selected verse type and the cursor's position. """ + if self.has_single_verse: + return position = self.verse_text_edit.textCursor().position() text = self.verse_text_edit.toPlainText() verse_name = VerseType.translated_names[ diff --git a/openlp/plugins/songs/forms/songexportform.py b/openlp/plugins/songs/forms/songexportform.py index 9caf7a446..f96c46638 100644 --- a/openlp/plugins/songs/forms/songexportform.py +++ b/openlp/plugins/songs/forms/songexportform.py @@ -244,12 +244,16 @@ class SongExportForm(OpenLPWizard): for song in self._find_list_widget_items(self.selected_list_widget) ] exporter = OpenLyricsExport(self, songs, self.directory_line_edit.text()) - if exporter.do_export(): - self.progress_label.setText( - translate('SongsPlugin.SongExportForm', - 'Finished export. To import these files use the OpenLyrics importer.')) - else: - self.progress_label.setText(translate('SongsPlugin.SongExportForm', 'Your song export failed.')) + try: + if exporter.do_export(): + self.progress_label.setText( + translate('SongsPlugin.SongExportForm', + 'Finished export. To import these files use the OpenLyrics importer.')) + else: + self.progress_label.setText(translate('SongsPlugin.SongExportForm', 'Your song export failed.')) + except OSError as ose: + self.progress_label.setText(translate('SongsPlugin.SongExportForm', 'Your song export failed because this ' + 'error occurred: %s') % ose.strerror) def _find_list_widget_items(self, list_widget, text=''): """ diff --git a/openlp/plugins/songs/forms/songselectform.py b/openlp/plugins/songs/forms/songselectform.py index c208988f7..d006bde76 100755 --- a/openlp/plugins/songs/forms/songselectform.py +++ b/openlp/plugins/songs/forms/songselectform.py @@ -187,6 +187,14 @@ class SongSelectForm(QtGui.QDialog, Ui_SongSelectDialog): self.application.process_events() # Get the full song song = self.song_select_importer.get_song(song, self._update_song_progress) + if not song: + QtGui.QMessageBox.critical( + self, translate('SongsPlugin.SongSelectForm', 'Incomplete song'), + translate('SongsPlugin.SongSelectForm', 'This song is missing some information, like the lyrics, ' + 'and cannot be imported.'), + QtGui.QMessageBox.StandardButtons(QtGui.QMessageBox.Ok), QtGui.QMessageBox.Ok) + self.stacked_widget.setCurrentIndex(1) + return # Update the UI self.title_edit.setText(song['title']) self.copyright_edit.setText(song['copyright']) @@ -359,15 +367,12 @@ class SongSelectForm(QtGui.QDialog, Ui_SongSelectDialog): Import a song from SongSelect. """ self.song_select_importer.save_song(self.song) - question_dialog = QtGui.QMessageBox() - question_dialog.setWindowTitle(translate('SongsPlugin.SongSelectForm', 'Song Imported')) - question_dialog.setText(translate('SongsPlugin.SongSelectForm', 'Your song has been imported, would you like ' - 'to exit now, or import more songs?')) - question_dialog.addButton(QtGui.QPushButton(translate('SongsPlugin.SongSelectForm', 'Import More Songs')), - QtGui.QMessageBox.YesRole) - question_dialog.addButton(QtGui.QPushButton(translate('SongsPlugin.SongSelectForm', 'Exit Now')), - QtGui.QMessageBox.NoRole) - if question_dialog.exec_() == QtGui.QMessageBox.Yes: + self.song = None + if QtGui.QMessageBox.question(self, translate('SongsPlugin.SongSelectForm', 'Song Imported'), + translate('SongsPlugin.SongSelectForm', 'Your song has been imported, would you ' + 'like to import more songs?'), + QtGui.QMessageBox.Yes | QtGui.QMessageBox.No, + QtGui.QMessageBox.Yes) == QtGui.QMessageBox.Yes: self.on_back_button_clicked() else: self.application.process_events() diff --git a/openlp/plugins/songs/lib/db.py b/openlp/plugins/songs/lib/db.py index e341dfd54..9205539a5 100644 --- a/openlp/plugins/songs/lib/db.py +++ b/openlp/plugins/songs/lib/db.py @@ -312,7 +312,7 @@ def init_schema(url): 'authors_songs', metadata, Column('author_id', types.Integer(), ForeignKey('authors.id'), primary_key=True), Column('song_id', types.Integer(), ForeignKey('songs.id'), primary_key=True), - Column('author_type', types.String(), primary_key=True, nullable=False, server_default=text('""')) + Column('author_type', types.Unicode(255), primary_key=True, nullable=False, server_default=text('""')) ) # Definition of the "songs_topics" table diff --git a/openlp/plugins/songs/lib/importers/worshipassistant.py b/openlp/plugins/songs/lib/importers/worshipassistant.py index 1d3bec090..f5254be5b 100644 --- a/openlp/plugins/songs/lib/importers/worshipassistant.py +++ b/openlp/plugins/songs/lib/importers/worshipassistant.py @@ -179,6 +179,6 @@ class WorshipAssistantImport(SongImport): cleaned_verse_order_list.append(verse) self.verse_order_list = cleaned_verse_order_list if not self.finish(): - self.log_error(translate('SongsPlugin.WorshipAssistantImport', 'Record %d') % index - + (': "' + self.title + '"' if self.title else '')) + self.log_error(translate('SongsPlugin.WorshipAssistantImport', 'Record %d') % index + + (': "' + self.title + '"' if self.title else '')) songs_file.close() diff --git a/openlp/plugins/songs/lib/importers/zionworx.py b/openlp/plugins/songs/lib/importers/zionworx.py index 95c317eaa..54133974d 100644 --- a/openlp/plugins/songs/lib/importers/zionworx.py +++ b/openlp/plugins/songs/lib/importers/zionworx.py @@ -118,8 +118,8 @@ class ZionWorxImport(SongImport): self.add_verse(verse) title = self.title if not self.finish(): - self.log_error(translate('SongsPlugin.ZionWorxImport', 'Record %d') % index - + (': "' + title + '"' if title else '')) + self.log_error(translate('SongsPlugin.ZionWorxImport', 'Record %d') % index + + (': "' + title + '"' if title else '')) def _decode(self, str): """ diff --git a/openlp/plugins/songs/lib/openlyricsxml.py b/openlp/plugins/songs/lib/openlyricsxml.py index b9f6b6bd1..e6b01cfb8 100644 --- a/openlp/plugins/songs/lib/openlyricsxml.py +++ b/openlp/plugins/songs/lib/openlyricsxml.py @@ -55,7 +55,7 @@ The XML of an `OpenLyrics `_ song looks like this:: """ -import cgi +import html import logging import re @@ -318,7 +318,7 @@ class OpenLyrics(object): if 'lang' in verse[0]: verse_element.set('lang', verse[0]['lang']) # Create a list with all "optional" verses. - optional_verses = cgi.escape(verse[1]) + optional_verses = html.escape(verse[1]) optional_verses = optional_verses.split('\n[---]\n') start_tags = '' end_tags = '' diff --git a/openlp/plugins/songs/lib/upgrade.py b/openlp/plugins/songs/lib/upgrade.py index a3556e456..9b2cf70a2 100644 --- a/openlp/plugins/songs/lib/upgrade.py +++ b/openlp/plugins/songs/lib/upgrade.py @@ -35,6 +35,7 @@ log = logging.getLogger(__name__) __version__ = 4 +# TODO: When removing an upgrade path the ftw-data needs updating to the minimum supported version def upgrade_1(session, metadata): """ Version 1 upgrade. @@ -109,7 +110,7 @@ def upgrade_4(session, metadata): op.create_table('authors_songs_tmp', Column('author_id', types.Integer(), ForeignKey('authors.id'), primary_key=True), Column('song_id', types.Integer(), ForeignKey('songs.id'), primary_key=True), - Column('author_type', types.String(), primary_key=True, + Column('author_type', types.Unicode(255), primary_key=True, nullable=False, server_default=text('""'))) op.execute('INSERT INTO authors_songs_tmp SELECT author_id, song_id, "" FROM authors_songs') op.drop_table('authors_songs') diff --git a/openlp/plugins/songs/songsplugin.py b/openlp/plugins/songs/songsplugin.py index 333611996..f7f2741f9 100644 --- a/openlp/plugins/songs/songsplugin.py +++ b/openlp/plugins/songs/songsplugin.py @@ -50,6 +50,10 @@ from openlp.plugins.songs.lib.songstab import SongsTab log = logging.getLogger(__name__) __default_settings__ = { 'songs/db type': 'sqlite', + 'songs/db username': '', + 'songs/db password': '', + 'songs/db hostname': '', + 'songs/db database': '', 'songs/last search type': SongSearch.Entire, 'songs/last import type': SongFormat.OpenLyrics, 'songs/update service on edit': False, diff --git a/openlp/plugins/songusage/forms/songusagedetailform.py b/openlp/plugins/songusage/forms/songusagedetailform.py index ba65e21df..a4136e88b 100644 --- a/openlp/plugins/songusage/forms/songusagedetailform.py +++ b/openlp/plugins/songusage/forms/songusagedetailform.py @@ -27,6 +27,7 @@ from PyQt4 import QtGui from sqlalchemy.sql import and_ from openlp.core.common import RegistryProperties, Settings, check_directory_exists, translate +from openlp.core.lib.ui import critical_error_message_box from openlp.plugins.songusage.lib.db import SongUsageItem from .songusagedetaildialog import Ui_SongUsageDetailDialog @@ -104,8 +105,11 @@ class SongUsageDetailForm(QtGui.QDialog, Ui_SongUsageDetailDialog, RegistryPrope translate('SongUsagePlugin.SongUsageDetailForm', 'Report \n%s \nhas been successfully created. ') % report_file_name ) - except IOError: + except OSError as ose: log.exception('Failed to write out song usage records') + critical_error_message_box(translate('SongUsagePlugin.SongUsageDetailForm', 'Report Creation Failed'), + translate('SongUsagePlugin.SongUsageDetailForm', + 'An error occurred while creating the report: %s') % ose.strerror) finally: if file_handle: file_handle.close() diff --git a/openlp/plugins/songusage/songusageplugin.py b/openlp/plugins/songusage/songusageplugin.py index 1cae4fbb1..c267f9294 100644 --- a/openlp/plugins/songusage/songusageplugin.py +++ b/openlp/plugins/songusage/songusageplugin.py @@ -43,6 +43,10 @@ if QtCore.QDate().currentDate().month() < 9: __default_settings__ = { 'songusage/db type': 'sqlite', + 'songusage/db username': '', + 'songuasge/db password': '', + 'songuasge/db hostname': '', + 'songuasge/db database': '', 'songusage/active': False, 'songusage/to date': QtCore.QDate(YEAR, 8, 31), 'songusage/from date': QtCore.QDate(YEAR - 1, 9, 1), diff --git a/resources/i18n/af.ts b/resources/i18n/af.ts index 0da5feaef..b5329ca86 100644 --- a/resources/i18n/af.ts +++ b/resources/i18n/af.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert W&aarskuwing - + Show an alert message. Vertoon 'n waarskuwing boodskap. - + Alert name singular Waarskuwing - + Alerts name plural Waarskuwings - + Alerts container title Waarskuwings - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. @@ -153,85 +153,85 @@ Please type in some text before clicking New. BiblesPlugin - + &Bible &Bybel - + Bible name singular Bybel - + Bibles name plural Bybels - + Bibles container title Bybels - + No Book Found Geen Boek Gevind nie - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Geen passende boek kon in hierdie Bybel gevind word nie. Gaan na dat die naam van die boek korrek gespel is. - + Import a Bible. Voer 'n Bybel in. - + Add a new Bible. Voeg 'n nuwe Bybel by. - + Edit the selected Bible. Redigeer geselekteerde Bybel. - + Delete the selected Bible. Wis die geselekteerde Bybel uit. - + Preview the selected Bible. Voorskou die geselekteerde Bybel. - + Send the selected Bible live. Stuur die geselekteerde Bybel regstreeks. - + Add the selected Bible to the service. Voeg die geselekteerde Bybel by die diens. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bybel Mini-program</strong<br />Die Bybel mini-program verskaf die vermoë om Bybelverse vanaf verskillende bronne te vertoon tydens die diens. - + &Upgrade older Bibles &Opgradeer ouer Bybels - + Upgrade the Bible databases to the latest format. Opgradeer die Bybel databasisse na die nuutste formaat. @@ -695,7 +695,7 @@ Please type in some text before clicking New. to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - tot + tot @@ -767,39 +767,39 @@ karrakters. BiblesPlugin.BibleManager - + Scripture Reference Error Skrif Verwysing Fout - + Web Bible cannot be used Web Bybel kan nie gebruik word nie - + Text Search is not available with Web Bibles. Teks Soektog is nie beskikbaar met Web Bybels nie. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Daar is nie 'n soek sleutelwoord ingevoer nie. Vir 'n soektog wat alle sleutelwoorde bevat, skei die woorde deur middel van 'n spasie. Vir 'n soektog wat een van die sleutelwoorde bevat, skei die woorde deur middel van 'n komma. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Huidig is daar geen Bybels geïnstalleer nie. Gebruik asseblief die Invoer Gids om een of meer Bybels te installeer. - + No Bibles Available Geeb Bybels Beskikbaar nie - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -989,12 +989,12 @@ soek resultate en op die vertoning: BiblesPlugin.CSVBible - + Importing books... %s Boek invoer... %s - + Importing verses... done. Vers invoer... voltooi. @@ -1072,38 +1072,38 @@ Dit is nie moontlik om die Boek Name aan te pas nie. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registreer Bybel en laai boeke... - + Registering Language... Taal registrasie... - + Importing %s... Importing <book name>... Voer %s in... - + Download Error Aflaai Fout - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Daar was 'n probleem om die vers seleksie af te laai. Gaan die Internet konneksie na en as hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer. - + Parse Error Ontleed Fout - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Daar was 'n probleem om die vers seleksie te onttrek. As hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer. @@ -1111,165 +1111,185 @@ Dit is nie moontlik om die Boek Name aan te pas nie. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bybel Invoer Gids - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Hierdie gids sal u help om Bybels van 'n verskeidenheid formate in te voer. Kliek die volgende knoppie hieronder om die proses te begin deur 'n formaat te kies om in te voer. - + Web Download Web Aflaai - + Location: Ligging: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bybel: - + Download Options Aflaai Opsies - + Server: Bediener: - + Username: Gebruikersnaam: - + Password: Wagwoord: - + Proxy Server (Optional) Tussenganger Bediener (Opsioneel) - + License Details Lisensie Besonderhede - + Set up the Bible's license details. Stel hierdie Bybel se lisensie besonderhede op. - + Version name: Weergawe naam: - + Copyright: Kopiereg: - + Please wait while your Bible is imported. Wag asseblief terwyl u Bybel ingevoer word. - + You need to specify a file with books of the Bible to use in the import. 'n Lêer met boeke van die Bybel moet gespesifiseer word vir gebruik tydens die invoer. - + You need to specify a file of Bible verses to import. 'n Lêer met Bybel verse moet gespesifiseer word om in te voer. - + You need to specify a version name for your Bible. Dit is nodig dat 'n weergawe naam vir die Bybel gespesifiseer word. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. 'n Kopiereg moet vir jou Bybel ingestel word. Bybels in die Publieke Domein moet sodanig gemerk word. - + Bible Exists Bybel Bestaan - + This Bible already exists. Please import a different Bible or first delete the existing one. Hierdie Bybel bestaan reeds. Voer asseblief 'n ander Bybel in, of wis eerstens die bestaande een uit. - + Your Bible import failed. Die Bybel invoer het misluk. - + CSV File KGW Lêer - + Bibleserver Bybelbediener - + Permissions: Toestemming: - + Bible file: Bybel lêer: - + Books file: Boeke lêer: - + Verses file: Verse lêer: - + Registering Bible... Bybel word geregistreer... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + BiblesPlugin.LanguageDialog @@ -1407,13 +1427,26 @@ Hierdie Bybel sal weer ingevoer moet word voordat dit gebruik geneem kan word. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... + + + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.UpgradeWizardForm @@ -1569,73 +1602,81 @@ word en dus is 'n Internet verbinding nodig. BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + CustomPlugin - + Custom Slide name singular Aangepasde Skyfie - + Custom Slides name plural Aangepasde Skyfies - + Custom Slides container title Aangepasde Skyfies - + Load a new custom slide. Laai 'n nuwe aangepasde skyfie. - + Import a custom slide. Voer 'n aangepasde skyfie in. - + Add a new custom slide. Voeg 'n nuwe aangepasde skyfie by. - + Edit the selected custom slide. Redigeer die geselekteerde aangepasde skyfie. - + Delete the selected custom slide. Wis die geselekteerde aangepasde skyfie uit. - + Preview the selected custom slide. Skou die geselekteerde aangepasde skyfie. - + Send the selected custom slide live. Stuur die geselekteerde aangepasde skuifie regstreeks. - + Add the selected custom slide to the service. Voeg die geselekteerde aangepasde skyfie by die diens. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. @@ -1732,7 +1773,7 @@ word en dus is 'n Internet verbinding nodig. CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1743,60 +1784,60 @@ word en dus is 'n Internet verbinding nodig. ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Beeld Mini-program</strong><br/>Die beeld mini-program verskaf vertoning van beelde.<br/>Een van die onderskeidende kenmerke van hierdie mini-program is die vermoë om beelde te groepeer in die diensbestuurder wat dit maklik maak om verskeie beelde te vertoon. Die mini-program kan ook van OpenLP se "tydgebonde herhaling"-funksie gebruik maak om 'n automatiese skyfe-vertoning te verkry. Verder kan beelde van hierdie mini-program gebruik word om die huidige tema se agtergrond te vervang hoewel 'n tema sy eie agtergrond het. - + Image name singular Beeld - + Images name plural Beelde - + Images container title Beelde - + Load a new image. Laai 'n nuwe beeld. - + Add a new image. Voeg 'n nuwe beeld by. - + Edit the selected image. Redigeer die geselekteerde beeld. - + Delete the selected image. Wis die geselekteerde beeld uit. - + Preview the selected image. Skou die geselekteerde beeld. - + Send the selected image live. Stuur die geselekteerde beeld regstreeks. - + Add the selected image to the service. Voeg die geselekteerde beeld by die diens. @@ -1824,12 +1865,12 @@ word en dus is 'n Internet verbinding nodig. - + Could not add the new group. - + This group already exists. @@ -1878,34 +1919,34 @@ word en dus is 'n Internet verbinding nodig. Selekteer beeld(e) - + You must select an image to replace the background with. 'n Beeld wat die agtergrond vervang moet gekies word. - + Missing Image(s) Vermisde Beeld(e) - + The following image(s) no longer exist: %s Die volgende beeld(e) bestaan nie meer nie: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Die volgende beeld(e) bestaan nie meer nie: %s Voeg steeds die ander beelde by? - + There was a problem replacing your background, the image file "%s" no longer exists. Daar was 'n probleem om die agtergrond te vervang. Die beeld lêer "%s" bestaan ine meer nie. - + There was no display item to amend. Daar was geen vertoon item om by te voeg nie. @@ -1915,17 +1956,17 @@ Voeg steeds die ander beelde by? - + You must select an image or group to delete. - + Remove group - + Are you sure you want to remove "%s" and everything in it? @@ -1946,22 +1987,22 @@ Voeg steeds die ander beelde by? - + Audio - + Video - + VLC is an external player which supports a number of different formats. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. @@ -1969,60 +2010,60 @@ Voeg steeds die ander beelde by? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media Mini-program</strong><br/>Die media mini-program verskaf speel funksies van audio en video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Laai nuwe media. - + Add new media. Voeg nuwe media by. - + Edit the selected media. Redigeer di geselekteerde media. - + Delete the selected media. Wis die giselekteerde media uit. - + Preview the selected media. Skou die geselekteerde media. - + Send the selected media live. Stuur die geselekteerde media regstreeks. - + Add the selected media to the service. Voeg die geselekteerde media by die diens. @@ -2191,37 +2232,37 @@ Voeg steeds die ander beelde by? Selekteer Media - + You must select a media file to delete. 'n Media lêer om uit te wis moet geselekteer word. - + You must select a media file to replace the background with. 'n Media lêer wat die agtergrond vervang moet gekies word. - + There was a problem replacing your background, the media file "%s" no longer exists. Daar was 'n probleem om die agtergrond te vervang. Die media lêer "%s" bestaan nie meer nie. - + Missing Media File Vermisde Media Lêer - + The file %s no longer exists. Die lêer %s bestaan nie meer nie. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Daar was geen vertoon item om by te voeg nie. @@ -2231,7 +2272,7 @@ Voeg steeds die ander beelde by? Lêer nie Ondersteun nie - + Use Player: Gebruik Speler: @@ -2246,27 +2287,27 @@ Voeg steeds die ander beelde by? - + Load CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled - + The optical disc %s is no longer available. - + Mediaclip already saved - + This mediaclip has already been saved @@ -2295,17 +2336,17 @@ Voeg steeds die ander beelde by? OpenLP - + Image Files Beeld Lêers - + Information Informasie - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3184,7 +3225,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename Lêer Hernoem @@ -3194,7 +3235,7 @@ Version: %s Nuwe Lêer Naam: - + File Copy Lêer Kopieër @@ -3220,167 +3261,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Liedere - + First Time Wizard Eerste Keer Gids - + Welcome to the First Time Wizard Welkom by die Eerste Keer Gids - + Activate required Plugins Aktiveer nodige Miniprogramme - + Select the Plugins you wish to use. Kies die Miniprogramme wat gebruik moet word. - + Bible Bybel - + Images Beelde - + Presentations Aanbiedinge - + Media (Audio and Video) Media (Klank en Video) - + Allow remote access Laat afgeleë toegang toe - + Monitor Song Usage Monitor Lied-Gebruik - + Allow Alerts Laat Waarskuwings Toe - + Default Settings Verstek Instellings - + Downloading %s... Aflaai %s... - + Enabling selected plugins... Skakel geselekteerde miniprogramme aan... - + No Internet Connection Geen Internet Verbinding - + Unable to detect an Internet connection. Nie in staat om 'n Internet verbinding op te spoor nie. - + Sample Songs Voorbeeld Liedere - + Select and download public domain songs. Kies en laai liedere vanaf die publieke domein. - + Sample Bibles Voorbeeld Bybels - + Select and download free Bibles. Kies en laai gratis Bybels af. - + Sample Themes Voorbeeld Temas - + Select and download sample themes. Kies en laai voorbeeld temas af. - + Set up default settings to be used by OpenLP. Stel verstek instellings wat deur OpenLP gebruik moet word. - + Default output display: Verstek uitgaande vertoning: - + Select default theme: Kies verstek tema: - + Starting configuration process... Konfigurasie proses begin... - + Setting Up And Downloading Opstel en Afliaai - + Please wait while OpenLP is set up and your data is downloaded. Wag asseblief terwyl OpenLP opgestel en die data afgelaai word. - + Setting Up Opstel - + Custom Slides Aangepasde Skyfies - + Finish Eindig - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3389,87 +3430,97 @@ To re-run the First Time Wizard and import this sample data at a later time, che Om weer die Eerste Keer Gids te gebruik en hierdie voorbeeld data om 'n latere stadium in te voer, gaan jou Internet konneksie na en begin weer hierdie gids deur "Gereedskap/Eerste Keer Gids" vanaf OpenLP te begin. - + Download Error Aflaai Fout - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. - + Download complete. Click the %s button to start OpenLP. - + Click the %s button to return to OpenLP. - + Click the %s button to start OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + Downloading Resource Index - + Please wait while the resource index is downloaded. - + Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring - + Please wait while resources are downloaded and OpenLP is configured. - + Network Error - + There was a network error attempting to connect to retrieve initial configuration information + + + Cancel + Kanselleer + + + + Unable to download some files + + OpenLP.FormattingTagDialog @@ -3541,6 +3592,16 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + OpenLP.FormattingTags @@ -3799,7 +3860,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Vertooning @@ -4106,7 +4167,7 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/. Die Hoof Skerm is afgeskakel - + Default Theme: %s Verstek Tema: %s @@ -4122,12 +4183,12 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/. Konfigureer Kor&tpaaie... - + Close OpenLP Mook OpenLP toe - + Are you sure you want to close OpenLP? Maak OpenLP sekerlik toe? @@ -4201,13 +4262,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Her-gebruik van hierdie gids mag veranderinge aan die huidige OpenLP konfigurasie aanbring en kan moontlik liedere byvoeg by die bestaande liedere lys en kan ook die verstek tema verander. - + Clear List Clear List of recent files Maak Lys Skoon - + Clear the list of recent files. Maak die lys van onlangse lêers skoon. @@ -4267,17 +4328,17 @@ Her-gebruik van hierdie gids mag veranderinge aan die huidige OpenLP konfigurasi OpenLP Uitvoer Verstellings Lêer (*.conf) - + New Data Directory Error Nuwe Data Lêer Fout - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish OpenLP data word na 'n nuwe data gids - %s - gekopiër. Wag asseblief totdat dit voltooi is. - + OpenLP Data directory copy failed %s @@ -4332,7 +4393,7 @@ Processing has terminated and no changes have been made. - + Export setting error @@ -4341,16 +4402,21 @@ Processing has terminated and no changes have been made. The key "%s" does not have a default value so it will be skipped in this export. + + + An error occurred while exporting the settings: %s + + OpenLP.Manager - + Database Error Databasis Fout - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4359,7 +4425,7 @@ Database: %s Databasis: %s - + OpenLP cannot load your database. Database: %s @@ -4437,7 +4503,7 @@ Suffix not supported &Kloon - + Duplicate files were found on import and were ignored. Duplikaat lêers gevind tydens invoer en is geïgnoreer. @@ -4822,11 +4888,6 @@ Suffix not supported The proxy address set with setProxy() was not found - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - - An unidentified error occurred @@ -4897,6 +4958,11 @@ Suffix not supported Received data + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + OpenLP.ProjectorEdit @@ -5443,22 +5509,22 @@ Suffix not supported &Verander Item Tema - + File is not a valid service. Lêer is nie 'n geldige diens nie. - + Missing Display Handler Vermisde Vertoon Hanteerder - + Your item cannot be displayed as there is no handler to display it Die item kan nie vertoon word nie omdat daar nie 'n hanteerder is om dit te vertoon nie - + Your item cannot be displayed as the plugin required to display it is missing or inactive Die item kan nie vertoon word nie omdat die mini-program wat dit moet vertoon vermis of onaktief is @@ -5538,12 +5604,12 @@ Suffix not supported Aangepasde Diens Notas: - + Notes: Notas: - + Playing time: Speel tyd: @@ -5553,22 +5619,22 @@ Suffix not supported Ongetitelde Diens - + File could not be opened because it is corrupt. Lêer kon nie oopgemaak word nie omdat dit korrup is. - + Empty File Leë Lêer - + This service file does not contain any data. Die diens lêer het geen data inhoud nie. - + Corrupt File Korrupte Lêer @@ -5588,32 +5654,32 @@ Suffix not supported Kies 'n tema vir die diens. - + Slide theme Skyfie tema - + Notes Notas - + Edit Redigeer - + Service copy only Slegs diens kopie. - + Error Saving File Fout gedurende Lêer Stooring - + There was an error saving your file. Daar was 'n probleem om die lêer te stoor. @@ -5622,17 +5688,6 @@ Suffix not supported Service File(s) Missing Diens Lêer(s) Vermis - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - Die volgende lêer(s) in die diens is vermis: -<byte value="x9"/>%s - -Hierdie lêers sal verwyder word as jy voortgaan om te stoor. - &Rename... @@ -5659,7 +5714,7 @@ Hierdie lêers sal verwyder word as jy voortgaan om te stoor. - + &Delay between slides @@ -5669,62 +5724,74 @@ Hierdie lêers sal verwyder word as jy voortgaan om te stoor. - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + OpenLP Service Files (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + This file is either corrupt or it is not an OpenLP 2 service file. - + &Auto Start - inactive - + &Auto Start - active - + Input delay - + Delay between slides in seconds. Vertraging tussen skyfies in sekondes. - + Rename item title - + Title: Titel: + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + OpenLP.ServiceNoteForm @@ -5986,12 +6053,12 @@ Hierdie lêers sal verwyder word as jy voortgaan om te stoor. OpenLP.SourceSelectForm - + Select Projector Source - + Edit Projector Source Text @@ -6016,18 +6083,13 @@ Hierdie lêers sal verwyder word as jy voortgaan om te stoor. - + Delete entries for this projector - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? + + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6191,7 +6253,7 @@ Hierdie lêers sal verwyder word as jy voortgaan om te stoor. Stel in As &Globale Standaard - + %s (default) %s (standaard) @@ -6201,52 +6263,47 @@ Hierdie lêers sal verwyder word as jy voortgaan om te stoor. Kies 'n tema om te redigeer. - + You are unable to delete the default theme. Die standaard tema kan nie uitgewis word nie. - + Theme %s is used in the %s plugin. Tema %s is in gebruik deur die %s mini-program. - + You have not selected a theme. Geen tema is geselekteer nie. - + Save Theme - (%s) Stoor Tema - (%s) - + Theme Exported Tema Uitvoer - + Your theme has been successfully exported. Die tema was suksesvol uitgevoer. - + Theme Export Failed Tema Uitvoer het Misluk - - Your theme could not be exported due to an error. - Die tema kon nie uitgevoer word nie weens 'n fout. - - - + Select Theme Import File Kies Tema Invoer Lêer - + File is not a valid theme. Lêer is nie 'n geldige tema nie. @@ -6296,20 +6353,15 @@ Hierdie lêers sal verwyder word as jy voortgaan om te stoor. Wis %s tema uit? - + Validation Error Validerings Fout - + A theme with this name already exists. 'n Tema met hierdie naam bestaan alreeds. - - - OpenLP Themes (*.theme *.otz) - OpenLP Temas (*.theme *.otz) - Copy of %s @@ -6317,15 +6369,25 @@ Hierdie lêers sal verwyder word as jy voortgaan om te stoor. Duplikaat van %s - + Theme Already Exists Tema Bestaan Reeds - + Theme %s already exists. Do you want to replace it? Tema %s bestaan alreeds. Wil jy dit vervang? + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + OpenLP.ThemeWizard @@ -6761,7 +6823,7 @@ Hierdie lêers sal verwyder word as jy voortgaan om te stoor. Gereed. - + Starting import... Invoer begin... @@ -6772,7 +6834,7 @@ Hierdie lêers sal verwyder word as jy voortgaan om te stoor. Spesifiseer ten minste een %s lêer om vanaf in te voer. - + Welcome to the Bible Import Wizard Welkom by die Bybel Invoer Gids @@ -6866,7 +6928,7 @@ Hierdie lêers sal verwyder word as jy voortgaan om te stoor. Een %s gids moet gespesifiseer word om vanaf in te voer. - + Importing Songs Voer Liedere In @@ -7210,163 +7272,163 @@ Probeer asseblief om dit individueel te kies. Voorskou - + Print Service Druk Diens uit - + Projector Singular - + Projectors Plural - + Replace Background Vervang Agtergrond - + Replace live background. Vervang regstreekse agtergrond. - + Reset Background Herstel Agtergrond - + Reset live background. Herstel regstreekse agtergrond. - + s The abbreviated unit for seconds s - + Save && Preview Stoor && Voorskou - + Search Soek - + Search Themes... Search bar place holder text Soek Temas... - + You must select an item to delete. Kies 'n item om uit te wis. - + You must select an item to edit. Selekteer 'n item om te regideer. - + Settings Instellings - + Save Service Stoor Diens - + Service Diens - + Optional &Split Op&sionele Verdeling - + Split a slide into two only if it does not fit on the screen as one slide. Verdeel 'n skyfie slegs in twee wanneer dit nie op die skerm as 'n enkele skyfie sal pas nie. - + Start %s Begin %s - + Stop Play Slides in Loop Staak Skyfies in Herhaling - + Stop Play Slides to End Staak Skyfies tot Einde - + Theme Singular Tema - + Themes Plural Temas - + Tools Gereedskap - + Top Bo - + Unsupported File Lêer nie Ondersteun nie - + Verse Per Slide Vers Per Skyfie - + Verse Per Line Vers Per Lyn - + Version Weergawe - + View Vertoon - + View Mode Vertoon Modus @@ -7380,6 +7442,16 @@ Probeer asseblief om dit individueel te kies. OpenLP 2.2 + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7419,50 +7491,50 @@ Probeer asseblief om dit individueel te kies. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Aanbieding Mini-program</strong><br/>Die aanbieding mini-program bied die vermoë om aanbiedings van verskillende programme te vertoon. Die keuse van beskikbare aanbieding-programme word aan die gebruiker vertoon deur 'n hangkieslys. - + Presentation name singular Aanbieding - + Presentations name plural Aanbiedinge - + Presentations container title Aanbiedinge - + Load a new presentation. Laai 'n nuwe aanbieding. - + Delete the selected presentation. Wis die geselekteerde aanbieding uit. - + Preview the selected presentation. Skou die geselekteerde aanbieding. - + Send the selected presentation live. Stuur die geselekteerde aanbieding regstreeks. - + Add the selected presentation to the service. Voeg die geselekteerde aanabieding by die diens. @@ -7505,17 +7577,17 @@ Probeer asseblief om dit individueel te kies. Aanbiedinge (%s) - + Missing Presentation Vermisde Aanbieding - + The presentation %s is incomplete, please reload. Die aanbieding %s is onvolledig, herlaai asseblief. - + The presentation %s no longer exists. Die aanbieding %s bestaan nie meer nie. @@ -7523,7 +7595,7 @@ Probeer asseblief om dit individueel te kies. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. @@ -7531,40 +7603,50 @@ Probeer asseblief om dit individueel te kies. PresentationPlugin.PresentationTab - + Available Controllers Beskikbare Beheerders - + %s (unavailable) %s (onbeskikbaar) - + Allow presentation application to be overridden Laat toe dat die program oorheers word - + PDF options - + Use given full path for mudraw or ghostscript binary: - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7605,127 +7687,127 @@ Probeer asseblief om dit individueel te kies. RemotePlugin.Mobile - + Service Manager Diens Bestuurder - + Slide Controller Skyfie Beheerder - + Alerts Waarskuwings - + Search Soek - + Home Tuis - + Refresh Verfris - + Blank Blanko - + Theme Tema - + Desktop Werkskerm - + Show Wys - + Prev Vorige - + Next Volgende - + Text Teks - + Show Alert Wys Waarskuwing - + Go Live Gaan Regstreeks - + Add to Service Voeg by Diens - + Add &amp; Go to Service Voeg by &amp; Gaan na Diens - + No Results Geen Resultate - + Options Opsies - + Service Diens - + Slides Skyfies - + Settings Instellings - + OpenLP 2.2 Remote - + OpenLP 2.2 Stage View - + OpenLP 2.2 Live View @@ -7811,85 +7893,85 @@ Probeer asseblief om dit individueel te kies. SongUsagePlugin - + &Song Usage Tracking &Volg Lied Gebruik - + &Delete Tracking Data Wis Volg &Data Uit - + Delete song usage data up to a specified date. Wis lied volg data uit tot en met 'n spesifieke datum. - + &Extract Tracking Data Onttr&ek Volg Data - + Generate a report on song usage. Genereer 'n verslag oor lied-gebruik. - + Toggle Tracking Wissel Volging - + Toggle the tracking of song usage. Wissel lied-gebruik volging. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>LiedGebruik Mini-program</strong><br/>Die mini-program volg die gebruik van liedere in dienste. - + SongUsage name singular Lied Gebruik - + SongUsage name plural Lied Gebruik - + SongUsage container title Lied Gebruik - + Song Usage Lied Gebruik - + Song usage tracking is active. Lied gebruik volging is aktief. - + Song usage tracking is inactive. Lied gebruik volging is onaktief. - + display vertoon - + printed gedruk @@ -7951,22 +8033,22 @@ All data recorded before this date will be permanently deleted. Rapporteer Ligging - + Output File Location Uitvoer Lêer Ligging - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Verslag Skepping - + Report %s has been successfully created. @@ -7975,46 +8057,56 @@ has been successfully created. was suksesvol geskep. - + Output Path Not Selected Skryf Ligging Nie Gekies Nie - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + SongsPlugin - + &Song &Lied - + Import songs using the import wizard. Voer liedere in deur van die invoer helper gebruik te maak. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Liedere Mini-program</strong><br/>Die liedere mini-program verskaf die vermoë om liedere te vertoon en te bestuur. - + &Re-index Songs He&r-indeks Liedere - + Re-index the songs database to improve searching and ordering. Her-indeks die liedere databasis om lied-soektogte en organisering te verbeter. - + Reindexing songs... Besig om liedere indek te herskep... @@ -8111,80 +8203,80 @@ The encoding is responsible for the correct character representation. Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. - + Song name singular Lied - + Songs name plural Liedere - + Songs container title Liedere - + Exports songs using the export wizard. Voer liedere uit deur gebruik te maak van die uitvoer gids. - + Add a new song. Voeg 'n nuwe lied by. - + Edit the selected song. Redigeer die geselekteerde lied. - + Delete the selected song. Wis die geselekteerde lied uit. - + Preview the selected song. Skou die geselekteerde lied. - + Send the selected song live. Stuur die geselekteerde lied regstreeks. - + Add the selected song to the service. Voeg die geselekteerde lied by die diens. - + Reindexing songs Her-indekseer liedere - + CCLI SongSelect - + Import songs from CCLI's SongSelect service. - + Find &Duplicate Songs - + Find and remove duplicate songs in the song database. @@ -8653,7 +8745,7 @@ Please enter the verses separated by spaces. 'n Lêer gids moet gespesifiseer word. - + Select Destination Folder Kies Bestemming Lêer gids @@ -9060,15 +9152,20 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. Die lied uitvoer het misluk. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Uitvoer voltooi. Om hierdie lêers in te voer, gebruik die <strong>OpenLyrics</strong> invoerder. + + + Your song export failed because this error occurred: %s + + SongsPlugin.SongImport @@ -9249,7 +9346,7 @@ Please enter the verses separated by spaces. Soek - + Found %s song(s) @@ -9314,43 +9411,43 @@ Please enter the verses separated by spaces. - + Save Username and Password - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + Error Logging In - + There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported - - Your song has been imported, would you like to exit now, or import more songs? + + Incomplete song - - Import More Songs + + This song is missing some information, like the lyrics, and cannot be imported. - - Exit Now + + Your song has been imported, would you like to import more songs? diff --git a/resources/i18n/ar.ts b/resources/i18n/ar.ts new file mode 100644 index 000000000..ac7b4216f --- /dev/null +++ b/resources/i18n/ar.ts @@ -0,0 +1,9580 @@ + + + + AlertsPlugin + + + &Alert + + + + + Show an alert message. + + + + + Alert + name singular + + + + + Alerts + name plural + + + + + Alerts + container title + + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + + + + + Alert &text: + + + + + &New + + + + + &Save + + + + + Displ&ay + + + + + Display && Cl&ose + + + + + New Alert + + + + + &Parameter: + + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + + + + + AlertsPlugin.AlertsTab + + + Font + + + + + Font name: + + + + + Font color: + + + + + Background color: + + + + + Font size: + + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + + + + + Bible + name singular + + + + + Bibles + name plural + + + + + Bibles + container title + + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + + + + + Add a new Bible. + + + + + Edit the selected Bible. + + + + + Delete the selected Bible. + + + + + Preview the selected Bible. + + + + + Send the selected Bible live. + + + + + Add the selected Bible to the service. + + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + No Bibles Available + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Text Search + + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + + + + + &Open + + + + + Open an existing service. + + + + + &Save + + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/ar_EG.ts b/resources/i18n/ar_EG.ts new file mode 100644 index 000000000..3e1a1d82a --- /dev/null +++ b/resources/i18n/ar_EG.ts @@ -0,0 +1,9580 @@ + + + + AlertsPlugin + + + &Alert + + + + + Show an alert message. + + + + + Alert + name singular + + + + + Alerts + name plural + + + + + Alerts + container title + + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + + + + + Alert &text: + + + + + &New + + + + + &Save + + + + + Displ&ay + + + + + Display && Cl&ose + + + + + New Alert + + + + + &Parameter: + + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + + + + + AlertsPlugin.AlertsTab + + + Font + + + + + Font name: + + + + + Font color: + + + + + Background color: + + + + + Font size: + + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + + + + + Bible + name singular + + + + + Bibles + name plural + + + + + Bibles + container title + + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + + + + + Add a new Bible. + + + + + Edit the selected Bible. + + + + + Delete the selected Bible. + + + + + Preview the selected Bible. + + + + + Send the selected Bible live. + + + + + Add the selected Bible to the service. + + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + No Bibles Available + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Text Search + + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + + + + + &Open + + + + + Open an existing service. + + + + + &Save + + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/bg.ts b/resources/i18n/bg.ts new file mode 100644 index 000000000..e6bdf7189 --- /dev/null +++ b/resources/i18n/bg.ts @@ -0,0 +1,9623 @@ + + + + AlertsPlugin + + + &Alert + &Сигнал + + + + Show an alert message. + Покажи сигнално съобщение + + + + Alert + name singular + Сигнал + + + + Alerts + name plural + Сигнали + + + + Alerts + container title + Сигнали + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + <strong>Добавка за сигнали</strong><br />Добавката за сигнали контролира показването на сигнали на екрана. + + + + AlertsPlugin.AlertForm + + + Alert Message + Сигнално съобщение + + + + Alert &text: + Текст на сигнала + + + + &New + &Нов + + + + &Save + &Запази + + + + Displ&ay + По&кажи + + + + Display && Cl&ose + Покажи && Затвори + + + + New Alert + Нов сигнал + + + + &Parameter: + &Параметър + + + + No Parameter Found + Няма намерени параметри + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Не сте задали промяна на параметъра. +Искате ли да продължите въпреки това? + + + + No Placeholder Found + Няма намерен приемник + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Сигналът не съдържа '<>'.⏎ Искате ли да продължите все пак? + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + Не сте дали никакъв текст на вашия сигнал. +Моля напишете нещо преди да натиснете бутона Нов. + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + Сигналното съобщение е създадено и показано. + + + + AlertsPlugin.AlertsTab + + + Font + Шрифт + + + + Font name: + Име на шрифта: + + + + Font color: + Цвят на шрифта: + + + + Background color: + Цвят за фон: + + + + Font size: + Размер на шрифта: + + + + Alert timeout: + Срок на сигнала + + + + BiblesPlugin + + + &Bible + &Библия + + + + Bible + name singular + Библия + + + + Bibles + name plural + Библии + + + + Bibles + container title + Библии + + + + No Book Found + Няма намерена книга + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + Не може да бъде намерена съответстваща книга в тази Библията. Проверете вярно ли сте въвели името! + + + + Import a Bible. + Импортирай Библия. + + + + Add a new Bible. + Добави нова Библия. + + + + Edit the selected Bible. + Редактирай избраната Библия. + + + + Delete the selected Bible. + Изтрии избраната Библия. + + + + Preview the selected Bible. + Преглед на избраната Библия. + + + + Send the selected Bible live. + Изпрати избраната Библия + + + + Add the selected Bible to the service. + Добави избраната Библия към подредбата. + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + <strong>Добавка за Библия</strong><br / >Добавката за Библията дава възможност да се показват библейски стихове от различни источници по време на службата. + + + + &Upgrade older Bibles + Актуализирай стари Библии. + + + + Upgrade the Bible databases to the latest format. + Актуализирай базата данни на Библията към последния формат + + + + Genesis + Битие + + + + Exodus + Изход + + + + Leviticus + Левит + + + + Numbers + Числа + + + + Deuteronomy + Второзаконие + + + + Joshua + Исус Навиев + + + + Judges + Съдии + + + + Ruth + Рут + + + + 1 Samuel + 1 Царе + + + + 2 Samuel + 2 Царе + + + + 1 Kings + 3 Царе + + + + 2 Kings + 4 Царе + + + + 1 Chronicles + 1 Летописи + + + + 2 Chronicles + 2 Летописи + + + + Ezra + Ездра + + + + Nehemiah + Неемия + + + + Esther + Естир + + + + Job + Йов + + + + Psalms + Псалми + + + + Proverbs + Притчи + + + + Ecclesiastes + Еклесиаст + + + + Song of Solomon + Песен на песните + + + + Isaiah + Исая + + + + Jeremiah + Еремия + + + + Lamentations + Плачът на Еремия + + + + Ezekiel + Езекил + + + + Daniel + Данаил + + + + Hosea + Осия + + + + Joel + Йоил + + + + Amos + Амос + + + + Obadiah + Авдии + + + + Jonah + Йона + + + + Micah + Михей + + + + Nahum + Наум + + + + Habakkuk + Авакум + + + + Zephaniah + Софоний + + + + Haggai + Агей + + + + Zechariah + Захария + + + + Malachi + Малахия + + + + Matthew + Матей + + + + Mark + Марк + + + + Luke + Лука + + + + John + Йоан + + + + Acts + Дела + + + + Romans + Римляни + + + + 1 Corinthians + 1 Коринтяни + + + + 2 Corinthians + 2 Кортинтяни + + + + Galatians + Галатяни + + + + Ephesians + Ефесяни + + + + Philippians + Филипяни + + + + Colossians + Колосяни + + + + 1 Thessalonians + 1 Солунци + + + + 2 Thessalonians + 2 Солунци + + + + 1 Timothy + 1 Тимотей + + + + 2 Timothy + 2 Тимотей + + + + Titus + Тит + + + + Philemon + Филимон + + + + Hebrews + Евреи + + + + James + Яков + + + + 1 Peter + 1 Петрово + + + + 2 Peter + 2 Петрово + + + + 1 John + 1 Йоан + + + + 2 John + 2 Йоан + + + + 3 John + 3 Йоан + + + + Jude + Юда + + + + Revelation + Откровение + + + + Judith + Юдит + + + + Wisdom + Мъдрост + + + + Tobit + Товит + + + + Sirach + Исус Сирахов + + + + Baruch + Варух + + + + 1 Maccabees + 1 Макавей + + + + 2 Maccabees + 2 Макавей + + + + 3 Maccabees + 3 Макавей + + + + 4 Maccabees + 4 Макавей + + + + Rest of Daniel + Rest of Daniel + + + + Rest of Esther + Rest of Esther + + + + Prayer of Manasses + Prayer of Manasses + + + + Letter of Jeremiah + Letter of Jeremiah + + + + Prayer of Azariah + Prayer of Azariah + + + + Susanna + Сузана + + + + Bel + Bel + + + + 1 Esdras + 1 Esdras + + + + 2 Esdras + 2 Esdras + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + : + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + к + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + К + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + куплет + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + Куплети + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + - + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + до + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + , + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + и + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + край + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + Трябва да укажеш версията на Библията + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Трябва да се въведе копирайт за тази Библия. Библиите в Публичния домейн следва да се маркират така. + + + + Bible Exists + Библията е налична + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + Тази Библия вече е налична. Моля импортирайте друга Библия или първо изтрийте наличната. + + + + You need to specify a book name for "%s". + Трябва да въведете име на "%s" книга. + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Името на "%s" книга е некоректно.⏎ Номерата може да са само в началото и трябва да⏎ бъдат следвани от енда или повече букви. + + + + Duplicate Book Name + Дублирано име на книга + + + + The Book Name "%s" has been entered more than once. + Името на "%s" книга е въведено повече от веднъж. + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + Грешна препратка + + + + Web Bible cannot be used + Библията от Мрежата не може да бъде използвана + + + + Text Search is not available with Web Bibles. + Не е налична услугата за търсене на текст е Библиите от Мрежата + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + Не сте въвели дума за търсене. +За търсене на всички от няколко кодови думи, може да ги раделите с интервал, а за търсене на всяка една поотделно - може да ги разделите с запетая. + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + В момента няма инсталирани Библии. Моля използвайте Помощника за Вмъкване, за да инсталирате една или повече Библии. + + + + No Bibles Available + Няма налични Библии. + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + Вашата препратка не е поддържана от OpenLP или е невалидна. Моля уверете се, че препратката отговаря на следните примери или вижте в упътването:⏎ ⏎ Book Chapter⏎ Book Chapter%(range)sChapter⏎ Book Chapter%(verse)sVerse%(range)sVerse⏎ Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse⏎ Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse⏎ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + + + + BiblesPlugin.BiblesTab + + + Verse Display + Показване на стих + + + + Only show new chapter numbers + Покажи само номерата на новите глави от книгата + + + + Bible theme: + Тема за Библията + + + + No Brackets + без скоби + + + + ( And ) + ( и ) + + + + { And } + { и } + + + + [ And ] + [ и ] + + + + Note: +Changes do not affect verses already in the service. + Бележка: +Промените не влияят на стиховете които са вече в службата. + + + + Display second Bible verses + Покажи втори стих от Библията + + + + Custom Scripture References + Потребителски библейски препратки + + + + Verse Separator: + Разделител за стихове: + + + + Range Separator: + Разделител за пасаж: + + + + List Separator: + Разделител за лист: + + + + End Mark: + Отбелязка за край: + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + Може да бъде посочен повече от един разделител на стихове.⏎ Те трябва да бъдат разделени с вертикална черта "|".⏎ Моля премахнете редактираното за да използвате стойността по подразбиране. + + + + English + Английски + + + + Default Bible Language + Език нз Библията по подразбиране + + + + Book name language in search field, +search results and on display: + Език на търсене в полето за книги,⏎ резултати и на дисплея: + + + + Bible Language + Език на Библията + + + + Application Language + Език на програмата + + + + Show verse numbers + Покажи номерата на стиховете + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + Избери име на книга + + + + Current name: + Сегашно име + + + + Corresponding name: + Съответстващо име: + + + + Show Books From + Покажи формата за книги + + + + Old Testament + Стар Завет + + + + New Testament + Нов Завет + + + + Apocrypha + Апокрифни + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + Тази книга не може да бъде засечена. Моля изберете съответната книга от списъка! + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + Трябва да избереш книга. + + + + BiblesPlugin.CSVBible + + + Importing books... %s + Импортиране на книги... %s + + + + Importing verses... done. + Импортиране на стихове... готво. + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + Редактор за Библии + + + + License Details + Детайли за лиценза + + + + Version name: + Версия: + + + + Copyright: + Копирайт: + + + + Permissions: + Разрешения: + + + + Default Bible Language + Език нз Библията по подразбиране + + + + Book name language in search field, search results and on display: + Език на търсене в полето за книги, резултати и на дисплея: + + + + Global Settings + Глобални настройки + + + + Bible Language + Език на Библията + + + + Application Language + Език на програмата + + + + English + Английски + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + Това е Web свалена Библия. +Не е възможно ръчно да се задават имената на книгите. + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + За да използвате ръчно зададени имена на книги "Език на Библията" трвбва да бъде избран в секцията мета данни или ако "Глобални настройки" е маркирано на секцията Библия в конфигуриране на OpenLP. + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + Регистриране на превода и зареждане на книгите... + + + + Registering Language... + Регистриране на Език... + + + + Importing %s... + Importing <book name>... + Импортиране %s... + + + + Download Error + Грешка при сваляне + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + Имаше проблем при свалянето на избраните стихове. Моля проверете си връзката към Интернет, и в случай, че грешката продължи да се получава, моля обмислете възможността да съобщите за грешка в програмата. + + + + Parse Error + Грешка при синтактичния разбор. + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + Имаше проблем при извличането на избрания от вас стихове. В случай, че грешката продължи да се получава, моля обмислете възможността да съобщите за грешка в програмата. + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + Помощник за импортиране на Библии + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + Тази поредица от екрани ще ви помогне да вмъкнете Библии от множество формати. Щракнете на следващият бутон отдолу за да започнете процеса чрез избор на формат от който ще вмъквате. + + + + Web Download + Сваляне от Мрежата + + + + Location: + Място: + + + + Crosswalk + Crosswalk + + + + BibleGateway + BibleGateway + + + + Bible: + Библия: + + + + Download Options + Опции за сваляне + + + + Server: + Сървър: + + + + Username: + Потребителско име: + + + + Password: + Парола: + + + + Proxy Server (Optional) + Прокси сървър (Optional) + + + + License Details + Детайли за лиценза + + + + Set up the Bible's license details. + Задайте детайлите за лиценза на библейския превод. + + + + Version name: + Версия: + + + + Copyright: + Копирайт: + + + + Please wait while your Bible is imported. + Моля изчакайте докато се внася превода. + + + + You need to specify a file with books of the Bible to use in the import. + Трябва да посочите файл с библейски книги за внасяне + + + + You need to specify a file of Bible verses to import. + Трябва да посочите файл с библейски стихове за внасяне + + + + You need to specify a version name for your Bible. + Трябва да укажеш версията на Библията + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Трябва да се въведе копирайт за тази Библия. Библиите в Публичния домейн следва да се маркират така. + + + + Bible Exists + Библията е налична + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + Тази Библия вече е налична. Моля импортирайте друга Библия или първо изтрийте наличната. + + + + Your Bible import failed. + Внасянето на Библията се провали. + + + + CSV File + CSV Фаил + + + + Bibleserver + Bibleserver + + + + Permissions: + Разрешения: + + + + Bible file: + Файл с Библия + + + + Books file: + Файл с книги: + + + + Verses file: + Файл със стихове: + + + + Registering Bible... + Регистриране на Библията + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + Регистрирана Библия. Моля имайте в предвид, че показваните стихове не се запомнят на компютъра и за това е нужна постоянна връзка към Интернет. + + + + Click to download bible list + Кликни и свали листа с библии за сваляне. + + + + Download bible list + + + + + Error during download + Грешка по време на свалянето + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + Посочи език + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + OpenLP е в невъзможност да определи езика на този превод на Библията. Моля изберете езика от списъка по-долу. + + + + Language: + Език: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + Има нужда да изберете езика. + + + + BiblesPlugin.MediaItem + + + Quick + Бързо + + + + Find: + Търси: + + + + Book: + Песнарка: + + + + Chapter: + Глава: + + + + Verse: + Стих: + + + + From: + От: + + + + To: + До: + + + + Text Search + Търси в текста + + + + Second: + Втори: + + + + Scripture Reference + Препратка + + + + Toggle to keep or clear the previous results. + Изберете за да запазите или да изчистите предишните резултати. + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + Не може да комбинирате резултатите от търсене на стихове между търсене в една и две Библии. Желаете ли да изтриете сегашните резултати от търсенето и да започнете ново? + + + + Bible not fully loaded. + Библията не е напълно заредена + + + + Information + Информация + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + Втората Библия не съдържа всички стихове които са в основната. Само стиховете намерени и в двете Библии ще бъдат показани. %d стиха не са включени в резултата от търсенето. + + + + Search Scripture Reference... + Търси препратка... + + + + Search Text... + Търси текст... + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + Наистина ли искате да изтриете напълно "%s" Библия от OpenLP? +Ще е необходимо да импортирате Библията, за да я използвате отново. + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + Използва се неправилен тип файл за Библия. OpenSong Библиите може да са компресирани. Трябва да ги декомпресирате преди да ги импортирате. + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + Изберете директория за резервно копие + + + + Bible Upgrade Wizard + Помощник за актуализация на библейския превод + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + Помощника ще ви съдейства за да надградите съществуващите Библии от предишни версии на OpenLP 2. Щракнете на бутона по-долу за да стартирате процеса на надграждане. + + + + Select Backup Directory + Изберете директория за резервно копие + + + + Please select a backup directory for your Bibles + Изберете директория за резервно копие за вашите Библии + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + Предишните издания на OpenLP 2.0 нямат възможност да използват актуализирани преводи. Така ще се направи резервно копие на сегашните библии, така че да можете просто да копирате файловете обратно в директорията с данни на OpenLP ако трябва да се върнете към предишна версия на програмата. Инструкции как да възтановите файловете можете да намерите в нашите <a href="http://wiki.openlp.org/faq">често задавани въпроси</a>. + + + + Please select a backup location for your Bibles. + Моля, изберете място където да бъдат запазени старите файлове на Библиите. + + + + Backup Directory: + Директория на резервното копие + + + + There is no need to backup my Bibles + Няма нужда да запазвам файлове на Библиите. + + + + Select Bibles + Изберете библейски преводи + + + + Please select the Bibles to upgrade + Моля посочете превод за актуализация + + + + Upgrading + Актуализиране + + + + Please wait while your Bibles are upgraded. + Моля изчакайте докато се актуализират преводите на Библията + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + Запазването е неуспешно. +За да осъществите запазването трябва да имате разрешение за писане в посочената от вас директория. + + + + Upgrading Bible %s of %s: "%s" +Failed + Актуализиране на Библията %s of %s: "%s"⏎ Провалено + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + Актуализиране на Библията %s of %s: "%s"⏎ Актуализиране ... + + + + Download Error + Грешка при сваляне + + + + To upgrade your Web Bibles an Internet connection is required. + За да обновите Библиите ползвани през Мрежата се изисква връзка към Интернет. + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + Актуализиране на Библията %s of %s: "%s"⏎ Актуализиране %s ... + + + + Upgrading Bible %s of %s: "%s" +Complete + Актуализиране на Библията %s of %s: "%s"⏎ Завършено + + + + , %s failed + , %s провалено + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + Надграждането на Библията(ите): %s е успешно%s +Моля, имайте в предвид че стиховете от Библиите ползвани директно от мрежата се свалят при ползването им и има нужда от връзка към Интернет. + + + + Upgrading Bible(s): %s successful%s + Актуализиране на библейски превод(и): %s успешно%s + + + + Upgrade failed. + Актуализирането се провали. + + + + You need to specify a backup directory for your Bibles. + Необходимо е да укажете директория за резервни копия на Библиите. + + + + Starting upgrade... + Започване на надграждането... + + + + There are no Bibles that need to be upgraded. + Няма Библии които да е необходимо да се надградят. + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + Потребителски слайд + + + + Custom Slides + name plural + Потребителски слайдове + + + + Custom Slides + container title + Потребителски слайдове + + + + Load a new custom slide. + Зреди нов потребителски слайд + + + + Import a custom slide. + Импортирай потребителски слайд + + + + Add a new custom slide. + Добави нов потребителски слайд + + + + Edit the selected custom slide. + Редактирай избрания потребителски слайд + + + + Delete the selected custom slide. + Изтрий избрания потребителски слайд + + + + Preview the selected custom slide. + Преглед на избрания потребителски слайд + + + + Send the selected custom slide live. + Пусни избрания потребителски слайд на живо. + + + + Add the selected custom slide to the service. + Добави избрания потребителски слайд към службата + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + +<strong>Надбавка за потребителски кадър</strong><br /> Надбавката за потребителски кадър дава възможност да направите кадри с потребителски текст, които да бъдат прожектирани както песните. Надбавката дава по-голяма свобода от надбавката за песни. + + + + CustomPlugin.CustomTab + + + Custom Display + Потребителски екран + + + + Display footer + Покажи колонтитул + + + + Import missing custom slides from service files + Импортирай липсващи песни от фаилове за служба + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + Редактирай потребителски слайдове + + + + &Title: + Заглавие: + + + + Add a new slide at bottom. + Добави нов последен слайд + + + + Edit the selected slide. + Редактирай избрания слайд + + + + Edit all the slides at once. + Редактирай всички слайдове наведнъж. + + + + Split a slide into two by inserting a slide splitter. + Раздели слайд, чрез вмъкване на разделител. + + + + The&me: + Тема + + + + &Credits: + Заслуги + + + + You need to type in a title. + Трябва да въведете заглавие + + + + Ed&it All + Редактирай всичко + + + + Insert Slide + Вмъкни слайд + + + + You need to add at least one slide. + Трябва да добавите поне един слайд. + + + + CustomPlugin.EditVerseForm + + + Edit Slide + Редактиране на слайд + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + Наистина ли да бъдат изтрити избраните %n потребителски слайд(ове)? + Наистина ли да бъдат изтрити избраните %n потребителски слайд(ове)? + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + <strong>Надбавка за картини</strong><br />Надбавката за картини дава възможност показването на картини.<br /> Една от отличителните черти на тази надбавка е възможността да групирате няколко изображения заедно в мениджъра за службата, като прави показването на няколко изображения по-лесно. Тази надбавка може да се ползва OpenLP функцията "времева нишка" за създаване на слайдшоу, което върви автоматично. В допълнение към това, надбавката за картини може да се използва за заобикаляне на фона на текущата тема, което прави текстово-базирани продукти като песни с избраното изображение като фон, вместо на фона от темата. + + + + Image + name singular + Изображение + + + + Images + name plural + Картини + + + + Images + container title + Картини + + + + Load a new image. + Зареди нова картина + + + + Add a new image. + Добави нова картина + + + + Edit the selected image. + Редактирай избраната картина + + + + Delete the selected image. + Изтрий избраната картина + + + + Preview the selected image. + Преглед на избраната картина + + + + Send the selected image live. + Пусни избраната картина на живо. + + + + Add the selected image to the service. + Добавете избраната картина към службата. + + + + ImagePlugin.AddGroupForm + + + Add group + Добави група + + + + Parent group: + Първоначална група + + + + Group name: + Има на групата: + + + + You need to type in a group name. + Трябва да се въведе име на групата. + + + + Could not add the new group. + Не може да се добави нова група. + + + + This group already exists. + Тази група я има вече. + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + Избери картина на групата + + + + Add images to group: + Избери картини към групата + + + + No group + Няма група + + + + Existing group + Съществуваща група + + + + New group + Нова група + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + Изберете прикачен файл + + + + ImagePlugin.MediaItem + + + Select Image(s) + Изберете картина(и) + + + + You must select an image to replace the background with. + Трябва да изберете картина, с която да замените фона. + + + + Missing Image(s) + Липсваща катина + + + + The following image(s) no longer exist: %s + Следната(ите) картина(и) не съществуват вече: %s + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + Следната(ите) картина(и) не съществуват вече: %s ⏎ Искате ли да добавите другите картини все пак? + + + + There was a problem replacing your background, the image file "%s" no longer exists. + Имаше проблем при заместването на фона, файла с изображението "%s" вече не съществува. + + + + There was no display item to amend. + Няма какво да се коригира. + + + + -- Top-level group -- + -- Най-основна група -- + + + + You must select an image or group to delete. + Трябва да изберете картина или група за да я изтриете. + + + + Remove group + Премахни група + + + + Are you sure you want to remove "%s" and everything in it? + Наистина ли да се изтрият "%s" и всичко в тях? + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + Видим фон за картини с размер различен от екрана. + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + Phonon е медия плеър, който взаимодейства с операционната система за да предостави медийни възможности. + + + + Audio + Аудио + + + + Video + Видео + + + + VLC is an external player which supports a number of different formats. + VLC е външен плеър, който поддържа много различни формати. + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + Webkit е медия плеър, който върви в уеб браузър. Той позволява визуализирането на текста върху видеото. + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + <strong>Медия Плъгин</strong><br />Тази добавка обезпечава възпроизвеждането на звук и видео. + + + + Media + name singular + Медия + + + + Media + name plural + Медия + + + + Media + container title + Медия + + + + Load new media. + Заредете нов медия файл + + + + Add new media. + Добавете нов медия файл. + + + + Edit the selected media. + Редактирайте избрания медия файл + + + + Delete the selected media. + Изтрийте избрания видео файл + + + + Preview the selected media. + Преглед на избрания видео файл + + + + Send the selected media live. + Пуснете избрания видео файл на живо + + + + Add the selected media to the service. + Добави избраната медия към службата. + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + Заглавие: + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + Избери Медия + + + + You must select a media file to delete. + Трябва да изберете медиен файл за да го изтриете. + + + + You must select a media file to replace the background with. + Трябва да изберете медиен файл с който да замените фона. + + + + There was a problem replacing your background, the media file "%s" no longer exists. + Имаше проблем при заместването на фона,медийния файл "%s" вече не съществува. + + + + Missing Media File + Липсващ медиен файл. + + + + The file %s no longer exists. + Файлът %s вече не съществува. + + + + Videos (%s);;Audio (%s);;%s (*) + Видео (%s);;Аудио (%s);;%s (*) + + + + There was no display item to amend. + Няма какво да се коригира. + + + + Unsupported File + Неподдържан файл + + + + Use Player: + Използвай Плейър. + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + Позволи медия плеъра да бъде прескочен + + + + Start Live items automatically + Автоматично стартиране на На живо елементите + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + Файлове с изображения + + + + Information + Информация + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + Формата на Библията се промени. +Трябва да надградите съществуващите Библии. +Да ги надгради ли OpenLP сега? + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + Заслуги + + + + License + Лиценз + + + + build %s + издание %s + + + + 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; version 2 of the License. + Тази програма е свободно приложение, можете да да я разпространявате и/или да внасяте промени в нея спазвайки условията на ГНУ Общ Публичен Лиценз, както е публикуван от Фондация Свободен Софтуер; версия 2 на Лиценза. + + + + 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 below for more details. + Тази програма се разпространява с надеждата, че ще бъде полезна, но за това не се дава никаква гаранция; без дори косвена гаранция като ПРОДУКТ ГОДЕН ЗА ПРОДАЖБА или ВЪВ ВЪЗМОЖНОСТ ДА СЛУЖИ ЗА ОПРЕДЕЛЕНА ЦЕЛ. За повече информация, погледнете по-долу. + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + OpenLP <version><revision> - свободен софтуер с отворен код за църковни презентации или презентации на текст, който се използва за прожектиране на слайдове с песни, библейски стихове, видео, картини и дори презентации (ако е инсталиран Impress, PowerPoint или PowerPoint Viewer) за църковно поклонение с компютър и проектор. + +Разберете повече за OpenLP на: http://openlp.org/ + +OpenLP се програмира и разработва от доброволци. Ако искате да разберете повече за програмиране на свободен християнски софтуер, моля обмислете вашето доброволчество като ползвате бутона по-долу. + + + + Volunteer + Доброволец + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + Настройки на потребителския интерфейс. + + + + Number of recent files to display: + Брой на скорошно показваните файлове: + + + + Remember active media manager tab on startup + Запомни раздела за активния управител на задачи, при стартиране. + + + + Double-click to send items straight to live + Двойно щракване за директно изпращане на обекта към Екрана. + + + + Expand new service items on creation + Разширяване на новите обекти при създаването им. + + + + Enable application exit confirmation + Включва потвърждение при спиране на приложението. + + + + Mouse Cursor + Показалец на Мишката + + + + Hide mouse cursor when over display window + Скрий показалеца на мишката когато е върху прозореца за показване. + + + + Default Image + Изображение за показване по подразбиране. + + + + Background color: + Цвят за фон: + + + + Image file: + Файл на изображение: + + + + Open File + Отвори файл + + + + Advanced + Допълнителни + + + + Preview items when clicked in Media Manager + Предварителен преглед на обектите когато за избрани в Медийния Управител. + + + + Browse for an image file to display. + Прегледай за избор на файл на изображение за показване. + + + + Revert to the default OpenLP logo. + Възвърни OpenLP логото което е по подразбиране + + + + Default Service Name + Име на службата по подразбиране + + + + Enable default service name + Активирай име на службата по подразбиране + + + + Date and Time: + Дата и час: + + + + Monday + Понеделник + + + + Tuesday + Вторник + + + + Wednesday + Сряда + + + + Friday + Петък + + + + Saturday + Събота + + + + Sunday + Неделя + + + + Now + Сега + + + + Time when usual service starts. + Кога на започване на службата по принцип. + + + + Name: + Име + + + + Consult the OpenLP manual for usage. + За ползване се консултирайте с упътването на OpenLP + + + + Revert to the default service name "%s". + Върни към име на службата по подразбиране "%s". + + + + Example: + Пример: + + + + Bypass X11 Window Manager + Заобикаляне на X11 Window Manager + + + + Syntax error. + Синтактична грешка + + + + Data Location + Място на данните + + + + Current path: + Сегашен път: + + + + Custom path: + Потребителски път: + + + + Browse for new data file location. + Разлисти за ново място на файла с данни. + + + + Set the data location to the default. + Направи мястото на данните по подразбиране. + + + + Cancel + Откажи + + + + Cancel OpenLP data directory location change. + Откажи промяната на директорията с данни на OpenLP. + + + + Copy data to new location. + Копирай данните на ново място. + + + + Copy the OpenLP data files to the new location. + Копирай файловете с данни на OpenLPна ново място. + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>ПРЕДУПРЕЖДЕНИЕ:</strong> Новата директория съдържа файлове с данни OpenLP. Ще бъдат изместени при копирането. + + + + Data Directory Error + Грешка с директорията с данни + + + + Select Data Directory Location + Избери място на директорията с данни + + + + Confirm Data Directory Change + Потвърди промяната на директорията с данни + + + + Reset Data Directory + Върни настройките за директорията с данни + + + + Overwrite Existing Data + Презапиши върху наличните данни + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + Директорията с данни на OpenLP не беше открита + +%s + +Тази директория с данни е променена и не е директорията по подразбиране. Ако новото място е било на преносим диск, той трябва да бъде включен отново.. + +Кликни "No" за да се спре зареждането на OpenLP. и да може да се оправи проблема. + +Кликни "Yes" за да се върнат настройките по подразбиране за директорията с данни + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + Наистина ли да се смени мястото на директорията с данни на OpenLP на: + +%s + +Директорията с данни ще бъде сменена, когато OpenLP се затвори. + + + + Thursday + Четвъртък + + + + Display Workarounds + Покажи решения + + + + Use alternating row colours in lists + Използвай редуващи се цветове на редовете от списъците + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + Наистина ли мястото на директорията за данни на OpenLP да стане това, което е по подразбиране? + +Това място ще бъде използвано след затварянето на OpenLP. + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + ПРЕДУПРЕЖДЕНИЕ: + +Избраното място + +%s + +съдържа файлове с данни на OpenLP. Да бъдат ли заместени с тези файлове с данни? + + + + Restart Required + Изисква се рестартиране + + + + This change will only take effect once OpenLP has been restarted. + Ефект от промяната ще има само след рестартиране на OpenLP. + + + + OpenLP.ColorButton + + + Click to select a color. + Щракни за да избереш цвят. + + + + OpenLP.DB + + + RGB + + + + + Video + Видео + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + Настъпи Грешка + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + OpenLP се натъкна на проблем, и не можа да се оправи с него. Текста по-долу съдържа информация която може да се окаже полезна за разработчиците, така че моля изпратете тази информация на електронен адрес bugs@openlp.org, заедно със подробно описание на това което сте правили когато проблема се е случил. + + + + Send E-Mail + Изпрати E-Mail. + + + + Save to File + Запази във файл + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + Моля обяснете какво правихте когато се получи тази грешка ⏎ +(Минимум 20 букви) + + + + Attach File + Прикачи файл + + + + Description characters to enter : %s + Брой букви за обяснение : %s + + + + OpenLP.ExceptionForm + + + Platform: %s + + Платформа: %s⏎ + + + + Save Crash Report + Запази доклад на забиването + + + + Text files (*.txt *.log *.text) + Текстови файлове (*.txt *.log *.text) + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + **Рапорт за бъгове на OpenLP**⏎ Версия: %s⏎ ⏎ --- Детайли за Изключението. ---⏎ ⏎ %s⏎ ⏎ --- Проследяване на Изключението ---⏎ %s⏎ --- Системна информация ---⏎ %s⏎ --- версии на библиотеките ---⏎ %s⏎ + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + *Рапорт за бъгове на OpenLP*⏎ Версия: %s⏎ ⏎ --- Детайли за Изключението. ---⏎ ⏎ %s⏎ ⏎ --- Проследяване на Изключението ---⏎ %s⏎ --- Системна информация ---⏎ %s⏎ --- версии на библиотеките ---⏎ %s⏎ + + + + OpenLP.FileRenameForm + + + File Rename + Преименувай файл + + + + New File Name: + Име на нов файл + + + + File Copy + Копирай файл + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + Избери превод + + + + Choose the translation you'd like to use in OpenLP. + Избери превод на OpenLP. + + + + Translation: + Превод: + + + + OpenLP.FirstTimeWizard + + + Songs + Песни + + + + First Time Wizard + Първоначален помощник + + + + Welcome to the First Time Wizard + Заповядайте в първоначалния помощник! + + + + Activate required Plugins + Активирай необходимите добавки + + + + Select the Plugins you wish to use. + Избери добавките, които да бъдат ползвани. + + + + Bible + Библия + + + + Images + Картини + + + + Presentations + Презентации + + + + Media (Audio and Video) + Медия(Аудио и Видео) + + + + Allow remote access + Позволи дистанционен достъп + + + + Monitor Song Usage + Следи ползването на песни + + + + Allow Alerts + Позволи Аларми + + + + Default Settings + Първоначални настройки + + + + Downloading %s... + Сваляне %s... + + + + Enabling selected plugins... + Пускане на избраните добавки... + + + + No Internet Connection + Няма интернет връзка + + + + Unable to detect an Internet connection. + Няма намерена интернет връзка + + + + Sample Songs + Песни за модел + + + + Select and download public domain songs. + Избери и свали песни от публичен домейн + + + + Sample Bibles + Библии като модел + + + + Select and download free Bibles. + Избери и свали свободни за сваляне Библии. + + + + Sample Themes + Теми за модел + + + + Select and download sample themes. + Избери и свали модели на теми + + + + Set up default settings to be used by OpenLP. + Задай първоначалните настройки на OpenLP. + + + + Default output display: + Дисплей по подразбиране + + + + Select default theme: + Избери тема по подразбиране + + + + Starting configuration process... + Стартиране на конфигурационен процес... + + + + Setting Up And Downloading + Настройване и Сваляне + + + + Please wait while OpenLP is set up and your data is downloaded. + Моля изчакай докато OpenLP се настрои и свали нужните данни! + + + + Setting Up + Настройване + + + + Custom Slides + Потребителски слайдове + + + + Finish + Край + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + Не е намерена Интернет връзка. Първоначалният помощник се нуждае от интернет връзка за да може да изтегли примерни песни, библии и теми. Кликни бутона за край за да стартираш OpenLP настроена, но без примерни данни.⏎ ⏎ За да стартираш отново първоначалния помощник и да импортираш примерните данни провери интернет връзката и избери "Инструменти/Стартирай пак първоначалния помощниик" от менюто на програмата. + + + + Download Error + Грешка при сваляне + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + Откажи + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + Конфигурирай отметките за форматиране + + + + Description + Описание + + + + Tag + Отметка + + + + Start HTML + Начало на HTML + + + + End HTML + Край на HTML + + + + Default Formatting + Форматиране по подразбиране + + + + Custom Formatting + Потребителско форматиране + + + + OpenLP.FormattingTagForm + + + <HTML here> + <HTML тук> + + + + Validation Error + Грешка при утвърждаване. + + + + Description is missing + Липсва описание + + + + Tag is missing + Отметката липсва + + + + Tag %s already defined. + Tag %s already defined. Отметката%ите е%са вече дефинирана%и. + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + Червено + + + + Black + Черно + + + + Blue + Синьо + + + + Yellow + Жълто + + + + Green + Зелено + + + + Pink + Розово + + + + Orange + Оранжево + + + + Purple + Лилаво + + + + White + Бяло + + + + Superscript + Горен индекс + + + + Subscript + Долен индекс + + + + Paragraph + Параграф + + + + Bold + Удебелен + + + + Italics + Наклонен + + + + Underline + Подчертан + + + + Break + Нов ред + + + + OpenLP.GeneralTab + + + General + Главен + + + + Monitors + Монитори + + + + Select monitor for output display: + Избери монитор за външно пускане + + + + Display if a single screen + Покажи ако е единичен екран + + + + Application Startup + Стартиране на програма + + + + Show blank screen warning + Покажи предупреждение черен екран + + + + Automatically open the last service + Автоматично отвори последната служба + + + + Show the splash screen + Покажи начално лого + + + + Application Settings + Настройки на програмата + + + + Prompt to save before starting a new service + Напомняне да запазиш преди стартиране на нова служба + + + + Automatically preview next item in service + Автоматичен преглед на следваща точка в службата + + + + sec + сек. + + + + CCLI Details + CCLI детайли + + + + SongSelect username: + Протребителско име за SongSelect + + + + SongSelect password: + Парола за SongSelect + + + + X + X + + + + Y + Y + + + + Height + Височина + + + + Width + Широчина + + + + Check for updates to OpenLP + Провери за актуализации за OpenLP + + + + Unblank display when adding new live item + Махни черен екран при добавяне на нов слайд за прожектиране + + + + Timed slide interval: + Интервал за срок на слайд: + + + + Background Audio + Фохово аудио + + + + Start background audio paused + Стартирай фоновото аудио на пауза + + + + Service Item Slide Limits + Ограничения на слайд с обекти на службата + + + + Override display position: + Прескочи позицията на дисплея + + + + Repeat track list + Повтори списъка с парчета + + + + Behavior of next/previous on the last/first slide: + Поведение на следващ/предишен на последен/първи слайд: + + + + &Remain on Slide + Остани на слайда + + + + &Wrap around + Свий в рамка + + + + &Move to next/previous service item + Иди на следващ/предишен обект на службата + + + + OpenLP.LanguageManager + + + Language + Език + + + + Please restart OpenLP to use your new language setting. + Моля рестартирай OpenLP за ползване на новите езикови настройки + + + + OpenLP.MainDisplay + + + OpenLP Display + Дисплей за OpenLP + + + + OpenLP.MainWindow + + + &File + &Файл + + + + &Import + &Импортиране + + + + &Export + &Експортиране + + + + &View + &Изглед + + + + M&ode + &Вид + + + + &Tools + Ин&струменти + + + + &Settings + &Настройки + + + + &Language + Е&зик + + + + &Help + &Помощ + + + + Service Manager + Управление на служба + + + + Theme Manager + Управление на теми + + + + &New + &Нов + + + + &Open + &Отвори + + + + Open an existing service. + Отвори налична служба + + + + &Save + &Запази + + + + Save the current service to disk. + Запази настоящата служба на диск + + + + Save &As... + Запази &като + + + + Save Service As + Запази службата като + + + + Save the current service under a new name. + Запази настоящата служба под друго име + + + + E&xit + Из&ход + + + + Quit OpenLP + Изключи OpenLP + + + + &Theme + Т&ема + + + + &Configure OpenLP... + &Конфигурирай OpenLP... + + + + &Media Manager + &Управление на медия + + + + Toggle Media Manager + Закачи управление на проекти + + + + Toggle the visibility of the media manager. + Закачи показването на управлението на медия + + + + &Theme Manager + &Управление на теми + + + + Toggle Theme Manager + Закачи управление на теми + + + + Toggle the visibility of the theme manager. + Закачи показването на управлението на теми + + + + &Service Manager + &Управление на служба + + + + Toggle Service Manager + Закачи управление на служба + + + + Toggle the visibility of the service manager. + Закачи показването на управлението на служба + + + + &Preview Panel + Панел за преглед + + + + Toggle Preview Panel + Закачи панела за преглед + + + + Toggle the visibility of the preview panel. + Закачи показването на панел за преглед + + + + &Live Panel + Панел Прожектиране + + + + Toggle Live Panel + Закачи панел Прожектиране + + + + Toggle the visibility of the live panel. + Закачи показването на управлението на панела Прожектиране + + + + &Plugin List + &Лист на Добавките + + + + List the Plugins + Разлисти добавките + + + + &User Guide + Справо&чник на потребителя + + + + &About + &Относно + + + + More information about OpenLP + Повече информация за OpenLP + + + + &Online Help + &Помощ онлайн + + + + &Web Site + &Уеб страница + + + + Use the system language, if available. + Ползвай системния език по възможност + + + + Set the interface language to %s + Задай езика на програмата на %s + + + + Add &Tool... + Добави &инструмент... + + + + Add an application to the list of tools. + Добави програма към листа с инструменти + + + + &Default + &По подразбиране + + + + Set the view mode back to the default. + Задай вида изглед на програмата по подразбиране + + + + &Setup + &Настройки + + + + Set the view mode to Setup. + Задай вид изглед на настройване + + + + &Live + Прожекция + + + + Set the view mode to Live. + Задай вид изглед Прожектиране + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + Има версия %s на OpenLP за сваляне (вие ползвате %s версия в момента). ⏎ ⏎ Можете да изтеглите последната версия от http://openlp.org/. + + + + OpenLP Version Updated + Актуализирана е версията на OpenLP + + + + OpenLP Main Display Blanked + Основния дисплей на OpenLP е затъмнен + + + + The Main Display has been blanked out + Махнато е затъмнението на основния дисплей + + + + Default Theme: %s + Тема по подразбиране: %s + + + + English + Please add the name of your language here + Английски + + + + Configure &Shortcuts... + Настрой &Преки пътища + + + + Close OpenLP + Затвори OpenLP + + + + Are you sure you want to close OpenLP? + Наистина ли да се затвори OpenLP? + + + + Open &Data Folder... + Отвори &Папка с данни + + + + Open the folder where songs, bibles and other data resides. + Отвори папката съдържаща песни, библии и други данни. + + + + &Autodetect + &Автоматично откриване + + + + Update Theme Images + Актуализирай картините на темата + + + + Update the preview images for all themes. + Актуализирай прегледа за всички теми. + + + + Print the current service. + Принтирай избраната служба + + + + &Recent Files + Последно о&тваряни файлове + + + + L&ock Panels + За&ключи панелите + + + + Prevent the panels being moved. + Предпази панелите от местене. + + + + Re-run First Time Wizard + Стартирай пак Първоначалния помощник + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + Стартирай пак Първоначалния помощник с импортиране на песни, библии теми + + + + Re-run First Time Wizard? + Да се стартира пак Първоначалния помощник? + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + Наистина ли да се стартира Първоначалния помощник?⏎ ⏎ Повторното стартиране ще промени сегашните настройки на OpenLP както и да промени темата по подразбиране и да добави песни към списъка с песни. + + + + Clear List + Clear List of recent files + Изчисти списъка + + + + Clear the list of recent files. + Изчисти списъка на последно отваряните файлове. + + + + Configure &Formatting Tags... + Конфигурирай отметките за &форматиране + + + + Export OpenLP settings to a specified *.config file + Експортирай настройките на OpenLP в указан *.config файл + + + + Settings + Настройки + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + Експортирай настройките на OpenLP в указан *.config файл предишно експортиран на този или друг компютър + + + + Import settings? + Да се импортират ли настройките? + + + + Open File + Отвори файл + + + + OpenLP Export Settings Files (*.conf) + Фалове с експортирани настройки на OpenLP (*.conf) + + + + Import settings + Импортирай настройки + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + OpenLP сега ще се изключи. Импортираните настройки ще се приложат при следващо стартиране на OpenLP. + + + + Export Settings File + Експортирай файла с настройки + + + + OpenLP Export Settings File (*.conf) + Файйл с настройки за експотриране(*.conf) на OpenLP + + + + New Data Directory Error + Грешка с новата директория с данни + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + Kопират се данните на OpenLP на новото място - %s - Моля изчакайте копирането да завърши. + + + + OpenLP Data directory copy failed + +%s + Копирането на директорията с данни на OpenLP се провали +%s + + + + General + Главен + + + + Library + Библиотека + + + + Jump to the search box of the current active plugin. + Иди към кутията за търсене на текущата активна добавка. + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + Наистина ли да се импортират настройките? + +Това ще направи постоянни промени в конфигурацията на OpenLP. + +Импортирането на неправилни настройки може да предизвика некоректно поведение на програмата или неочакваното и спиране. + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + Файлът, когото сте избрали явно е невалиден файл с настройки на OpenLP. + +Процесът е спрян и не са направени никакви промени. + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + Грешка в базата данни + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + Зададената база данни е създадена от по ранна версия на OpenLP. Версията на базата данни е %d, а се очаква версия %d. Базата данни няма да се зареди.⏎ ⏎ База данни: %s + + + + OpenLP cannot load your database. + +Database: %s + OpenLP не може да зареди вашата база данни.⏎ ⏎ База данни: %s + + + + OpenLP.MediaManagerItem + + + No Items Selected + Не са избрани обекти + + + + &Add to selected Service Item + Добави избрания обект за служба + + + + You must select one or more items to preview. + Трябва да избереш един или повече обекти за преглед. + + + + You must select one or more items to send live. + Трябва да избереш един или повече обекти за прожектиране. + + + + You must select one or more items. + Трябва да избереш един или повече обекти. + + + + You must select an existing service item to add to. + Трябва да избереш един или повече налични обекти на службата за добавяне. + + + + Invalid Service Item + Невалиден обект за служба + + + + You must select a %s service item. + Трябва да избереш %s обект. + + + + You must select one or more items to add. + Трябва да избереш един или повече обекти за добавяне. + + + + No Search Results + Няма намерени резултати + + + + Invalid File Type + Невалиден тип файл + + + + Invalid File %s. +Suffix not supported + Невалиден файл %s.⏎ Неподдържан суфикс + + + + &Clone + &Клонирай + + + + Duplicate files were found on import and were ignored. + Повтарящи се файлове бяха намерени при импортирането и бяха игнорирани. + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + Отметката <текст> липсва. + + + + <verse> tag is missing. + Отметката <куплет> липсва. + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + Плеъри + + + + Available Media Players + Налични медийни програми. + + + + Player Search Order + Ред на търсене на плеърите + + + + Visible background for videos with aspect ratio different to screen. + Видим фон за видео с размер различен от екрана. + + + + %s (unavailable) + %s (неналични) + + + + OpenLP.PluginForm + + + Plugin List + Списък на добавките + + + + Plugin Details + Детайли на добавката + + + + Status: + Статус: + + + + Active + Активна + + + + Inactive + Неактивна + + + + %s (Inactive) + %s (Неактивна) + + + + %s (Active) + %s (Активна) + + + + %s (Disabled) + %s (Изключена) + + + + OpenLP.PrintServiceDialog + + + Fit Page + Запълни страницата + + + + Fit Width + Запълни ширината на листа + + + + OpenLP.PrintServiceForm + + + Options + Опции + + + + Copy + Копирай + + + + Copy as HTML + Копирай като HTML + + + + Zoom In + Приближи + + + + Zoom Out + Отдалечи + + + + Zoom Original + Първоначално + + + + Other Options + Други опции + + + + Include slide text if available + Включи и текста на слайда + + + + Include service item notes + Включи и бележки за службата + + + + Include play length of media items + Включи и времетраене на медията + + + + Add page break before each text item + Добави нов ред преди всеки отделен текст + + + + Service Sheet + Листовка на сжужбата + + + + Print + Принтиране + + + + Title: + Заглавие: + + + + Custom Footer Text: + Текст за долен колонтитул + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + Бележки + + + + Database Error + Грешка в базата данни + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + Порт + + + + Notes + Бележки + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + Друго + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + Екран + + + + primary + Първи + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + <strong>Старт</strong>: %s + + + + <strong>Length</strong>: %s + <strong>Дължина</strong>: %s + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + Пренареди обекта на службата + + + + OpenLP.ServiceManager + + + Move to &top + Премести най-отгоре + + + + Move item to the top of the service. + Премести обект най-отгоре на службата + + + + Move &up + Премести нагоре + + + + Move item up one position in the service. + Премести обекта една позиция нагоре. + + + + Move &down + Премести надолу + + + + Move item down one position in the service. + Премести обекта една позиция надолу. + + + + Move to &bottom + Премести най-отдолу + + + + Move item to the end of the service. + Премести обекта накрая на службата. + + + + &Delete From Service + Изтрий от службата + + + + Delete the selected item from the service. + Изтрий избрания обект от службата. + + + + &Add New Item + Добави Нов обект + + + + &Add to Selected Item + Собави към избрания обект + + + + &Edit Item + Редактирай обекта + + + + &Reorder Item + Пренареди обекта + + + + &Notes + Бележки + + + + &Change Item Theme + Смени темата на обекта + + + + File is not a valid service. + Файлът не е валидна служба. + + + + Missing Display Handler + Липсващa процедура за дисплея + + + + Your item cannot be displayed as there is no handler to display it + Обекта ви не може да се покаже понеже няма процедура за това. + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + Обекта ви не може да бъде показан понеже добавката която се занимава с това не е активирана или липсва. + + + + &Expand all + Разгъни всички + + + + Expand all the service items. + Разгъни всички обекти в службата + + + + &Collapse all + Събери всички + + + + Collapse all the service items. + Събери всички обекти в службата + + + + Open File + Отвори файл + + + + Moves the selection down the window. + Премести селекцията надолу в прозореца + + + + Move up + Премести нагоре + + + + Moves the selection up the window. + Премести селекцията нагоре в прозореца + + + + Go Live + Прожектирай + + + + Send the selected item to Live. + Изпрати избрания обект за прожектиране + + + + &Start Time + Стартово време + + + + Show &Preview + Покажи преглед + + + + Modified Service + Променена служба + + + + The current service has been modified. Would you like to save this service? + Тази служба беше променена. Да бъде ли запазена? + + + + Custom Service Notes: + Потребителски бележки за службата: + + + + Notes: + Бележки: + + + + Playing time: + Продължителност: + + + + Untitled Service + Неозаглавена служба + + + + File could not be opened because it is corrupt. + Файлът е повреден и не може да бъде отворен. + + + + Empty File + Празен файл. + + + + This service file does not contain any data. + В този файл за служба няма никакви данни. + + + + Corrupt File + Повреден файл + + + + Load an existing service. + Зареди налична служба. + + + + Save this service. + Запази тази служба + + + + Select a theme for the service. + Избери тема за службата. + + + + Slide theme + Тена на слайда + + + + Notes + Бележки + + + + Edit + Редактирай + + + + Service copy only + Само копие на службата + + + + Error Saving File + Грешка при запазването на файла + + + + There was an error saving your file. + Стана грешка при запазването на файла + + + + Service File(s) Missing + Файл (файлове) от службата липсват + + + + &Rename... + &Преименувай... + + + + Create New &Custom Slide + Създай нов &Потребителски слайд + + + + &Auto play slides + Автоматично пускане на слайдове + + + + Auto play slides &Loop + Автоматично пускане на слайдове &Превъртане + + + + Auto play slides &Once + Автоматично пускане на слайдове &Веднъж + + + + &Delay between slides + &Zabawqne mevdu slajdowete + + + + OpenLP Service Files (*.osz *.oszl) + Файлове за служба на OpenLP (*.osz *.oszl) + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + Файлове за служба на OpenLP (*.osz);; Файлове за служба на OpenLP - олекотени (*.oszl) + + + + OpenLP Service Files (*.osz);; + Файлове за служба на OpenLP (*.osz);; + + + + File is not a valid service. + The content encoding is not UTF-8. + Файлът не е валидна служба. +Кодирането на текста не е UTF-8. + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + Файлът за служба, който искате да отворите в стар формат. + Моля запазете го като ползвте OpenLP 2.0.2 или по нов. + + + + This file is either corrupt or it is not an OpenLP 2 service file. + Този файл е повреден или не е OpenLP 2 файл за служба. + + + + &Auto Start - inactive + &Автоматичен старт - неактивен + + + + &Auto Start - active + &Автоматичен старт - активен + + + + Input delay + Вмъкни забавяне + + + + Delay between slides in seconds. + Забавяне между слайдовете в секунди. + + + + Rename item title + Преименувай заглавието + + + + Title: + Заглавие: + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + Бележки на обекта на службата + + + + OpenLP.SettingsForm + + + Configure OpenLP + Конфигурирай OpenLP + + + + OpenLP.ShortcutListDialog + + + Action + Действие + + + + Shortcut + Пряк път + + + + Duplicate Shortcut + Повторение на пряк път + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + Прекият път "%s" е вече свързан с друго действие. Моля ползвайте друг пряк път! + + + + Alternate + Алтернативен + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + Избери действие и кликни на един от бутоните по-долу за да започне прихващане на нов или алтернативен пряк път. + + + + Default + По подразбиране + + + + Custom + Потребителски + + + + Capture shortcut. + Прихвани пряк път. + + + + Restore the default shortcut of this action. + Възстанови прекия път по подразбиране за това действие. + + + + Restore Default Shortcuts + Възстанови преките пътища по подразбиране + + + + Do you want to restore all shortcuts to their defaults? + Наистина ли да възстанови всички преки пътища по подразбиране + + + + Configure Shortcuts + Конфигурирай преките пътища + + + + OpenLP.SlideController + + + Hide + Скрии + + + + Go To + Иди на + + + + Blank Screen + Празен екран + + + + Blank to Theme + Празен с тема + + + + Show Desktop + Покажи Десктопа + + + + Previous Service + Предишна служба + + + + Next Service + Следваща служба + + + + Escape Item + Избегни обект + + + + Move to previous. + Иди на предишен + + + + Move to next. + Иди на следващ + + + + Play Slides + Пусни слайдовете + + + + Delay between slides in seconds. + Забавяне между слайдовете в секунди. + + + + Move to live. + Прожектирай + + + + Add to Service. + Добави към службата. + + + + Edit and reload song preview. + Редактирай и презареди прегледа на песента. + + + + Start playing media. + Пусни медия. + + + + Pause audio. + Пауза + + + + Pause playing media. + Сложи на пауза + + + + Stop playing media. + Спри медията + + + + Video position. + Позиция на видеото + + + + Audio Volume. + Сила на звука + + + + Go to "Verse" + Иди на "куплет" + + + + Go to "Chorus" + Иди на "припев" + + + + Go to "Bridge" + Иди на "бридж" + + + + Go to "Pre-Chorus" + Иди на "пред припев" + + + + Go to "Intro" + Иди на "интро" + + + + Go to "Ending" + Иди на "завършек" + + + + Go to "Other" + Иди на "друго" + + + + Previous Slide + Предишен слайд + + + + Next Slide + Следващ слайд + + + + Pause Audio + Аудио на пауза + + + + Background Audio + Фохово аудио + + + + Go to next audio track. + Иди на следващото парче + + + + Tracks + Парчета + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + Предложения за правопис + + + + Formatting Tags + Отметки за форматиране + + + + Language: + Език: + + + + OpenLP.StartTimeForm + + + Theme Layout + Оформление на тема + + + + The blue box shows the main area. + Синята рамка показва основната област + + + + The red box shows the footer. + Червената рамка показва долния колонтитул + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + Време на старт и край на обект + + + + Hours: + Часове: + + + + Minutes: + Минути: + + + + Seconds: + Секунди: + + + + Start + Старт + + + + Finish + Край + + + + Length + Продължителност + + + + Time Validation Error + Грешка при потвърждение на времето + + + + Finish time is set after the end of the media item + Времето за край е зададено след края на медийния обект + + + + Start time is after the finish time of the media item + Времето за старт е зададено след края на медийния обект + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + (приблизително %d реда на слайд) + + + + OpenLP.ThemeManager + + + Create a new theme. + Създай нова тема + + + + Edit Theme + Редактирай темата + + + + Edit a theme. + Редактирай темата + + + + Delete Theme + Изтрий темата + + + + Delete a theme. + Изтрий темата + + + + Import Theme + Импортирай тема + + + + Import a theme. + Импортирай тема + + + + Export Theme + Експортирай темата + + + + Export a theme. + Експортирай темата + + + + &Edit Theme + Редактирай темата + + + + &Delete Theme + Изтрии темата + + + + Set As &Global Default + Задай като глобално по подразбиране + + + + %s (default) + %s (по подразбиране) + + + + You must select a theme to edit. + Трябва темата да бъде избрана за да се редактира. + + + + You are unable to delete the default theme. + Темата по подразбиране не може да бъде изтрита. + + + + Theme %s is used in the %s plugin. + Темата %s се използва от %s добавка. + + + + You have not selected a theme. + Не е избрана тема. + + + + Save Theme - (%s) + Запази темата - (%s) + + + + Theme Exported + Темата е експортирана + + + + Your theme has been successfully exported. + Темата е успешно експортирана + + + + Theme Export Failed + Експортирането на темата се провали. + + + + Select Theme Import File + Избери файл за импортиране на тема + + + + File is not a valid theme. + Файлът не е валидна тема. + + + + &Copy Theme + Копирай темата + + + + &Rename Theme + Преименувай темата + + + + &Export Theme + Експортирай темата + + + + You must select a theme to rename. + Темата трябва да е избрана за да се преименува. + + + + Rename Confirmation + Порвръждение на преименуването + + + + Rename %s theme? + Да се преименува ли темата %s? + + + + You must select a theme to delete. + Темата трябва да е избрана за да се изтрие. + + + + Delete Confirmation + Порвръждение на изтриването + + + + Delete %s theme? + Да се изтрие ли темата %s? + + + + Validation Error + Грешка при утвърждаване. + + + + A theme with this name already exists. + Тема с това име вече съществува. + + + + Copy of %s + Copy of <theme name> + Копие на %s + + + + Theme Already Exists + Вече има такава тема + + + + Theme %s already exists. Do you want to replace it? + Темата %s вече е налична. Да бъде ли изместена? + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + Съветника за Теми. + + + + Welcome to the Theme Wizard + Добре дошли в съветника за Теми. + + + + Set Up Background + Настройка на фона + + + + Set up your theme's background according to the parameters below. + Настройте фон за темата според параметрите по долу. + + + + Background type: + Тип на фона: + + + + Gradient + Преливащ + + + + Gradient: + Преливащ: + + + + Horizontal + Хоризонтално + + + + Vertical + Вертикално + + + + Circular + Кръгово + + + + Top Left - Bottom Right + Ляво Горе - Дясно Долу. + + + + Bottom Left - Top Right + Ляво Долу - Дясно Горе + + + + Main Area Font Details + Подробности за Шрифт на основната област + + + + Define the font and display characteristics for the Display text + Определете шрифта и характеристиките за показване на Текста + + + + Font: + Шрифт: + + + + Size: + Размер + + + + Line Spacing: + Разстояние на междуредието + + + + &Outline: + Очертание + + + + &Shadow: + Сянка + + + + Bold + Удебелен + + + + Italic + Наклонен + + + + Footer Area Font Details + Детайли на шрифта на колонтитула + + + + Define the font and display characteristics for the Footer text + Определя характеристиките на шрифта и дисплея на колонтитула + + + + Text Formatting Details + Детайли на форматирането на текста + + + + Allows additional display formatting information to be defined + Позволява да бъде определена допълнителна информация за форматирането на дисплея + + + + Horizontal Align: + Хоризонтално подравняване: + + + + Left + Ляво + + + + Right + Дясно + + + + Center + Център + + + + Output Area Locations + Област на показване + + + + &Main Area + Основна област + + + + &Use default location + Ползвай позицията по подразбиране + + + + X position: + Х позиция: + + + + px + px + + + + Y position: + Y позиция: + + + + Width: + Ширина: + + + + Height: + Височина: + + + + Use default location + Ползвай мястото по подразбиране + + + + Theme name: + Име на темата: + + + + Edit Theme - %s + Редактирай тема - %s + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + С този помощник ще можете да създавате и редактирате вашите теми. Кликнете на бутона "следващ" + + + + Transitions: + Преходи: + + + + &Footer Area + Област на колонтитула + + + + Starting color: + Започващ цвят: + + + + Ending color: + Завършващ цвят: + + + + Background color: + Цвят за фон: + + + + Justify + Двустранно + + + + Layout Preview + Преглед на оформлението + + + + Transparent + Прозрачен + + + + Preview and Save + Преглед и запомняне + + + + Preview the theme and save it. + Преглед на темата и запомнянето и. + + + + Background Image Empty + Празен фон + + + + Select Image + Избери картина + + + + Theme Name Missing + Липсва име на темата + + + + There is no name for this theme. Please enter one. + Тази тема няма име. Моля въведете го. + + + + Theme Name Invalid + Името на темата е невалидно. + + + + Invalid theme name. Please enter one. + Невалидно име на темата. Моля въведете друго. + + + + Solid color + Плътен цвят + + + + color: + цвят: + + + + Allows you to change and move the Main and Footer areas. + Позволява да се променят и местят Основната област и тази на Колонтитула. + + + + You have not selected a background image. Please select one before continuing. + Не е указана картина за фон. Моля изберете една преди да продължите! + + + + OpenLP.ThemesTab + + + Global Theme + Глобална тема + + + + Theme Level + Ниво тема + + + + S&ong Level + Ниво песен + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + Ползва се темата на всяка песен записана в базата данни. Ако песента не е асоциирана с тема се ползва темата на службата. Ако и службата няма зададена тема тогава се ползва глобалната. + + + + &Service Level + Ниво служба + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + Ползва се темата на службата като се игнорират темите на отделните песни. Ако службата няма тема се ползва глобалната. + + + + &Global Level + Глобално ниво + + + + Use the global theme, overriding any themes associated with either the service or the songs. + Ползване на глобалната тема като измества всякакви теми на служби или песни. + + + + Themes + Теми + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + Изтрий избрания обект. + + + + Move selection up one position. + Премести избраното една позиция нагоре. + + + + Move selection down one position. + Премести избраното една позиция надолу. + + + + &Vertical Align: + Вертикално подравняване: + + + + Finished import. + Завършено импортиране. + + + + Format: + Формат: + + + + Importing + Импортиране + + + + Importing "%s"... + Импортиране "%s"... + + + + Select Import Source + Избери източник за импортиране + + + + Select the import format and the location to import from. + Избери формат и източник за импортиране + + + + Open %s File + Отвори %s файл + + + + %p% + %p% + + + + Ready. + Готово. + + + + Starting import... + Започване на импортирането... + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + Трябва да посочите поне един %s файл, от който да се импортира. + + + + Welcome to the Bible Import Wizard + Добре дошли при помощника за импортиране на Библии + + + + Welcome to the Song Export Wizard + Добре дошли при помощника за експортиране на песни + + + + Welcome to the Song Import Wizard + Добре дошли при помощника за импортиране на песни + + + + Author + Singular + Автор + + + + Authors + Plural + Автори + + + + © + Copyright symbol. + © + + + + Song Book + Singular + Песнарка + + + + Song Books + Plural + Песнарки + + + + Song Maintenance + Ползване на песен + + + + Topic + Singular + Тема + + + + Topics + Plural + Теми + + + + Title and/or verses not found + Заглавие и/или стих липсват + + + + XML syntax error + XML синтактична грешка + + + + Welcome to the Bible Upgrade Wizard + Добре дошъл в Съветника за обновяване на Библия + + + + Open %s Folder + Отвори папка %s + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + Трябва да изберете файл %s, от който да импортирате + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + Трябва да изберете папка %s, от която да импортирате + + + + Importing Songs + Импортиране на песни + + + + Welcome to the Duplicate Song Removal Wizard + Добре дошли при помощника за премахване на дублирани песни + + + + Written by + Написана от + + + + Author Unknown + Неизвестен автор + + + + About + Относно + + + + &Add + Добави + + + + Add group + Добави група + + + + Advanced + Допълнителни + + + + All Files + Всички файлове + + + + Automatic + Автоматично + + + + Background Color + Цвят на фона + + + + Bottom + Отдолу + + + + Browse... + разлисти... + + + + Cancel + Откажи + + + + CCLI number: + CCLI номер: + + + + Create a new service. + Създай нова служба. + + + + Confirm Delete + Потвърди изтриване + + + + Continuous + продължаващ + + + + Default + По подразбиране + + + + Default Color: + Основен цвят + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + Служба %Y-%m-%d %H-%M + + + + &Delete + &Изтрий + + + + Display style: + Стил на показване: + + + + Duplicate Error + Грешка с дублиране + + + + &Edit + &Редактирай + + + + Empty Field + Празно поле + + + + Error + Грешка + + + + Export + Експортирай + + + + File + Файл + + + + File Not Found + Не е намерен файла. + + + + File %s not found. +Please try selecting it individually. + Файла %s не е намерен. +Опитайте се да ги избирате един по един.. + + + + pt + Abbreviated font pointsize unit + т. + + + + Help + Помощ + + + + h + The abbreviated unit for hours + ч. + + + + Invalid Folder Selected + Singular + Избрана е невалидна папка + + + + Invalid File Selected + Singular + Избран е невалиден файл + + + + Invalid Files Selected + Plural + Избрани са невалидни файлове + + + + Image + Изображение + + + + Import + Импортирай + + + + Layout style: + Стил на оформление + + + + Live + Прожекция + + + + Live Background Error + Грешка в фона на Прожекцията + + + + Live Toolbar + Лента с инструменти за Прожектиране + + + + Load + Зареди + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + мин. + + + + Middle + Среден + + + + New + Нов + + + + New Service + Нова Служба + + + + New Theme + Нова Тема + + + + Next Track + Следващо парче + + + + No Folder Selected + Singular + Не е избрана папка + + + + No File Selected + Singular + Не е избран файл + + + + No Files Selected + Plural + Не са избрани файлове + + + + No Item Selected + Singular + Не е избран Обект + + + + No Items Selected + Plural + Не са избрани обекти + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + OpenLP вече работи. Желаете ли да продължите? + + + + Open service. + Отваряне на Служба. + + + + Play Slides in Loop + Изпълни слайдовете в Повторение + + + + Play Slides to End + Изпълни слайдовете до края + + + + Preview + Преглед + + + + Print Service + Печат на Служба + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + Замени фона + + + + Replace live background. + Замени фона на Прожекцията + + + + Reset Background + Обнови фона + + + + Reset live background. + Сложи първоначални настройки на фона на Прожекцията + + + + s + The abbreviated unit for seconds + с + + + + Save && Preview + Запис и Преглед + + + + Search + Търсене + + + + Search Themes... + Search bar place holder text + Търси теми... + + + + You must select an item to delete. + Трябва да е избран обектът за да се изтрие. + + + + You must select an item to edit. + Трябва да е избран обектът за да се редактира. + + + + Settings + Настройки + + + + Save Service + Запази службата + + + + Service + Служба + + + + Optional &Split + Разделяне по избор + + + + Split a slide into two only if it does not fit on the screen as one slide. + Разделя слайда на две в случай, че като един не се събира на екрана. + + + + Start %s + Старт %s + + + + Stop Play Slides in Loop + Спри изпълнение при повторение + + + + Stop Play Slides to End + Спри изпълнение до края + + + + Theme + Singular + Тема + + + + Themes + Plural + Теми + + + + Tools + Инструменти + + + + Top + най-отгоре + + + + Unsupported File + Неподдържан файл + + + + Verse Per Slide + По стих за Слайд + + + + Verse Per Line + По стих за Линия + + + + Version + Версия + + + + View + Преглед + + + + View Mode + Изглед за Преглед + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + %s и %s + + + + %s, and %s + Locale list separator: end + %s, и %s + + + + %s, %s + Locale list separator: middle + %s, %s + + + + %s, %s + Locale list separator: start + %s, %s + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + <strong>Добавка за презентации</strong><br /> С добавката за презентации се показват презентации като се ползват външни програми. Може да изберете такава програма от падащото меню. + + + + Presentation + name singular + Презентация + + + + Presentations + name plural + Презентации + + + + Presentations + container title + Презентации + + + + Load a new presentation. + Зареди нова презентация + + + + Delete the selected presentation. + Изтрий избраната презентация. + + + + Preview the selected presentation. + Преглед на избраната презентация + + + + Send the selected presentation live. + Прожектиране на избраната презентация. + + + + Add the selected presentation to the service. + Добави избраната презентация към службата. + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + Избери презентация(и) + + + + Automatic + Автоматично + + + + Present using: + Сега използвани + + + + File Exists + Файлът е наличен + + + + A presentation with that filename already exists. + Вече има презентация с това име. + + + + This type of presentation is not supported. + Този тип презентация не е поддържан. + + + + Presentations (%s) + Презентации (%s) + + + + Missing Presentation + Липсваща презентация + + + + The presentation %s is incomplete, please reload. + Презентацията %s е непълна. Моля презаредете! + + + + The presentation %s no longer exists. + Презентацията %s вече не е налична. + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + Налични контролери + + + + %s (unavailable) + %s (неналични) + + + + Allow presentation application to be overridden + Позволява презентационната програма да бъде прескочена + + + + PDF options + опции за PDF + + + + Use given full path for mudraw or ghostscript binary: + Ползвай дадения пълен път за mudraw или ghostscript binary: + + + + Select mudraw or ghostscript binary. + Избери mudraw или ghostscript binary. + + + + The program is not ghostscript or mudraw which is required. + Програмата не е ghostscript или mudraw, което се изисква. + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + <strong>Добавка за дистанционно</strong><br /> С добавката за дистанционно може да се пращат команди към работеща версия на OpenLP на друг компютър чрез браузър или отдалечено API. + + + + Remote + name singular + Дистанционно + + + + Remotes + name plural + Дистанционни + + + + Remote + container title + Дистанционно + + + + Server Config Change + Промяна на сървърната конфигурация + + + + Server configuration changes will require a restart to take effect. + За да имат ефект промените на сървърната конфигурация изискват рестарт. + + + + RemotePlugin.Mobile + + + Service Manager + Управление на служба + + + + Slide Controller + Контролер на слайд + + + + Alerts + Сигнали + + + + Search + Търсене + + + + Home + Начало + + + + Refresh + Обнови + + + + Blank + Празен + + + + Theme + Тема + + + + Desktop + Десктоп + + + + Show + Покажи + + + + Prev + Пред. + + + + Next + След. + + + + Text + Текст + + + + Show Alert + Покажи сигнал + + + + Go Live + Прожектирай + + + + Add to Service + Добави към службата + + + + Add &amp; Go to Service + Добави amp; Иди на Служба + + + + No Results + Няма резултати + + + + Options + Опции + + + + Service + Служба + + + + Slides + Слайдове + + + + Settings + Настройки + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + Свържи на IP адрес: + + + + Port number: + Номер на порт: + + + + Server Settings + Настройки на сървъра + + + + Remote URL: + Дистанционно URL: + + + + Stage view URL: + URL на сцена: + + + + Display stage time in 12h format + Показвай времето на сцената в 12ч. формат + + + + Android App + Програма за андроид + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + Сканирай QR кода или кликни на <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> за да инсталираш програмата за Андроид от Google Play. + + + + Live view URL: + URL на живо: + + + + HTTPS Server + HTTPS Сървър + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + Не намирам SSL сертификат. HTTPS сървърът няма да е на разположение докато не е намерен SSL сертификат. Моля, вижте упътването за повече информация. + + + + User Authentication + Удостоверяване на потребител + + + + User id: + Потребителски номер: + + + + Password: + Парола: + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + Проследяване ползването на песни + + + + &Delete Tracking Data + Изтрии данните от проследяването + + + + Delete song usage data up to a specified date. + Изтрии данните за ползването на песните до дадена дата. + + + + &Extract Tracking Data + Извличане на данните от проследяването + + + + Generate a report on song usage. + Създай рапорт за ползването на песните. + + + + Toggle Tracking + Закачи проследяване + + + + Toggle the tracking of song usage. + Закачи проследяване на ползването на песните + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + <strong>Добавка за ползването на песните</strong><br />Тази добавка проследява ползването на песните в службите. + + + + SongUsage + name singular + Ползване на песните + + + + SongUsage + name plural + Ползване на песните + + + + SongUsage + container title + Ползване на песните + + + + Song Usage + Ползване на песните + + + + Song usage tracking is active. + Проследяването на ползването на песните е активирано. + + + + Song usage tracking is inactive. + Проследяването на ползването на песните не е активирано. + + + + display + Покажи + + + + printed + принтирано + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + Изтрий данните за ползването на песните + + + + Delete Selected Song Usage Events? + Да се изтрият ли избраните данни за ползването на песните? + + + + Are you sure you want to delete selected Song Usage data? + Наистина ли да се изтрият ли избраните данни за ползването на песните? + + + + Deletion Successful + Изтриването е успешно. + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + Изберете дата, до която данните за ползването на песните ще бъдат изтрити. +Всички данни преди тази дата ще бъдат изцяло изтрити. + + + + All requested data has been deleted successfully. + Всичките посочени данни са изтрити успешно. + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + Извличане на ползването на песните + + + + Select Date Range + Задайте срок + + + + to + до + + + + Report Location + Местоположение на рапорта + + + + Output File Location + Местоположение на изходния файл. + + + + usage_detail_%s_%s.txt + Данни за ползването%s_%s.txt + + + + Report Creation + Създаване на рапорт + + + + Report +%s +has been successfully created. + Рапортът ⏎ %s ⏎ беше успешно създаден. + + + + Output Path Not Selected + Не е зададен място за запазването + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + Не е зададено валидно местоположение на изходния файл за рапорта. +Моля посочете налично място на вашия компютър. + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + Песен + + + + Import songs using the import wizard. + Импортирай песни чрез помощника за импортиране. + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + <strong>Добавка за песни</strong><br />Добавката за песни дава възможност да се показват и управляват песните. + + + + &Re-index Songs + Преподреди песните + + + + Re-index the songs database to improve searching and ordering. + Преподреди базата данни с песни за да се подобри търсенето и подредбата. + + + + Reindexing songs... + Преподреждане на песните... + + + + Arabic (CP-1256) + Арабски (CP-1256) + + + + Baltic (CP-1257) + Балтийски (CP-1257) + + + + Central European (CP-1250) + Централно европейски (CP-1250) + + + + Cyrillic (CP-1251) + Кирилица (CP-1251) + + + + Greek (CP-1253) + Гръцки (CP-1253) + + + + Hebrew (CP-1255) + Еврейски (CP-1255) + + + + Japanese (CP-932) + Японски (CP-932) + + + + Korean (CP-949) + Корейски (CP-949) + + + + Simplified Chinese (CP-936) + Китайски (CP-936) + + + + Thai (CP-874) + Тайвански (CP-874) + + + + Traditional Chinese (CP-950) + Традиционен китайски (CP-950) + + + + Turkish (CP-1254) + Турски (CP-1254) + + + + Vietnam (CP-1258) + Виетнамски (CP-1258) + + + + Western European (CP-1252) + Западно европейски (CP-1252) + + + + Character Encoding + Кодиране на буквите + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + Настройката на езиковото кодиране отговаря⏎ за правилното изписване на буквите.⏎ Обикновенно предварителния избор на кодиране е корктен. + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + Моля изберете езиково кодиране на буквите.⏎ Езиковото кодиране отговаря за правилното изписване на буквите. + + + + Song + name singular + Песен + + + + Songs + name plural + Песни + + + + Songs + container title + Песни + + + + Exports songs using the export wizard. + Експортирай песните със съответния помощник + + + + Add a new song. + Добави нова песен + + + + Edit the selected song. + Редактирай избраната песен. + + + + Delete the selected song. + Изтрии избраната песен + + + + Preview the selected song. + Преглед на избраната песен + + + + Send the selected song live. + Прожектирай избраната песен + + + + Add the selected song to the service. + Добави избраната песен към службата + + + + Reindexing songs + Преподреди песните + + + + CCLI SongSelect + CCLI SongSelect + + + + Import songs from CCLI's SongSelect service. + Импортирай песни от CCLI's SongSelect служба. + + + + Find &Duplicate Songs + Намери &Дублирани песни + + + + Find and remove duplicate songs in the song database. + Намери и премахни дублирани песни в базата данни с песни. + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + Текст + + + + Music + Author who wrote the music of a song + Музика + + + + Words and Music + Author who wrote both lyrics and music of a song + Текст и Музика + + + + Translation + Author who translated the song + Превод + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + Поддръжка на авторите + + + + Display name: + Име, което да се показва: + + + + First name: + Собствено име: + + + + Last name: + Фамилия: + + + + You need to type in the first name of the author. + Трябва да се въведе собственото име на автора + + + + You need to type in the last name of the author. + Трябва да се въведе фамилията на автора. + + + + You have not set a display name for the author, combine the first and last names? + Не е въведено името, което да се показва. Да се комбинират ли име и фамилия на автора? + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + Файлът няма валидно окончание + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + Невалиден DreamBeam файл на песен. Липсваща DreamSong отметка. + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + Администрирано от %s + + + + "%s" could not be imported. %s + "%s"не може да се импортира. %s + + + + Unexpected data formatting. + Неочакван формат на данни. + + + + No song text found. + Не е намерен текст на песен. + + + + +[above are Song Tags with notes imported from EasyWorship] + +[отгоре са Отметките за Песни с бележки импортирани от EasyWorship] + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + Мета данни + + + + Custom Book Names + Ръчно зададени имена на книги + + + + SongsPlugin.EditSongForm + + + Song Editor + Редактор на песен + + + + &Title: + Заглавие: + + + + Alt&ernate title: + Алтернативно заглавие: + + + + &Lyrics: + Текст: + + + + &Verse order: + Ред на куплетите: + + + + Ed&it All + Редактирай всичко + + + + Title && Lyrics + Заглавие и текст + + + + &Add to Song + Добави към песента + + + + &Remove + Премахни + + + + &Manage Authors, Topics, Song Books + Управление на автори, теми, песнарки + + + + A&dd to Song + Добави към песента + + + + R&emove + Премахни + + + + Book: + Песнарка: + + + + Number: + Номер: + + + + Authors, Topics && Song Book + Автори, теми и песнарки + + + + New &Theme + Нова тема + + + + Copyright Information + Копирайт информация + + + + Comments + Коментари + + + + Theme, Copyright Info && Comments + Тема, копирайт && коментари + + + + Add Author + Добави автор + + + + This author does not exist, do you want to add them? + Този автор го няма в списъка, да го добавя ли? + + + + This author is already in the list. + Авторът вече е в списъка + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + Не сте задали валидно име на автор. Добавете от списъка или напишете ново име и натиснете бутона за добавяне на автор. + + + + Add Topic + Добави тема + + + + This topic does not exist, do you want to add it? + Няма такава тема, да я добавя ли? + + + + This topic is already in the list. + Темата е вече в списъка + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + Не сте задали валидна тема. Добавете от списъка или напишете нова и натиснете бутона за добавяне на тема. + + + + You need to type in a song title. + Трябва да дадете заглавие на песента. + + + + You need to type in at least one verse. + Трябва да има поне един куплет. + + + + Add Book + Добави песнарка + + + + This song book does not exist, do you want to add it? + Тази песнарка я няма, да я добавя ли? + + + + You need to have an author for this song. + Трябва да има автор на песента. + + + + Linked Audio + Свързано аудио + + + + Add &File(s) + Добави файл(ове) + + + + Add &Media + Добави медия + + + + Remove &All + Премахни всичко + + + + Open File(s) + Отвори файл(ове) + + + + <strong>Warning:</strong> Not all of the verses are in use. + <strong>Предупреждение:</strong> Не всички куплети са в употреба. + + + + <strong>Warning:</strong> You have not entered a verse order. + <strong>Предупреждение:</strong> Не сте въвели реда на стиховете. + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + Няма куплети, които да отговарят на "%(invalid)s". Валидни вписвания са %(valid)s. +Моля, въведете стиховете разделени от празен интервал. + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + Няма куплет, който да отговаря на "%(invalid)s". Валидни вписвания са %(valid)s. +Моля, въведете стиховете разделени от празен интервал. + + + + Invalid Verse Order + Невалиден ред на куплетите: + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + Редактирай куплет + + + + &Verse type: + Тип куплет: + + + + &Insert + Вмъкни + + + + Split a slide into two by inserting a verse splitter. + Раздели слайда на две с вмъкване на разделител. + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + Помощник за експортиране на песни + + + + Select Songs + Избери песни + + + + Check the songs you want to export. + Отметни песните, които да се експортират. + + + + Uncheck All + Махни всички отметки + + + + Check All + Отметни всички + + + + Select Directory + Избери директория + + + + Directory: + Директория: + + + + Exporting + Експортиране + + + + Please wait while your songs are exported. + Моля изчакайте докато песните се експортират. + + + + You need to add at least one Song to export. + Трябва да добавите поне една песен за експортиране. + + + + No Save Location specified + Не е указано място за запазване + + + + Starting export... + Започване на експортирането... + + + + You need to specify a directory. + Трябва да укажете директория + + + + Select Destination Folder + Изберете папка + + + + Select the directory where you want the songs to be saved. + Изберете папка където да се запазят песните + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + С този помощник ще можете да експортирате песните в отворения и свободен <strong>OpenLyrics</strong> worship song формат. + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + Невалиден файл за Foilpresenter. Не са намерени стихове. + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + Избери файл на документ/презентация + + + + Song Import Wizard + Помощник за импортиране на песни + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + С този помощник може да импортирате песни от различни формати. Натиснете бутона по-долу за да започне процеса на избиране на формат, от който да се импотира. + + + + Generic Document/Presentation + Общ документ/презентация + + + + Add Files... + Добави файлове... + + + + Remove File(s) + Премахни файл(ове) + + + + Please wait while your songs are imported. + Моля изчакайте докато песните се импортират! + + + + OpenLP 2.0 Databases + База данни на OpenLP 2.0 + + + + Words Of Worship Song Files + Файлове с песни на Words Of Worship + + + + Songs Of Fellowship Song Files + Файлове с песни на Songs Of Fellowship + + + + SongBeamer Files + Файлове с песни на SongBeamer + + + + SongShow Plus Song Files + Файлове с песни на SongShow Plus + + + + Foilpresenter Song Files + Файлове с песни на Foilpresenter + + + + Copy + Копирай + + + + Save to File + Запази във файл + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + Импортирането на Songs of Fellowship изключи защото OpenLP няма достъп до OpenOffice или LibreOffice. + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + Импортирането на общ документ/презентация изключи защото OpenLP няма достъп до OpenOffice или LibreOffice. + + + + OpenLyrics or OpenLP 2.0 Exported Song + OpenLyrics или OpenLP 2.0 експортирана песен + + + + OpenLyrics Files + Файлове на OpenLyrics + + + + CCLI SongSelect Files + Файлове CCLI SongSelect + + + + EasySlides XML File + Файл EasySlides XML + + + + EasyWorship Song Database + База данни с песни на EasyWorship + + + + DreamBeam Song Files + Файлове с песни на DreamBeam + + + + You need to specify a valid PowerSong 1.0 database folder. + Трябва да укажете валидна папка с база данни на PowerSong 1.0 + + + + ZionWorx (CSV) + ZionWorx (CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + Първо конвентирайте базата данни на ZionWorx в текстов фаил CSV, както е обяснено в упътването <a href="http://manual.openlp.org/songs.html#importing-from-zionworx"> + + + + SundayPlus Song Files + Файлове с текстове на песни за SyndayPlus + + + + This importer has been disabled. + Този метод за импортиране е изключен. + + + + MediaShout Database + База данни за MediaShout + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + Този метод за импортиране се поддържа само в Windows. Бил е изключен поради липсваш модул за Python. В случай че искате да използвате този метод, ще трябва да инсталирате модула "pyodbc". + + + + SongPro Text Files + Текстови файл за SongPro + + + + SongPro (Export File) + SongPro (Експортиран файл) + + + + In SongPro, export your songs using the File -> Export menu + В SongPro експортирайте песните като ползвате менюто Файл-> Експорт. + + + + EasyWorship Service File + Файл за служба на EasyWorship + + + + WorshipCenter Pro Song Files + Файлове с песни на WorshipCenter Pro + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + Този метод за импортиране се поддържа само в Windows. Бил е изключен поради липсваш модул за Python. В случай че искате да използвате този метод, ще трябва да инсталирате модула "pyodbc". + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + Избери файл(ове) с медия + + + + Select one or more audio files from the list below, and click OK to import them into this song. + Избери един или повече файлове от списъка по-долу и кликни ОК за да бъдат импортирани към тази песен. + + + + SongsPlugin.MediaItem + + + Titles + Заглавия + + + + Lyrics + Текстове + + + + CCLI License: + CCLI лиценз: + + + + Entire Song + Цялата песен + + + + Are you sure you want to delete the %n selected song(s)? + + Наистина ли да бъдат изтрити %n избрани песни? + Наистина ли да бъдат изтрити %n избрани песни(песен)? + + + + + Maintain the lists of authors, topics and books. + Поддръжка на списъка с автори, теми и песнарки. + + + + copy + For song cloning + копие + + + + Search Titles... + Търси заглавия... + + + + Search Entire Song... + Търси цяла песен... + + + + Search Lyrics... + Търси текст... + + + + Search Authors... + Търси автори... + + + + Search Song Books... + Търси песнарки... + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + Неуспех при отваряне на базата данни на MediaShout. + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + Невалидна база данни на OpenLP 2.0. + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + Експортиране "%s"... + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + Невалиден OpenSong файл на песен. Липсваща отметка на песен. + + + + SongsPlugin.PowerSongImport + + + No songs to import. + Няма песни за импортиране + + + + Verses not found. Missing "PART" header. + Куплетите не са намерени. Липсва заглавката "PART". + + + + No %s files found. + Няма намерен фаил %s. + + + + Invalid %s file. Unexpected byte value. + Невалиден файл %s. Неочаквана байт стойност. + + + + Invalid %s file. Missing "TITLE" header. + Невалиден файл %s. Липсваща заглавка "TITLE". + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + Невалиден файл %s. Липсваща заглавка "COPYRIGHTLINE". + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + Поддръжка на песнарка + + + + &Name: + Име + + + + &Publisher: + Издател + + + + You need to type in a name for the book. + Трябва да въведете име на песнарката + + + + SongsPlugin.SongExportForm + + + Your song export failed. + Експортирането на песента се провали. + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + Експортирането завърши. За да импортирате тези файлове изберете <strong>OpenLyrics</strong> + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + копирайт + + + + The following songs could not be imported: + Следните песни не же да се импортират: + + + + Cannot access OpenOffice or LibreOffice + Няма достъп до OpenOffice или LibreOffice + + + + Unable to open file + Не може да се отвори файла + + + + File not found + Файлът не е намерен + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + Не може да се добави автора + + + + This author already exists. + Този автор го има вече. + + + + Could not add your topic. + Не може да се добави темата + + + + This topic already exists. + Тази тема я има вече. + + + + Could not add your book. + Не може да се добави песнарката. + + + + This book already exists. + Тази песнарка вече я има + + + + Could not save your changes. + Не могат да се запазят промените + + + + Could not save your modified author, because the author already exists. + Не може да се запази промяната във името на автора, защото такова име вече съществува. + + + + Could not save your modified topic, because it already exists. + Не може да се запази промяната на темата, защото такава има вече. + + + + Delete Author + Изтрий автор + + + + Are you sure you want to delete the selected author? + Наистина ли авторът да бъде изтрит? + + + + This author cannot be deleted, they are currently assigned to at least one song. + Авторът не може да бъде изтрит, защото е свързан с поне една песен. + + + + Delete Topic + Изтрии тема + + + + Are you sure you want to delete the selected topic? + Наистина ли темата да бъде изтрита? + + + + This topic cannot be deleted, it is currently assigned to at least one song. + Темата не може да бъде изтрита, защото е свързана с поне една песен. + + + + Delete Book + Изтрии песнарка + + + + Are you sure you want to delete the selected book? + Наистина ли песнарката да бъде изтрита? + + + + This book cannot be deleted, it is currently assigned to at least one song. + Песнарката не може да бъде изтрита, защото е свързана с поне една песен. + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + Вече има автор %s. Бихте ли искали вместо автора %s, когото сте въвели като автор на пресните да се ползва %s? + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + Вече има тема %s. Бихте ли искали вместо темата %s, която сте въвели да се ползва %s? + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + Вече има песнарка %s. Бихте ли искали вместо %s, която сте въвели да се ползва %s? + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + Потребителско име: + + + + Password: + Парола: + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + Търсене + + + + Found %s song(s) + + + + + Logout + + + + + View + Преглед + + + + Title: + Заглавие: + + + + Author(s): + + + + + Copyright: + Копирайт: + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + Импортирай + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + Формуляр за песни + + + + Enable search as you type + Активирай търсене докато пишеш + + + + Display verses on live tool bar + Показвай куплетите на помощното табло за прожектиране + + + + Update service from song edit + Обнови службата от редактиране на песни + + + + Import missing songs from service files + Импортирай липсващи песни от фаилове за служба + + + + Display songbook in footer + Покажи песнарка в бележка под линия + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + Поддръжка на теми + + + + Topic name: + Име на тема: + + + + You need to type in a topic name. + Трябва да се въведе име на темата + + + + SongsPlugin.VerseType + + + Verse + Куплет + + + + Chorus + Припев + + + + Bridge + Бридж + + + + Pre-Chorus + Предприпев + + + + Intro + Интро + + + + Ending + Завършек + + + + Other + Друго + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + Невалиден Words of Worship файл на песен. Липсваща "CSongDoc::CBlock" стринг. + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + Грешка при четене на CSV файла. + + + + Line %d: %s + Линия %d: %s + + + + Decoding error: %s + Грешка при декодиране: %s + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + Запис %d + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + Не може да се свърже с базата данни WorshipCenter Pro. + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Грешка при четене на CSV файла. + + + + File not valid ZionWorx CSV format. + Файла не във правилен ZionWorx CSV формат. + + + + Line %d: %s + Линия %d: %s + + + + Decoding error: %s + Грешка при декодиране: %s + + + + Record %d + Запис %d + + + + Wizard + + + Wizard + Помощник + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + Този помощник ще ви помогна да премахнете дублирани песни от базата данни с песни. Ще имате възможност да прегледате всяко възможно дублиране на песен преди да е изтрито. Така няма да бъде изтрита песен без вашето изрично одобрение, + + + + Searching for duplicate songs. + Търсене на дублирани песни. + + + + Please wait while your songs database is analyzed. + Моля изчакайте докато базата данни на песните се анализира. + + + + Here you can decide which songs to remove and which ones to keep. + Тук можете да решите кои песни да премахнете и кои да запазите. + + + + Review duplicate songs (%s/%s) + Прегледай дублираните песни (%s/%s) + + + + Information + Информация + + + + No duplicate songs have been found in the database. + Не бяха намерени дублирани песни в базата данни. + + + diff --git a/resources/i18n/cs.ts b/resources/i18n/cs.ts index 7f830a93a..ebf5329f9 100644 --- a/resources/i18n/cs.ts +++ b/resources/i18n/cs.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Upozornění - + Show an alert message. Zobrazit vzkaz upozornění. - + Alert name singular Upozornění - + Alerts name plural Upozornění - + Alerts container title Upozornění - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Modul upozornění</strong><br />Modul upozornění umožňuje zobrazovat různé hlášky a upozornění na zobrazovací obrazovce. @@ -154,85 +154,85 @@ Před klepnutím na Nový prosím zadejte nějaký text. BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Bible - + Bibles container title Bible - + No Book Found Kniha nenalezena - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. V Bibli nebyla nalezena odpovídající kniha. Prověřte, že název knihy byl zadán správně. - + Import a Bible. Import Bible. - + Add a new Bible. Přidat novou Bibli. - + Edit the selected Bible. Upravit vybranou Bibli. - + Delete the selected Bible. Smazat vybranou Bibli. - + Preview the selected Bible. Náhled vybrané Bible. - + Send the selected Bible live. Zobrazit vybranou Bibli naživo. - + Add the selected Bible to the service. Přidat vybranou Bibli ke službě. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Modul Bible</strong><br />Modul Bible umožňuje během služby zobrazovat verše z různých zdrojů. - + &Upgrade older Bibles &Aktualizovat starší Bibles - + Upgrade the Bible databases to the latest format. Povýšit databáze Bible na nejnovější formát. @@ -660,61 +660,61 @@ Před klepnutím na Nový prosím zadejte nějaký text. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + verš verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + verše - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - do + do , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + a end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + konec @@ -767,39 +767,39 @@ následovat jeden nebo více nečíslných znaků. BiblesPlugin.BibleManager - + Scripture Reference Error Chyba v odkazu do Bible - + Web Bible cannot be used Bibli z www nelze použít - + Text Search is not available with Web Bibles. Hledání textu není dostupné v Bibli z www. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Nebylo zadáno slovo pro hledání. K hledání textu obsahující všechna slova je nutno tato slova oddělit mezerou. Oddělením slov čárkou se bude hledat text obsahující alespoň jedno ze zadaných slov. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Žádné Bible nejsou nainstalovány. K přidání jedné nebo více Biblí prosím použijte Průvodce importem. - + No Bibles Available Žádné Bible k dispozici - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -989,12 +989,12 @@ výsledcích vyhledávání a při zobrazení: BiblesPlugin.CSVBible - + Importing books... %s Importuji knihy... %s - + Importing verses... done. Importuji verše... hotovo. @@ -1072,38 +1072,38 @@ Není možné přizpůsobit si názvy knih. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registruji Bibli a stahuji knihy... - + Registering Language... Registruji jazyk... - + Importing %s... Importing <book name>... Importuji %s... - + Download Error Chyba stahování - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Při stahování výběru veršů se vyskytl problém. Prosím prověřte své internetové připojení. Pokud se tato chyba stále objevuje, zvašte prosím nahlášení chyby. - + Parse Error Chyba zpracování - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Při rozbalování výběru veršů se vyskytl problém. Pokud se tato chyba stále objevuje, zvašte prosím nahlášení chyby. @@ -1111,164 +1111,184 @@ Není možné přizpůsobit si názvy knih. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Průvodce importem Bible - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Tento průvodce usnadní import Biblí z různých formátů. Proces importu se spustí klepnutím níže na tlačítko další. Potom vyberte formát, ze kterého se bude Bible importovat. - + Web Download Stáhnutí z www - + Location: Umístění: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bible: - + Download Options Volby stahování - + Server: Server: - + Username: Uživatelské jméno: - + Password: Heslo: - + Proxy Server (Optional) Proxy Server (Volitelné) - + License Details Podrobnosti k licenci - + Set up the Bible's license details. Nastavit podrobnosti k licenci Bible. - + Version name: Název verze: - + Copyright: Autorská práva: - + Please wait while your Bible is imported. Počkejte prosím, než se Bible naimportuje. - + You need to specify a file with books of the Bible to use in the import. Je potřeba určit soubor s knihami Bible. Tento soubor se použije při importu. - + You need to specify a file of Bible verses to import. K importu je třeba určit soubor s veršemi Bible. - + You need to specify a version name for your Bible. Je nutno uvést název verze Bible. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. K Bibli je potřeba nastavit autorská práva. Bible, které jsou volná díla (Public Domain), je nutno takto označit. - + Bible Exists Bible existuje - + This Bible already exists. Please import a different Bible or first delete the existing one. Tato Bible už existuje. Importujte prosím jinou Bibli nebo nejdříve smažte tu existující. - + Your Bible import failed. Import Bible selhal. - + CSV File CSV soubor - + Bibleserver Bibleserver - + Permissions: Povolení: - + Bible file: Soubor s Biblí: - + Books file: Soubor s knihami: - + Verses file: Soubor s verši: - + Registering Bible... Registruji Bibli... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Bible registrována. Upozornění: Verše budou stahovány na vyžádání a proto je vyžadováno internetové připojení. + + + + Click to download bible list + Klepněte pro stažení seznamu Biblí + + + + Download bible list + Stáhnout seznam Biblí + + + + Error during download + Chyba během stahování + + + + An error occurred while downloading the list of bibles from %s. + Vznikla chyba při stahování seznamu Biblí z %s. @@ -1407,13 +1427,26 @@ Pro použití bude potřeba naimportovat Bibli znovu. Zadán nesprávný typ souboru s Biblí. Tento soubor vypadá jako Zefania XML bible. Prosím použijte volbu importovat z formátu Zefania. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Odstraňuji nepoužívané značky (může trvat několik minut)... + + + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.UpgradeWizardForm @@ -1567,73 +1600,81 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Zadán nesprávný typ souboru s Biblí. Zefania Bible mohou být komprimovány. Před importem je třeba je nejdříve rozbalit. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + CustomPlugin - + Custom Slide name singular Uživatelský snímek - + Custom Slides name plural Uživatelské snímky - + Custom Slides container title Uživatelské snímky - + Load a new custom slide. Načíst nový uživatelský snímek. - + Import a custom slide. Import uživatelského snímku. - + Add a new custom slide. Přidat nový uživatelský snímek. - + Edit the selected custom slide. Upravit vybraný uživatelský snímek. - + Delete the selected custom slide. Smazat vybraný uživatelský snímek. - + Preview the selected custom slide. Náhled vybraného uživatelského snímku. - + Send the selected custom slide live. Zobrazit vybraný uživatelský snímek naživo. - + Add the selected custom slide to the service. Přidat vybraný uživatelský snímek ke službě. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Modul uživatelský snímek</strong><br />Modul uživatelský snímek dovoluje nastavit snímkům libovolný text, který může být zobrazen na obrazovce stejným způsobem jako písně. Tento modul poskytuje větší volnost než modul písně. @@ -1730,7 +1771,7 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Jste si jist, že chcete smazat %n vybraný uživatelský snímek? @@ -1742,60 +1783,60 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Modul obrázek</strong><br />Modul obrázek se stará o zobrazování obrázků.<br />Jedna z charakteristických funkcí tohoto modulu je schopnost ve správci služby seskupit několik obrázků dohromady. Tato vlastnost zjednodušuje zobrazení více obrázků. Tento modul také využívá vlastnosti "časová smyčka" aplikace OpenLP a je tudíž možno vytvořit prezentaci obrázků, která poběží samostatně. Nadto lze využitím obrázků z modulu překrýt pozadí současného motivu. - + Image name singular Obrázek - + Images name plural Obrázky - + Images container title Obrázky - + Load a new image. Načíst nový obrázek. - + Add a new image. Přidat nový obrázek. - + Edit the selected image. Upravit vybraný obrázek. - + Delete the selected image. Smazat vybraný obrázek. - + Preview the selected image. Náhled vybraného obrázku. - + Send the selected image live. Zobrazit vybraný obrázek naživo. - + Add the selected image to the service. Přidat vybraný obrázek ke službě. @@ -1823,12 +1864,12 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž Je potřeba zadat název skupiny. - + Could not add the new group. Nemohu přidat novou skupinu. - + This group already exists. Tato skupina již existuje. @@ -1877,34 +1918,34 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž Vybrat obrázky - + You must select an image to replace the background with. K nahrazení pozadí musíte nejdříve vybrat obrázek. - + Missing Image(s) Chybějící obrázky - + The following image(s) no longer exist: %s Následující obrázky už neexistují: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Následující obrázky už neexistují: % Chcete přidat ostatní obrázky? - + There was a problem replacing your background, the image file "%s" no longer exists. Problém s nahrazením pozadí. Obrázek "%s" už neexistuje. - + There was no display item to amend. Žádná položka k zobrazení nebyla pozměněna. @@ -1914,17 +1955,17 @@ Chcete přidat ostatní obrázky? -- Nejvyšší skupina -- - + You must select an image or group to delete. Je třeba vybrat obrázek nebo skupinu ke smazání. - + Remove group Odstranit skupinu - + Are you sure you want to remove "%s" and everything in it? Jste si jist, že chcete odstranit "%s" a vše co obsahuje? @@ -1945,22 +1986,22 @@ Chcete přidat ostatní obrázky? Phonon je přehrávač médií, který pro přehrávání využívá schopnosti operačního systému. - + Audio Zvuk - + Video Video - + VLC is an external player which supports a number of different formats. VLC je externí přehrávač médií, který podporuje mnoho různých formátů. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit je přehrávač médií, který běží v internetovém prohlížeči. Tento přehrávač dovoluje umístit text nad video. @@ -1968,60 +2009,60 @@ Chcete přidat ostatní obrázky? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Modul média</strong><br />Modul média umožňuje přehrávat audio a video. - + Media name singular Média - + Media name plural Média - + Media container title Média - + Load new media. Načíst nové médium. - + Add new media. Přidat nové médium. - + Edit the selected media. Upravit vybrané médium. - + Delete the selected media. Smazat vybrané médium. - + Preview the selected media. Náhled vybraného média. - + Send the selected media live. Zobrazit vybrané médium naživo. - + Add the selected media to the service. Přidat vybrané médium ke službě. @@ -2190,37 +2231,37 @@ Chcete přidat ostatní obrázky? Vybrat médium - + You must select a media file to delete. Ke smazání musíte nejdříve vybrat soubor s médiem. - + You must select a media file to replace the background with. K nahrazení pozadí musíte nejdříve vybrat soubor s médiem. - + There was a problem replacing your background, the media file "%s" no longer exists. Problém s nahrazením pozadí. Soubor s médiem "%s" už neexistuje. - + Missing Media File Chybějící soubory s médii - + The file %s no longer exists. Soubor %s už neexistuje. - + Videos (%s);;Audio (%s);;%s (*) Video (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Žádná položka k zobrazení nebyla pozměněna. @@ -2230,7 +2271,7 @@ Chcete přidat ostatní obrázky? Nepodporovaný soubor - + Use Player: Použít přehrávač: @@ -2245,27 +2286,27 @@ Chcete přidat ostatní obrázky? Pro přehrávání optických disků je vyžadován přehrávač VLC - + Load CD/DVD Načíst CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled Načíst CD/DVD - podporováno jen když je nainstalovaný a zapnutý přehrávač VLC - + The optical disc %s is no longer available. Optický disk %s už není dostupný. - + Mediaclip already saved Klip již uložen - + This mediaclip has already been saved Tento klip byl již uložen @@ -2294,17 +2335,17 @@ Chcete přidat ostatní obrázky? OpenLP - + Image Files Soubory s obrázky - + Information Informace - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3277,7 +3318,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename Přejmenovat soubor @@ -3287,7 +3328,7 @@ Version: %s Nový název souboru: - + File Copy Kopírovat soubor @@ -3313,167 +3354,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Písně - + First Time Wizard Průvodce prvním spuštění - + Welcome to the First Time Wizard Vítá Vás Průvodce prvním spuštění - + Activate required Plugins Zapnout požadované moduly - + Select the Plugins you wish to use. Vyberte moduly, které chcete používat. - + Bible Bible - + Images Obrázky - + Presentations Prezentace - + Media (Audio and Video) Média (audio a video) - + Allow remote access Povolit vzdálený přístup - + Monitor Song Usage Sledovat užívání písní - + Allow Alerts Povolit upozornění - + Default Settings Výchozí nastavení - + Downloading %s... Stahuji %s... - + Enabling selected plugins... Zapínám vybrané moduly... - + No Internet Connection Žádné připojení k Internetu - + Unable to detect an Internet connection. Nezdařila se detekce internetového připojení. - + Sample Songs Ukázky písní - + Select and download public domain songs. Vybrat a stáhnout písně s nechráněnými autorskými právy. - + Sample Bibles Ukázky Biblí - + Select and download free Bibles. Vybrat a stáhnout volně dostupné Bible. - + Sample Themes Ukázky motivů - + Select and download sample themes. Vybrat a stáhnout ukázky motivů. - + Set up default settings to be used by OpenLP. Nastavit výchozí nastavení pro aplikaci OpenLP. - + Default output display: Výchozí výstup zobrazit na: - + Select default theme: Vybrat výchozí motiv: - + Starting configuration process... Spouštím průběh nastavení... - + Setting Up And Downloading Nastavuji a stahuji - + Please wait while OpenLP is set up and your data is downloaded. Počkejte prosím, než bude aplikace OpenLP nastavena a data stáhnuta. - + Setting Up Nastavuji - + Custom Slides Uživatelské snímky - + Finish Konec - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3482,47 +3523,47 @@ To re-run the First Time Wizard and import this sample data at a later time, che Pro opětovné spuštění Průvodce prvním spuštění a importování ukázkových dat, prověřte své internetové připojení. Průvodce lze opět spustit vybráním v aplikace OpenLP menu "Nástroje/Spustit Průvodce prvním spuštění". - + Download Error Chyba stahování - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. Během stahování došlo k chybě se spojením a další stahování bude přeskočeno. Zkuste spustit Průvodce prvním spuštění později. - + Download complete. Click the %s button to return to OpenLP. Stahování dokončeno. Klepnutím na tlačítko %s dojde k návratu do aplikace OpenLP. - + Download complete. Click the %s button to start OpenLP. Stahování dokončeno. Klepnutím na tlačítko %s se spustí aplikace OpenLP. - + Click the %s button to return to OpenLP. Klepnutím na tlačítko %s dojde k návratu do aplikace OpenLP. - + Click the %s button to start OpenLP. Klepnutím na tlačítko %s se spustí aplikace OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Během stahování došlo k chybě se spojením a další stahování bude přeskočeno. Zkuste spustit Průvodce prvním spuštění později. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. Tento průvodce pomáhá nastavit OpenLP pro první použití. Pro start klepněte níže na tlačítko %s. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. @@ -3531,39 +3572,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Úplně zrušit Průvodce prvním spuštění (OpenLP nebude spuštěno), klepněte teď na tlačítko %s. - + Downloading Resource Index Stahuji zdrojový index - + Please wait while the resource index is downloaded. Počkejte prosím, než se stáhne zdrojový index. - + Please wait while OpenLP downloads the resource index file... Počkejte prosím, než aplikace OpenLP stáhne soubor zdrojového indexu... - + Downloading and Configuring Stahování a nastavení - + Please wait while resources are downloaded and OpenLP is configured. Počkejte prosím, než budou zdroje stažené a aplikace OpenLP nakonfigurovaná. - + Network Error Chyba sítě - + There was a network error attempting to connect to retrieve initial configuration information - + Při pokusu o získání počátečních informací o nastavení vznikla chyba sítě. + + + + Cancel + Zrušit + + + + Unable to download some files + Nelze stáhnout některé soubory @@ -3636,6 +3687,16 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. Popis %s je již definovaný. + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + OpenLP.FormattingTags @@ -3894,7 +3955,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Zobrazení OpenLP @@ -4064,12 +4125,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Preview Panel - Panel &náhledu + Panel &Náhled Toggle Preview Panel - Přepnout panel náhledu + Přepnout panel Náhled @@ -4079,12 +4140,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Live Panel - Panel na&živo + Panel Na&živo Toggle Live Panel - Přepnout panel naživo + Přepnout panel Naživo @@ -4201,7 +4262,7 @@ Nejnovější verzi lze stáhnout z http://openlp.org/. Hlavní zobrazení nastaveno na prázdný snímek - + Default Theme: %s Výchozí motiv: %s @@ -4217,12 +4278,12 @@ Nejnovější verzi lze stáhnout z http://openlp.org/. &Klávesové zkratky - + Close OpenLP Zavřít OpenLP - + Are you sure you want to close OpenLP? Jste si jist, že chcete zavřít aplikaci OpenLP? @@ -4296,13 +4357,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Znovuspuštěním tohoto průvodce může dojít ke změně současného nastavení aplikace OpenLP a pravděpodobně budou přidány písně k existujícímu seznamu a změněn výchozí motiv. - + Clear List Clear List of recent files Vyprázdnit seznam - + Clear the list of recent files. Vyprázdnit seznam nedávných souborů. @@ -4362,17 +4423,17 @@ Znovuspuštěním tohoto průvodce může dojít ke změně současného nastave Soubor exportovaného nastavení OpenLP (*.conf) - + New Data Directory Error Chyba nové datové složky - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Kopíruji datovou složku aplikace OpenLP do nového umístění - %s - Počkejte prosím na dokončení kopírování - + OpenLP Data directory copy failed %s @@ -4433,7 +4494,7 @@ Zpracování bylo přerušeno a žádná změna se neprovedla. Přepnout viditelnost správce projektorů - + Export setting error Chyba exportu nastavení @@ -4442,16 +4503,21 @@ Zpracování bylo přerušeno a žádná změna se neprovedla. The key "%s" does not have a default value so it will be skipped in this export. Klíč "%s" nemá výchozí hodnotu a bude tudíž při tomto exportu přeskočen. + + + An error occurred while exporting the settings: %s + Při exportu nastavení vznikla chyba: %s + OpenLP.Manager - + Database Error Chyba databáze - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4460,7 +4526,7 @@ Database: %s Databáze: %s - + OpenLP cannot load your database. Database: %s @@ -4539,7 +4605,7 @@ Přípona není podporovaná &Klonovat - + Duplicate files were found on import and were ignored. Při importu byly nalezeny duplicitní soubory a byly ignorovány. @@ -4924,11 +4990,6 @@ Přípona není podporovaná The proxy address set with setProxy() was not found Adresa proxy serveru nastavená v setProxy() nebyla nalezena - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - Vyjednávání spolení s proxy serverem selhalo protože se nepodařilo porozumět odpovědi od proxy serveru - An unidentified error occurred @@ -4999,6 +5060,11 @@ Přípona není podporovaná Received data Přijímám data + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + Vyjednávání spolení s proxy serverem selhalo protože se nepodařilo porozumět odpovědi od proxy serveru + OpenLP.ProjectorEdit @@ -5545,22 +5611,22 @@ Přípona není podporovaná &Změnit motiv položky - + File is not a valid service. Soubor není ve formátu služby. - + Missing Display Handler Chybějící obsluha zobrazení - + Your item cannot be displayed as there is no handler to display it Položku není možno zobrazit, protože chybí obsluha pro její zobrazení - + Your item cannot be displayed as the plugin required to display it is missing or inactive Položku není možno zobrazit, protože modul potřebný pro zobrazení položky chybí nebo je neaktivní @@ -5640,12 +5706,12 @@ Přípona není podporovaná Poznámky Uživatelský služby: - + Notes: Poznámky: - + Playing time: Čas přehrávání: @@ -5655,22 +5721,22 @@ Přípona není podporovaná Prázdná služba - + File could not be opened because it is corrupt. Soubor se nepodařilo otevřít, protože je poškozený. - + Empty File Prázdný soubor - + This service file does not contain any data. Tento soubor služby neobsahuje žádná data. - + Corrupt File Poškozený soubor @@ -5690,32 +5756,32 @@ Přípona není podporovaná Vybrat motiv pro službu. - + Slide theme Motiv snímku - + Notes Poznámky - + Edit Upravit - + Service copy only Kopírovat jen službu - + Error Saving File Chyba při ukládání souboru - + There was an error saving your file. Vznikla chyba při ukládání souboru. @@ -5724,17 +5790,6 @@ Přípona není podporovaná Service File(s) Missing Chybějící soubor(y) služby - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - Následující soubor(y) ve službě chybí: -<byte value="x9"/>%s - -Tyto souby se vymažou, pokud službu uložíte. - &Rename... @@ -5761,7 +5816,7 @@ Tyto souby se vymažou, pokud službu uložíte. Přehrát snímky &jednou - + &Delay between slides Zpoždění mezi s nímky @@ -5771,63 +5826,75 @@ Tyto souby se vymažou, pokud službu uložíte. OpenLP soubory služby (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP soubory služby (*.osz);; OpenLP soubory služby - odlehčení (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP soubory služby (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Soubor není ve formátu služby. Obsah souboru není v kódování UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. Soubor se službou, který zkoušíte otevřít, je ve starém formátu. Uložte ho prosím v aplikaci OpenLP 2.0.2 nebo novější. - + This file is either corrupt or it is not an OpenLP 2 service file. Soubor je buďto poškozen nebo se nejedná o soubor se službou z aplikace OpenLP 2. - + &Auto Start - inactive &Automatické spuštění - neaktivní - + &Auto Start - active &Automatické spuštění - neaktivní - + Input delay Zpoždění vstupu - + Delay between slides in seconds. Zpoždění mezi s nímky v sekundách. - + Rename item title Přejmenovat nadpis položky - + Title: Nadpis: + + + An error occurred while writing the service file: %s + Při z8exportu nastavení vznikla chyba: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + OpenLP.ServiceNoteForm @@ -6089,12 +6156,12 @@ Obsah souboru není v kódování UTF-8. OpenLP.SourceSelectForm - + Select Projector Source Vybrat zdroj projektoru - + Edit Projector Source Text Upravit text zdroje projektoru @@ -6119,19 +6186,14 @@ Obsah souboru není v kódování UTF-8. Uložit změny a vrátit se do aplikace OpenLP - + Delete entries for this projector Smazat údaje pro tento projektor - - Are you sure you want to delete ALL user-defined - Jste si jist, že chcete smazat VŠECHNY uživatelem definované - - - - source input text for this projector? - zdroj vstupního textu pro tento projektor? + + Are you sure you want to delete ALL user-defined source input text for this projector? + Jste si jist, že chcete smazat VŠECHNY uživatelem definované zdroje vstupního textu pro tento projektor? @@ -6294,7 +6356,7 @@ Obsah souboru není v kódování UTF-8. Nastavit jako &Globální výchozí - + %s (default) %s (výchozí) @@ -6304,52 +6366,47 @@ Obsah souboru není v kódování UTF-8. Pro úpravy je třeba vybrat motiv. - + You are unable to delete the default theme. Není možno smazat výchozí motiv. - + Theme %s is used in the %s plugin. Motiv %s je používán v modulu %s. - + You have not selected a theme. Není vybrán žádný motiv. - + Save Theme - (%s) Uložit motiv - (%s) - + Theme Exported Motiv exportován - + Your theme has been successfully exported. Motiv byl úspěšně exportován. - + Theme Export Failed Export motivu selhal - - Your theme could not be exported due to an error. - Kvůli chybě nebylo možno motiv exportovat. - - - + Select Theme Import File Vybrat soubor k importu motivu - + File is not a valid theme. Soubor není ve formátu motivu. @@ -6399,20 +6456,15 @@ Obsah souboru není v kódování UTF-8. Smazat motiv %s? - + Validation Error Chyba ověřování - + A theme with this name already exists. Motiv s tímto názvem již existuje. - - - OpenLP Themes (*.theme *.otz) - OpenLP motivy (*.theme *.otz) - Copy of %s @@ -6420,15 +6472,25 @@ Obsah souboru není v kódování UTF-8. Kopie %s - + Theme Already Exists Motiv již existuje - + Theme %s already exists. Do you want to replace it? Motiv %s již existuje. Chcete ho nahradit? + + + The theme export failed because this error occurred: %s + Export motivu selhal, protože vznikla tato chyba: %s + + + + OpenLP Themes (*.otz) + OpenLP motivy (*.otz) + OpenLP.ThemeWizard @@ -6864,7 +6926,7 @@ Obsah souboru není v kódování UTF-8. Připraven. - + Starting import... Spouštím import... @@ -6875,7 +6937,7 @@ Obsah souboru není v kódování UTF-8. Je třeba specifikovat alespoň jeden %s soubor, ze kterého se bude importovat. - + Welcome to the Bible Import Wizard Vítá Vás Průvodce importu Bible @@ -6969,7 +7031,7 @@ Obsah souboru není v kódování UTF-8. Je potřeba upřesnit jednu %s složku, ze které se bude importovat. - + Importing Songs Import písní @@ -7190,7 +7252,7 @@ Prosím zkuste ho vybrat jednotlivě. Live Toolbar - Nástrojová lišta naživo + Nástrojová lišta Naživo @@ -7313,163 +7375,163 @@ Prosím zkuste ho vybrat jednotlivě. Náhled - + Print Service Tisk služby - + Projector Singular Projektor - + Projectors Plural Projektory - + Replace Background Nahradit pozadí - + Replace live background. Nahradit pozadí naživo. - + Reset Background Obnovit pozadí - + Reset live background. Obnovit pozadí naživo. - + s The abbreviated unit for seconds s - + Save && Preview Uložit a náhled - + Search Hledat - + Search Themes... Search bar place holder text Hledat motiv... - + You must select an item to delete. Je třeba vybrat nějakou položku ke smazání. - + You must select an item to edit. Je třeba vybrat nějakou položku k úpravám. - + Settings Nastavení - + Save Service Uložit službu - + Service Služba - + Optional &Split Volitelné &rozdělení - + Split a slide into two only if it does not fit on the screen as one slide. Rozdělit snímek na dva jen v případě, že se nevejde na obrazovku jako jeden snímek. - + Start %s Spustit %s - + Stop Play Slides in Loop Zastavit přehrávání snímků ve smyčce - + Stop Play Slides to End Zastavit přehrávání snímků ke konci - + Theme Singular Motiv - + Themes Plural Motivy - + Tools Nástroje - + Top Nahoře - + Unsupported File Nepodporovaný soubor - + Verse Per Slide Verš na snímek - + Verse Per Line Verš na jeden řádek - + Version Verze - + View Zobrazit - + View Mode Režim zobrazení @@ -7483,6 +7545,16 @@ Prosím zkuste ho vybrat jednotlivě. OpenLP 2.2 OpenLP 2.2 + + + Preview Toolbar + Nástrojová lišta Náhled + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7522,50 +7594,50 @@ Prosím zkuste ho vybrat jednotlivě. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Modul prezentace</strong><br />Modul prezentace dovoluje zobrazovat prezentace z několika různých programů. Výběr dostupných prezentačních programů je uživateli přístupný v rozbalovacím menu. - + Presentation name singular Prezentace - + Presentations name plural Prezentace - + Presentations container title Prezentace - + Load a new presentation. Načíst novou prezentaci. - + Delete the selected presentation. Smazat vybranou prezentaci. - + Preview the selected presentation. Náhled vybrané prezentace. - + Send the selected presentation live. Zobrazit vybranou prezentaci naživo. - + Add the selected presentation to the service. Přidat vybranou prezentaci ke službě. @@ -7608,17 +7680,17 @@ Prosím zkuste ho vybrat jednotlivě. Prezentace (%s) - + Missing Presentation Chybějící prezentace - + The presentation %s is incomplete, please reload. Prezentace %s není kompletní. Načtěte ji znovu. - + The presentation %s no longer exists. Prezentace %s už neexistuje. @@ -7626,7 +7698,7 @@ Prosím zkuste ho vybrat jednotlivě. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. Vznikla chyba se začlenění Powerpoint prezentace a prezentace bude zastavena. Pokud si přejete prezentaci zobrazit, spusťte ji znovu. @@ -7634,40 +7706,50 @@ Prosím zkuste ho vybrat jednotlivě. PresentationPlugin.PresentationTab - + Available Controllers Dostupné ovládání - + %s (unavailable) %s (nedostupný) - + Allow presentation application to be overridden Povolit překrytí prezentační aplikace - + PDF options Možnosti PDF - + Use given full path for mudraw or ghostscript binary: Použít úplnou cestu k programu mudraw nebo ghostscript: - + Select mudraw or ghostscript binary. Vybrat program mudraw nebo ghostscript - + The program is not ghostscript or mudraw which is required. Vybraný program není ani ghostscript ani mudraw. Jeden z nich je vyžadován. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7708,127 +7790,127 @@ Prosím zkuste ho vybrat jednotlivě. RemotePlugin.Mobile - + Service Manager Správce služby - + Slide Controller Ovládání snímku - + Alerts Upozornění - + Search Hledat - + Home Domů - + Refresh Obnovit - + Blank Prázdný - + Theme Motiv - + Desktop Plocha - + Show Zobrazit - + Prev Předchozí - + Next Další - + Text Text - + Show Alert Zobrazit upozornění - + Go Live Zobrazit naživo - + Add to Service Přidat ke službě - + Add &amp; Go to Service Přidat &amp; Přejít ke službě - + No Results Žádné hledání - + Options Možnosti - + Service Služba - + Slides Snímky - + Settings Nastavení - + OpenLP 2.2 Remote OpenLP 2.2 dálkové ovládání - + OpenLP 2.2 Stage View OpenLP 2.2 zobrazení na pódiu - + OpenLP 2.2 Live View OpenLP 2.2 zobrazení naživo @@ -7914,85 +7996,85 @@ Prosím zkuste ho vybrat jednotlivě. SongUsagePlugin - + &Song Usage Tracking Sledování použití &písní - + &Delete Tracking Data &Smazat data sledování - + Delete song usage data up to a specified date. Smazat data použití písní až ke konkrétnímu kalendářnímu datu. - + &Extract Tracking Data &Rozbalit data sledování - + Generate a report on song usage. Vytvořit hlášení z používání písní. - + Toggle Tracking Přepnout sledování - + Toggle the tracking of song usage. Přepnout sledování použití písní. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Modul používání písní</strong><br />Tento modul sleduje používání písní ve službách. - + SongUsage name singular Používání písní - + SongUsage name plural Používání písní - + SongUsage container title Používání písní - + Song Usage Používání písní - + Song usage tracking is active. Sledování použití písní je zapnuto. - + Song usage tracking is inactive. Sledování použití písní je vypnuto. - + display zobrazení - + printed vytisknutý @@ -8055,22 +8137,22 @@ Všechna data, zaznamenaná před tímto datem budou natrvalo smazána.Umístění hlášení - + Output File Location Umístění výstupního souboru - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Vytvoření hlášení - + Report %s has been successfully created. @@ -8079,47 +8161,57 @@ has been successfully created. bylo úspěšně vytvořeno. - + Output Path Not Selected Nevybrána výstupní cesta - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Není nastavená složka pro výstup z hlášení používání písní. Prosím vyberte existující složku ve vašem počítači. + + + Report Creation Failed + Vytvoření hlášení selhalo + + + + An error occurred while creating the report: %s + Při vytváření hlášení vznikla chyba: %s + SongsPlugin - + &Song &Píseň - + Import songs using the import wizard. Importovat písně použitím průvodce importem. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Modul písně</strong><br />Modul písně umožňuje zobrazovat a spravovat písně. - + &Re-index Songs &Přeindexace písně - + Re-index the songs database to improve searching and ordering. Přeindexovat písně v databázi pro vylepšení hledání a řazení. - + Reindexing songs... Přeindexovávám písně... @@ -8215,80 +8307,80 @@ The encoding is responsible for the correct character representation. Kódování zodpovídá za správnou reprezentaci znaků. - + Song name singular Píseň - + Songs name plural Písně - + Songs container title Písně - + Exports songs using the export wizard. Exportovat písně použitím průvodce exportem. - + Add a new song. Přidat novou píseň. - + Edit the selected song. Upravit vybranou píseň. - + Delete the selected song. Smazat vybranou píseň. - + Preview the selected song. Náhled vybrané písně. - + Send the selected song live. Zobrazit vybranou píseň naživo. - + Add the selected song to the service. Přidat vybranou píseň ke službě. - + Reindexing songs Přeindexovávám písně - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. Import písní ze služby CCLI SongSelect. - + Find &Duplicate Songs &Duplicitní (zdvojené) písně - + Find and remove duplicate songs in the song database. Najít a odstranit duplicitní (zdvojené) písně v databázi písní. @@ -8760,7 +8852,7 @@ Prosím zadejte sloky oddělené mezerou. Je potřeba zadat složku. - + Select Destination Folder Vybrat cílovou složku @@ -9168,15 +9260,20 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.SongExportForm - + Your song export failed. Export písně selhal. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Export dokončen. Pro import těchto souborů použijte import z <strong>OpenLyrics</strong>. + + + Your song export failed because this error occurred: %s + Export písně selhal, protože vnikla chyba: %s + SongsPlugin.SongImport @@ -9357,7 +9454,7 @@ Prosím zadejte sloky oddělené mezerou. Hledat - + Found %s song(s) Nalezeno %s písní @@ -9422,44 +9519,44 @@ Prosím zadejte sloky oddělené mezerou. Odhlašuji se... - + Save Username and Password Uložit přihlašovací jméno a heslo - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. VAROVÁNÍ: Uložení jména a hesla NENÍ ZABEZPEČENÉ, heslo bude uloženo nezabezpečeně jako OTEVŘENÝ TEXT. Pro uložení hesla klepněte na Ano nebo na Ne pro zrušení a heslo nebude uloženo. - + Error Logging In Chyba přihlašování - + There was a problem logging in, perhaps your username or password is incorrect? Přihlášení se nezdařilo. Možná nesprávné uživatelské jméno nebo heslo? - + Song Imported Písně naimportovány - - Your song has been imported, would you like to exit now, or import more songs? - Píseň byla naimportována. Přejete si importování ukončit nebo se mají importovat další písně? + + Incomplete song + Neúplná píseň - - Import More Songs - Import více písní + + This song is missing some information, like the lyrics, and cannot be imported. + U písně chybí některé informace jako například text a tudíž import není možný. - - Exit Now - Ukončit teď + + Your song has been imported, would you like to import more songs? + Píseň byla naimportována. Přejete si importovat další písně? diff --git a/resources/i18n/da.ts b/resources/i18n/da.ts index 8bb303757..1d18995bc 100644 --- a/resources/i18n/da.ts +++ b/resources/i18n/da.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Meddelelse - + Show an alert message. Vis en meddelelse. - + Alert name singular Meddelelse - + Alerts name plural Meddelelser - + Alerts container title Meddelelser - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Meddelelser</strong><br />Meddelelser-udvidelsen kontrollerer visningen af meddelelser på skærmen. @@ -154,85 +154,85 @@ Skriv noget tekst og klik så på Ny. BiblesPlugin - + &Bible &Bibel - + Bible name singular Bibel - + Bibles name plural Bibler - + Bibles container title Bibler - + No Book Found Ingen bog fundet - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Ingen matchende bog kunne findes i denne bibel. Tjek om du har stavet bogens navn rigtigt. - + Import a Bible. Importér en bibel. - + Add a new Bible. Tilføj en ny bibel. - + Edit the selected Bible. Redigér den valgte bibel. - + Delete the selected Bible. Slet den valgte bibel. - + Preview the selected Bible. Forhåndsvis den valgte bibel. - + Send the selected Bible live. Fremvis den valgte bibel. - + Add the selected Bible to the service. Tilføj den valgte bibel til programmet. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bibel-udvidelse</strong><br />Bibeludvidelsen gør det muligt at vise bibelvers fra forskellige kilder i løbet af gudstjenesten. - + &Upgrade older Bibles &Opgradér ældre bibler - + Upgrade the Bible databases to the latest format. Opgradér bibel-databaserne til det nyeste format. @@ -660,61 +660,61 @@ Skriv noget tekst og klik så på Ny. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + vers verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + vers - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - til + til , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + og end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + slut @@ -767,39 +767,39 @@ eller flere ikke-numeriske tegn. BiblesPlugin.BibleManager - + Scripture Reference Error Fejl med skriftsted - + Web Bible cannot be used Netbibelen kan ikke bruges - + Text Search is not available with Web Bibles. Tekstsøgning virker ikke med netbibler. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Du indtastede ikke et søgeord. Du kan opdele forskellige søgeord med mellemrum for at søge efter alle søgeordene, og du kan opdele dem med et komma for at søge efter ét af dem. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Der er ikke installeret nogle bibler på nuværende tidspunkt. Benyt importerings-guiden til at installere én eller flere bibler. - + No Bibles Available Ingen bibler tilgængelige - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -989,12 +989,12 @@ søgeresultater og ved visning: BiblesPlugin.CSVBible - + Importing books... %s Importerer bøger... %s - + Importing verses... done. Importerer vers... færdig. @@ -1072,38 +1072,38 @@ Det er ikke muligt at tilpasse bognavnene. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrerer bibelen og indlæser bøger... - + Registering Language... Registrerer sprog... - + Importing %s... Importing <book name>... Importerer %s... - + Download Error Hentningsfejl - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Der opstod en fejl ved hentningen af dit valg af vers. Efterse din internetforbindelse, og hvis fejlen fortsat opstår så overvej at rapportere fejlen. - + Parse Error Fortolkningfejl - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Der opstod et problem med at udpakke dit valg af vers. Hvis denne fejl fortsætter med at opstå, så overvej at rapportere fejlen. @@ -1111,164 +1111,185 @@ Det er ikke muligt at tilpasse bognavnene. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Guide til importering af bibler - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Denne guide vil hjælpe dig med at importere bibler i forskellige formater. Klik på næsteknappen herunder for at begynde processen ved at vælge et format at importere fra. - + Web Download Hentning fra nettet - + Location: Placering: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bibel: - + Download Options Hentingsmuligheder - + Server: Server: - + Username: Brugernavn: - + Password: Adgangskode: - + Proxy Server (Optional) Proxy server (valgfri) - + License Details Licensdetaljer - + Set up the Bible's license details. Indstil bibelens licensdetaljer. - + Version name: Navn på udgave: - + Copyright: Ophavsret: - + Please wait while your Bible is imported. Vent venligst imens din bibel bliver importeret. - + You need to specify a file with books of the Bible to use in the import. Angiv en fil med bøger fra Bibelen der skal importeres. - + You need to specify a file of Bible verses to import. Vælg en fil med bibelvers der skal importeres. - + You need to specify a version name for your Bible. Du skal angive et udgavenavn til din bibel. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Du skal angive din bibels ophavsret. Bibler i Public Domain skal markeres som sådan. - + Bible Exists Bibel eksisterer - + This Bible already exists. Please import a different Bible or first delete the existing one. Denne bibel eksisterer allerede. Importér en anden bibel for at slette den eksisterende. - + Your Bible import failed. Din bibelimport slog fejl. - + CSV File CSV-fil - + Bibleserver Bibelserver - + Permissions: Tilladelser: - + Bible file: Bibelfil: - + Books file: Bogfil: - + Verses file: Versfil: - + Registering Bible... Registrerer bibel... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Registrerede bibel. Bemærk venligst at vers hentes på +forespørgsel og at en internetforbindelse derfor er påkrævet. + + + + Click to download bible list + Klik for at hente liste over bibeler + + + + Download bible list + Hent liste of bibeler + + + + Error during download + Fejl under hentning + + + + An error occurred while downloading the list of bibles from %s. + Der opstod en fejl under hentning af listen af bibeler fra %s @@ -1407,13 +1428,26 @@ Du bliver nødt til at genimportere denne bibel for at bruge den igen.Forkert bibel-filtype. Dette ligner en Zefania XML bibel, prøv at vælge import af Zefania i stedet. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + Importerer %(bookname)s %(chapter)s... + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Fjerner ubrugte tags (dette kan tage et par minutter)... + + + Importing %(bookname)s %(chapter)s... + Importerer %(bookname)s %(chapter)s... + BiblesPlugin.UpgradeWizardForm @@ -1568,73 +1602,81 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og derfor er en in BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Forkert bibel-filtype. Zefania-bibler er muligvis komprimerede. Du er nødt til at udpakke dem før at de kan importeres. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + Importerer %(bookname)s %(chapter)s... + + CustomPlugin - + Custom Slide name singular Brugerdefineret dias - + Custom Slides name plural Brugerdefinerede dias - + Custom Slides container title Brugerdefinerede dias - + Load a new custom slide. Indlæs et nyt brugerdefineret dias. - + Import a custom slide. Importér et brugerdefineret dias. - + Add a new custom slide. Tilføj et nyt brugerdefineret dias. - + Edit the selected custom slide. Redigér det valgte brugerdefinerede dias. - + Delete the selected custom slide. Slet det valgte brugerdefinerede dias. - + Preview the selected custom slide. Forhåndsvis det valgte brugerdefinerede dias. - + Send the selected custom slide live. Fremvis det valgte brugerdefinerede dias. - + Add the selected custom slide to the service. Tilføj det valgte brugerdefinerede dias til programmet. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>"Brugerdefineret dias"-tilføjelse</strong><br />"Brugerdefineret dias"-tilføjelsen giver mulighed for at lave brugerdefinerede tekstdias der kan vises på skærmen på samme måde som sangteksterne. Denne tilføjelse giver større frihed end sangtilføjelsen. @@ -1731,7 +1773,7 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og derfor er en in CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Er du sikker på at du vil slette de %n valgte dias? @@ -1742,60 +1784,60 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og derfor er en in ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Billede-udvidelse</strong><br />Billedeudvidelsen gør det muligt at vise billeder <br/>En af denne udvidelses særlige egenskaber er evnen til at gruppere en række billeder i programhåndteringen, hvilket gør det nemmere at vise flere billeder i træk. Denne udvidelse kan også benytte OpenLPs automatiske afspilning til at lave et diasshow der kører af sig selv. Udover det kan billeder fra denne udvidelse benyttes til at tilsidesætte det nuværende temas baggrund, hvilket viser tekstbaserede punkter som sange med det valgte billede som baggrund istedet for baggrunden forsynet af temaet. - + Image name singular Billede - + Images name plural Billeder - + Images container title Billeder - + Load a new image. Indlæs et nyt billede. - + Add a new image. Tilføj et nyt billede. - + Edit the selected image. Redigér det valgte billede. - + Delete the selected image. Slet det valgte billede. - + Preview the selected image. Forhåndsvis det valgte billede. - + Send the selected image live. Fremvis det valgte billede. - + Add the selected image to the service. Tilføj det valgte billede til programmet. @@ -1823,12 +1865,12 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og derfor er en in Du skal skrive et gruppenavn - + Could not add the new group. Kunne ikke tilføje den nye gruppe. - + This group already exists. Denne gruppe eksisterer allerede. @@ -1877,54 +1919,54 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og derfor er en in Vælg billede(r) - + You must select an image to replace the background with. Du skal vælge et billede til at erstatte baggrunden. - + Missing Image(s) Manglende billede(r) - + The following image(s) no longer exist: %s De følgende billeder eksisterer ikke længere: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? De følgende billeder eksisterer ikke længere: %s Vil du tilføje de andre billeder alligevel? - + There was a problem replacing your background, the image file "%s" no longer exists. Der opstod et problem med at erstatte din baggrund; billedfilen "%s" eksisterer ikke længere. - + There was no display item to amend. Der var intet visningspunkt at ændre. -- Top-level group -- - + -- Øverste gruppe -- - + You must select an image or group to delete. Du skal vælge en gruppe eller et billede der skal slettes. - + Remove group Fjern gruppe - + Are you sure you want to remove "%s" and everything in it? Are du sikker på at du vil slette "%s" og alt indeni? @@ -1945,22 +1987,22 @@ Vil du tilføje de andre billeder alligevel? Phonon er en mediaafspiller som interagerer med operativ systemet for at afspille media. - + Audio Lyd - + Video Video - + VLC is an external player which supports a number of different formats. VLC er en ekstern mediaafspiller som understøtter en lang række forskellige formater. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit er en mediaafspiller som afvikles i en browser. Denne mediaafspiller kan vise tekst over på video. @@ -1968,60 +2010,60 @@ Vil du tilføje de andre billeder alligevel? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Medie-udvidelse</strong><br />Medieudvidelsen gør det muligt at afspille lyd og video. - + Media name singular Medier - + Media name plural Medier - + Media container title Medier - + Load new media. Indlæs nye medier. - + Add new media. Tilføj nye medier. - + Edit the selected media. Redigér de valgte medier. - + Delete the selected media. Slet de valgte medier. - + Preview the selected media. Forhåndsvis de valgte medier. - + Send the selected media live. Fremvis det valgte medie. - + Add the selected media to the service. Tilføj de valgte medier til programmet. @@ -2190,37 +2232,37 @@ Vil du tilføje de andre billeder alligevel? Vælg medier - + You must select a media file to delete. Vælg den mediefil du vil slette. - + You must select a media file to replace the background with. Vælg den mediefil du vil erstatte baggrunden med. - + There was a problem replacing your background, the media file "%s" no longer exists. Der opstod et problem med at erstatte din baggrund. Mediefilen "%s" eksisterer ikke længere. - + Missing Media File Manglende mediefil - + The file %s no longer exists. Filen %s eksisterer ikke længere. - + Videos (%s);;Audio (%s);;%s (*) Videoer (%s);;Lyd (%s);;%s (*) - + There was no display item to amend. Der var intet visningspunkt at ændre. @@ -2230,7 +2272,7 @@ Vil du tilføje de andre billeder alligevel? Ikke understøttet fil - + Use Player: Benyt afspiller: @@ -2245,27 +2287,27 @@ Vil du tilføje de andre billeder alligevel? VLC afspilleren er påkrævet for at kunne afspille optiske drev - + Load CD/DVD Indlæs CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled Indlæs CD/DVD - kun understøttet når VLC er installeret og slået til - + The optical disc %s is no longer available. Det optiske drev %s er ikke længere tilgængeligt. - + Mediaclip already saved Mediaklip er allerede gemt - + This mediaclip has already been saved Dette mediaklip er allerede blevet gemt @@ -2288,23 +2330,23 @@ Vil du tilføje de andre billeder alligevel? &Projector Manager - &Projektorhåndtering + Pro&jektorhåndtering OpenLP - + Image Files Billedfiler - + Information Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -2471,7 +2513,88 @@ Final Credit on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + Projektleder + %s + +Udviklere + %s + +Bidragsydere + %s + +Testere + %s + +Pakkere + %s + +Oversættere + Afrikaans (af) + %s + Tjekkisk (cz) + %s + Danish (da) + %s + Tysk (de) + %s + Græsk (el) + %s + Engelsk, Storbritannien (en_GB) + %s + Engelsk, Sydafrika (en_ZA) + %s + Spansk (es) + %s + Estland (et) + %s + Finsk (fi) + %s + Fransk (fr) + %s + Ungarnsk (hu) + %s + Indonesisk (id) + %s + Japansk (ja) + %s + Norsk Bokmål (nb) + %s + Hollandsk (nl) + %s + Polsk (pl) + %s + Portugisisk, Brasilien (pt_BR) + %s + Russisk (ru) + %s + Svensk (sv) + %s + Tamilsk (Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Brugervejledning + %s + +Bygget med + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen ikoner: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Afsluttende tak + "For således elskede Gud verden + at han gav sin enebårne søn for at enhver + som tror på ham ikke skal fortabes, + men have evigt liv." -- Johannes 3:16 + + Og sidst, men ikke mindst, går den sidste tak til + Gud vor fader, for at sende sin søn til at dø + på korset, og derved sætte os fri fra synd. Vi + bringer dette stykke software gratis til dig fordi + han har gjort os fri. @@ -2837,7 +2960,7 @@ ser ud til at indeholde OpenLP-datafiler. Ønsker du at erstatte disse filer me Storage - + Lager @@ -2982,47 +3105,47 @@ ser ud til at indeholde OpenLP-datafiler. Ønsker du at erstatte disse filer me Storage 1 - + Lager 1 Storage 2 - + Lager 2 Storage 3 - + Lager 3 Storage 4 - + Lager 4 Storage 5 - + Lager 5 Storage 6 - + Lager 6 Storage 7 - + Lager 7 Storage 8 - + Lager 8 Storage 9 - + Lager 9 @@ -3197,7 +3320,7 @@ Inholdet i fejlrapporten bedes skrives på engelsk, da udviklerne af OpenLP er f OpenLP.FileRenameForm - + File Rename Omdøb fil @@ -3207,7 +3330,7 @@ Inholdet i fejlrapporten bedes skrives på engelsk, da udviklerne af OpenLP er f Nyt filnavn: - + File Copy Kopiér fil @@ -3233,167 +3356,167 @@ Inholdet i fejlrapporten bedes skrives på engelsk, da udviklerne af OpenLP er f OpenLP.FirstTimeWizard - + Songs Sange - + First Time Wizard Velkomstguide - + Welcome to the First Time Wizard Velkommen til velkomstguiden - + Activate required Plugins Aktivér påkrævede udvidelser - + Select the Plugins you wish to use. Vælg de udvidelser du ønsker at benytte. - + Bible Bibel - + Images Billeder - + Presentations Præsentationer - + Media (Audio and Video) Medier (lyd og video) - + Allow remote access Tillad fjernadgang - + Monitor Song Usage Overvåg sangforbrug - + Allow Alerts Vis meddelelser - + Default Settings Standardindstillinger - + Downloading %s... Henter %s... - + Enabling selected plugins... Aktiverer valgte udvidelser... - + No Internet Connection Ingen internetforbindelse - + Unable to detect an Internet connection. Kunne ikke detektere en internetforbindelse. - + Sample Songs Eksempler på sange - + Select and download public domain songs. Vælg og hent offentligt tilgængelige sange. - + Sample Bibles Eksempler på bibler - + Select and download free Bibles. Vælg og hent gratis bibler. - + Sample Themes Eksempler på temaer - + Select and download sample themes. Vælg og hent eksempler på temaer. - + Set up default settings to be used by OpenLP. Indstil standardindstillingerne som skal benyttes af OpenLP. - + Default output display: Standard output skærm: - + Select default theme: Vælg standardtema: - + Starting configuration process... Starter konfigureringsproces... - + Setting Up And Downloading Sætter op og henter - + Please wait while OpenLP is set up and your data is downloaded. Vent venligst på at OpenLP indstilles og dine data hentes. - + Setting Up Sætter op - + Custom Slides Brugerdefinerede dias - + Finish Slut - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3402,47 +3525,47 @@ To re-run the First Time Wizard and import this sample data at a later time, che For at køre velkomstguiden igen og importere disse eksempeldata på et senere tidspunkt, skal du tjekke din internetforbindelse og køre denne guide igen ved at vælge "Værktøjer/Kør velkomstguide igen" fra OpenLP. - + Download Error Hentningsfejl - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. Der var problemer med forbindelsen under hentning fra internettet, så yderligere hentning springes over. Prøv at kærer velkomstguide igen senere. - + Download complete. Click the %s button to return to OpenLP. Hentning færdig. Klik på %s-knappen for at vende tilbage til OpenLP. - + Download complete. Click the %s button to start OpenLP. Hentning færdig. Klik på %s-knappen for at starte OpenLP. - + Click the %s button to return to OpenLP. Klik på %s-knappen for at vende tilbage til OpenLP. - + Click the %s button to start OpenLP. Klik på %s-knappen for at starte OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Der var problemer med forbindelsen under hentning fra internettet, så yderligere hentning springes over. Prøv at kærer velkomstguide igen senere. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. Denne guide vil hjælpe dig med at konfigurere OpenLP til brug for første gang. Tryk på %s-knappen herunder for at begynde. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. @@ -3451,39 +3574,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik på %s-knappen nu. - + Downloading Resource Index Henter ressourceoversigt - + Please wait while the resource index is downloaded. Vent venligst mens ressourceoversigten hentes. - + Please wait while OpenLP downloads the resource index file... Vent venligst mens OpenLP henter ressourceoversigten... - + Downloading and Configuring Henter og konfigurerer - + Please wait while resources are downloaded and OpenLP is configured. Vent venligst mens ressource hentes og OpenLP konfigureres. - + Network Error Netværksfejl - + There was a network error attempting to connect to retrieve initial configuration information - + Der opstod en netværksfejl under forsøget på at hente information om den indledende konfiguration. + + + + Cancel + Annullér + + + + Unable to download some files + Nogle bibeler kunne ikke hentes @@ -3544,7 +3677,7 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik Tag is missing - Tag mangler + Mærke mangler @@ -3556,6 +3689,16 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik Description %s already defined. Beskrivelse %s er allerede defineret. + + + Start tag %s is not valid HTML + Startmærke %s er ikke gyldig HTML + + + + End tag %s does not match end tag for start tag %s + Slutmærke %s passer ikke samme med slutmærke %s + OpenLP.FormattingTags @@ -3814,7 +3957,7 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik OpenLP.MainDisplay - + OpenLP Display OpenLP-visning @@ -3844,12 +3987,12 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik M&ode - O&psætning + &Opsætning &Tools - &Værktøjer + V&ærktøjer @@ -3984,7 +4127,7 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik &Preview Panel - &Forhåndsvisningspanelet + For&håndsvisningspanel @@ -4029,7 +4172,7 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik &About - &Om + O&m @@ -4121,7 +4264,7 @@ Du kan hente den seneste udgave fra http://openlp.org/. Hovedvisningen er mørkelagt - + Default Theme: %s Standard tema: %s @@ -4129,7 +4272,7 @@ Du kan hente den seneste udgave fra http://openlp.org/. English Please add the name of your language here - Engelsk + Dansk @@ -4137,12 +4280,12 @@ Du kan hente den seneste udgave fra http://openlp.org/. Konfigurér g&enveje... - + Close OpenLP Luk OpenLP - + Are you sure you want to close OpenLP? Er du sikker på at du vil lukke OpenLP? @@ -4179,7 +4322,7 @@ Du kan hente den seneste udgave fra http://openlp.org/. &Recent Files - &Seneste filer + Se&neste filer @@ -4216,13 +4359,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and At køre velkomstguiden igen kan medføre ændringer i din nuværende OpenLP konfiguration og muligvis tilføje sange til din eksisterende sangliste og ændre dit standard-tema. - + Clear List Clear List of recent files Ryd liste - + Clear the list of recent files. Ryd liste over seneste filer. @@ -4282,17 +4425,17 @@ At køre velkomstguiden igen kan medføre ændringer i din nuværende OpenLP kon OpenLP-eksporteret indstillingsfil (*.conf) - + New Data Directory Error Fejl ved ny datamappe - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Kopierer OpenLP data til en ny datamappeplacering - %s - Vent venligst til at kopieringen er færdig - + OpenLP Data directory copy failed %s @@ -4353,7 +4496,7 @@ Behandlingen er blevet termineret og ingen ændringer er blevet foretaget.Angiv om projektorhåndtering skal være synlig. - + Export setting error Indstillingseksport fejl @@ -4362,16 +4505,21 @@ Behandlingen er blevet termineret og ingen ændringer er blevet foretaget.The key "%s" does not have a default value so it will be skipped in this export. Nøglen "%s" har ikke nogen standardværdi, så den vil blive sprunget over i denne eksport. + + + An error occurred while exporting the settings: %s + Der opstod en fejl under eksporten af indstillingerne: %s + OpenLP.Manager - + Database Error Databasefejl - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4380,7 +4528,7 @@ Database: %s Database: %s - + OpenLP cannot load your database. Database: %s @@ -4459,7 +4607,7 @@ Endelsen er ikke understøttet &Klon - + Duplicate files were found on import and were ignored. Duplikerede filer blev fundet ved importeringen og blev ignoreret. @@ -4505,7 +4653,7 @@ Endelsen er ikke understøttet Players - Afspillere: + Afspillere @@ -4667,7 +4815,7 @@ Endelsen er ikke understøttet OK - + Ok @@ -4762,92 +4910,87 @@ Endelsen er ikke understøttet The remote host closed the connection - + Fjernværten har lukket forbindelsen The host address was not found - + Værtsadressen blev ikke fundet The socket operation failed because the application lacked the required privileges - + Socket-operationen fejlede da programmet mangler de nødvendige rettigheder The local system ran out of resources (e.g., too many sockets) - + Den lokale computer løb tør for ressourcer (f.eks. for mange sockets) The socket operation timed out - + Socket-operationen tog for lang tid The datagram was larger than the operating system's limit - + Datagrammet var større en operativsystemets grænse An error occurred with the network (Possibly someone pulled the plug?) - + Der opstod en netværksfejl (faldt stikket ud?) The address specified with socket.bind() is already in use and was set to be exclusive - + Adressen der blev angivet med socket.bind() er allerede i brug og var sat som eksklusiv The address specified to socket.bind() does not belong to the host - + Adressen angivet til socket.bind() tilhører ikke værten The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) - + Den forsøgte socket-operation er ikke understøttet af det lokale operativ system (f.eks. manglende understøttelse af IPv6) The socket is using a proxy, and the proxy requires authentication - + Socket'en bruger en proxy og denne proxy kræver godkendelse The SSL/TLS handshake failed - + SSL/TLS håndtrykket fejlede The last operation attempted has not finished yet (still in progress in the background) - + Den sidst forsøgte operation er endnu ikke afsluttet (pågår stadig i baggrunden) Could not contact the proxy server because the connection to that server was denied - + Kunne ikke kontakte proxy-serveren fordi forbindelse til serveren blev nægtet The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) - + Forbindelsen til proxy-serveren blev uventet lukket (før forbindelsen til den endelige modtager blev etableret) The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. - + Forbindelsen til proxy-serveren tog for lang tid eller proxy-serveren stoppede med at svare under godkendelsesfasen. The proxy address set with setProxy() was not found - - - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - + Proxy-adressen angivet med setProxy() blev ikke fundet @@ -4919,6 +5062,11 @@ Endelsen er ikke understøttet Received data Modtager data + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + Oprettelsen af forbindelsen til proxy-serveren fejlede på grund af et uforståeligt svar fra proxy-serveren + OpenLP.ProjectorEdit @@ -5307,22 +5455,22 @@ Endelsen er ikke understøttet Socket timeout (seconds) - + Socket timeout (sekunder) Poll time (seconds) - + Poll time (sekunder) Tabbed dialog box - + Dialogboks med faneblad Single dialog box - + En dialogboks @@ -5465,22 +5613,22 @@ Endelsen er ikke understøttet &Ændr tema for punkt - + File is not a valid service. Fil er ikke et gyldigt program. - + Missing Display Handler Mangler visningsmodul - + Your item cannot be displayed as there is no handler to display it Dit punkt kan ikke blive vist da der ikke er noget modul til at vise det - + Your item cannot be displayed as the plugin required to display it is missing or inactive Dit punkt kan ikke vises da udvidelsesmodulet der skal vise det enten mangler, eller er inaktiv @@ -5560,12 +5708,12 @@ Endelsen er ikke understøttet Brugerdefinerede program-noter: - + Notes: Noter: - + Playing time: Afspilningstid: @@ -5575,22 +5723,22 @@ Endelsen er ikke understøttet Unavngivet program - + File could not be opened because it is corrupt. Fil kunne ikke åbnes da den er defekt. - + Empty File Tom fil - + This service file does not contain any data. Denne programfil indeholder ingen data. - + Corrupt File Defekt fil @@ -5610,32 +5758,32 @@ Endelsen er ikke understøttet Vælg et tema for dette program. - + Slide theme Diastema - + Notes Noter - + Edit Redigér - + Service copy only Bare kopi i programmet - + Error Saving File Fejl ved lagring af fil - + There was an error saving your file. Der opstod en fejl ved lagring af din fil. @@ -5644,17 +5792,6 @@ Endelsen er ikke understøttet Service File(s) Missing Programfil(er) mangler - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - De følgende filer i programmet mangler: -<byte value="x9"/>%s - -Disse filer vil blive fjernet hvis du fortsætter med at gemme. - &Rename... @@ -5681,9 +5818,9 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. Automatisk &enkelt dias afspilning - + &Delay between slides - %Forsinkelse mellem dias + &Forsinkelse mellem dias @@ -5691,64 +5828,78 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. OpenLP-programfiler (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP programfiler (*.osz);; OpenLP programfiler - let (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP-programfiler (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Fil er ikke et gyldigt program. Indholdets kodning er ikke i UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. Programfilen du prøver at åbne er i et gammelt format. Gem den med OpenLP 2.0.2 eller nyere. - + This file is either corrupt or it is not an OpenLP 2 service file. Denne fil er enten defekt, eller også er det ikke en OpenLP 2 programfil. - + &Auto Start - inactive &Automatisk start - inaktiv - + &Auto Start - active &Automatisk start - aktiv - + Input delay - + Input forsinkelse - + Delay between slides in seconds. Forsinkelse mellem dias i sekunder. - + Rename item title Omdåb punkt titel - + Title: Titel: + + + An error occurred while writing the service file: %s + Der opstod en fejl under skrivningen af programfilen: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + De følgende filer i programmet mangler: %s + +Disse filer vil blive fjernet hvis du fortsætter med at gemme. + OpenLP.ServiceNoteForm @@ -6010,12 +6161,12 @@ Gem den med OpenLP 2.0.2 eller nyere. OpenLP.SourceSelectForm - + Select Projector Source Væg projektor kilde - + Edit Projector Source Text Redigér projektor kilde tekst @@ -6032,7 +6183,7 @@ Gem den med OpenLP 2.0.2 eller nyere. Discard changes and reset to previous user-defined text - + Fjern ændringer og gå tilbage til sidste brugerdefinerede tekst @@ -6040,19 +6191,14 @@ Gem den med OpenLP 2.0.2 eller nyere. Gem ændringer og vend tilbage til OpenLP - + Delete entries for this projector - + Slet poster for denne projektor - - Are you sure you want to delete ALL user-defined - Er du sikker på at du vil slette ALT brugerdefineret - - - - source input text for this projector? - kilde input tekst for denne projektor? + + Are you sure you want to delete ALL user-defined source input text for this projector? + Er du sikker på at du vil slette ALLE brugerdefinerede kildeinput tekster for denne projektor? @@ -6215,7 +6361,7 @@ Gem den med OpenLP 2.0.2 eller nyere. Indstil som &global standard - + %s (default) %s (standard) @@ -6225,52 +6371,47 @@ Gem den med OpenLP 2.0.2 eller nyere. Vælg det tema der skal redigeres. - + You are unable to delete the default theme. Du kan ikke slette standardtemaet. - + Theme %s is used in the %s plugin. Temaet %s bruges i %s-udvidelsen. - + You have not selected a theme. Du har ikke valgt et tema. - + Save Theme - (%s) Gem tema - (%s) - + Theme Exported Tema eksporteret - + Your theme has been successfully exported. Dit tema er nu blevet eksporteret. - + Theme Export Failed Eksport af tema slog fejl - - Your theme could not be exported due to an error. - Dit tema kunne ikke eksporteres på grund af en fejl. - - - + Select Theme Import File Vælg tema-importfil - + File is not a valid theme. Filen er ikke et gyldigt tema. @@ -6320,20 +6461,15 @@ Gem den med OpenLP 2.0.2 eller nyere. Slet temaet %s? - + Validation Error Fejl - + A theme with this name already exists. Et tema med dette navn eksisterer allerede. - - - OpenLP Themes (*.theme *.otz) - OpenLP temaer (*.theme *.otz) - Copy of %s @@ -6341,15 +6477,25 @@ Gem den med OpenLP 2.0.2 eller nyere. Kopi af %s - + Theme Already Exists Tema eksisterer allerede - + Theme %s already exists. Do you want to replace it? Tema %s eksisterer allerede. Ønsker du at erstatte det? + + + The theme export failed because this error occurred: %s + Temaeksporten fejlede på grund af denne fejl opstod: %s + + + + OpenLP Themes (*.otz) + OpenLP temaer (*.otz) + OpenLP.ThemeWizard @@ -6641,17 +6787,17 @@ Gem den med OpenLP 2.0.2 eller nyere. Solid color - + Ensfarvet color: - + farve: Allows you to change and move the Main and Footer areas. - + Gør dig i stand til at ændre og flytte hovedområdet og sidefodsområdet. @@ -6709,12 +6855,12 @@ Gem den med OpenLP 2.0.2 eller nyere. Universal Settings - + Universale indstillinger &Wrap footer text - + &Ombryd tekst i sidefoden @@ -6785,7 +6931,7 @@ Gem den med OpenLP 2.0.2 eller nyere. Klar. - + Starting import... Påbegynder importering... @@ -6796,7 +6942,7 @@ Gem den med OpenLP 2.0.2 eller nyere. Du skal angive mindst én %s-fil at importere fra. - + Welcome to the Bible Import Wizard Velkommen til guiden til importering af bibler @@ -6890,19 +7036,19 @@ Gem den med OpenLP 2.0.2 eller nyere. Du skal vælge en %s-mappe at importere fra. - + Importing Songs Importerer sange Welcome to the Duplicate Song Removal Wizard - + Velkommen til guiden til fjernelse af duplikerede sange Written by - + Skrevet af @@ -7128,7 +7274,7 @@ Prøv at vælg den individuelt. Manufacturers Plural - + Producenter @@ -7234,163 +7380,163 @@ Prøv at vælg den individuelt. Forhåndsvisning - + Print Service Udskriv program - + Projector Singular Projektor - + Projectors Plural Projektorer - + Replace Background Erstat baggrund - + Replace live background. Erstat fremvisningsbaggrund. - + Reset Background Nulstil baggrund - + Reset live background. Nulstil fremvisningsbaggrund. - + s The abbreviated unit for seconds s - + Save && Preview Gem && forhåndsvis - + Search Søg - + Search Themes... Search bar place holder text Søg efter temaer... - + You must select an item to delete. Vælg et punkt der skal slettes. - + You must select an item to edit. Vælg et punkt der skal redigeres. - + Settings Indstillinger - + Save Service Gem program - + Service Program - + Optional &Split Valgfri &opdeling - + Split a slide into two only if it does not fit on the screen as one slide. Del kun et dias op i to, hvis det ikke kan passe ind på skærmen som ét dias. - + Start %s Begynd %s - + Stop Play Slides in Loop Stop afspilning af dias i løkke - + Stop Play Slides to End Stop afspilning af dias til slut - + Theme Singular Tema - + Themes Plural Temaer - + Tools Værktøjer - + Top Top - + Unsupported File Ikke understøttet fil - + Verse Per Slide Vers per dias - + Verse Per Line Vers per linje - + Version Udgave - + View Vis - + View Mode Visningstilstand @@ -7404,6 +7550,16 @@ Prøv at vælg den individuelt. OpenLP 2.2 OpenLP 2.2 + + + Preview Toolbar + Forhåndsvisningspanel + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7437,56 +7593,56 @@ Prøv at vælg den individuelt. Source select dialog interface - + Grænseflade for valg af kilde PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Præsentation-udvidelse</strong><br />Præsentationsudvidelsen gør det muligt at vise præsentationer med en række forskellige programmer. Valget mellem tilgængelige præsentationsprogrammer er tilgængelig for brugeren i en rulleliste. - + Presentation name singular Præsentation - + Presentations name plural Præsentationer - + Presentations container title Præsentationer - + Load a new presentation. Indlæs en ny præsentation. - + Delete the selected presentation. Slet den valgte præsentation. - + Preview the selected presentation. Forhåndsvis den valgte præsentation. - + Send the selected presentation live. Fremvis den valgte præsentation. - + Add the selected presentation to the service. Tilføj den valgte præsentation til programmet. @@ -7529,17 +7685,17 @@ Prøv at vælg den individuelt. Præsentationer (%s) - + Missing Presentation Manglende præsentation - + The presentation %s is incomplete, please reload. Præsentationen %s er ufuldstændig. Vær venlig at genindlæse den. - + The presentation %s no longer exists. Præsentationen %s eksisterer ikke længere. @@ -7547,7 +7703,7 @@ Prøv at vælg den individuelt. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. Der opstod en fejl i Powerpoint-integrationen og presentationen vil blive stoppet. Start presentationen igen hvis du vil vise den. @@ -7555,40 +7711,50 @@ Prøv at vælg den individuelt. PresentationPlugin.PresentationTab - + Available Controllers Tilgængelige programmer - + %s (unavailable) %s (ikke tilgængelig) - + Allow presentation application to be overridden Tillad at præsentationsprogrammet tilsidesættes - + PDF options PDF indstillinger - + Use given full path for mudraw or ghostscript binary: Anvend den angivne fulde sti til mudraw eller ghostscript eksekverbar fil: - + Select mudraw or ghostscript binary. Vælg mudraw eller ghostscript eksekverbar fil. - + The program is not ghostscript or mudraw which is required. Programmet er ikke ghostscript eller mudraw, hvilket er krævet. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7618,140 +7784,140 @@ Prøv at vælg den individuelt. Server Config Change - + Server konfigurationsændring Server configuration changes will require a restart to take effect. - + Server konfigurationsændringerne kræver en genstart for at træde i kraft. RemotePlugin.Mobile - + Service Manager Programhåndtering - + Slide Controller Diashåndtering - + Alerts Meddelelser - + Search Søg - + Home Hjem - + Refresh Opdatér - + Blank Sort skærm - + Theme Tema - + Desktop Skrivebord - + Show Vis - + Prev Forrige - + Next Næste - + Text Tekst - + Show Alert Vis meddelelse - + Go Live Fremvis - + Add to Service Tilføj til program - + Add &amp; Go to Service Tilføj &amp; Gå til program - + No Results Ingen resultater - + Options Valgmuligheder - + Service Program - + Slides Dias - + Settings Indstillinger - + OpenLP 2.2 Remote - + OpenLP 2.2 fjernbetjening - + OpenLP 2.2 Stage View - + OpenLP 2.2 scenevisning - + OpenLP 2.2 Live View - + OpenLP 2.2 præsentationsvisning @@ -7799,27 +7965,27 @@ Prøv at vælg den individuelt. Live view URL: - + Præsentationsvisnings URL: HTTPS Server - + HTTPS server Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. - + Kunne ikke finde et SSL certifikat. HTTPS serveren er ikke tilgængelig medmindre et SSL certifikat kan findes. Se venligst manualen for mere information. User Authentication - + Bruger godkendelse User id: - + Bruger id @@ -7829,91 +7995,91 @@ Prøv at vælg den individuelt. Show thumbnails of non-text slides in remote and stage view. - + Vis miniaturebilleder af ikke-tekst dias i fjernbetjening og scenevisning. SongUsagePlugin - + &Song Usage Tracking &Logning af sangforbrug - + &Delete Tracking Data &Slet logdata - + Delete song usage data up to a specified date. Slet sangforbrugsdata op til en angivet dato. - + &Extract Tracking Data &Udtræk logdata - + Generate a report on song usage. Opret en rapport over sangforbruget. - + Toggle Tracking Slå logning til/fra - + Toggle the tracking of song usage. Slå logning af sangforbrug til/fra. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Sangforbrug-udvidelse</strong><br />Denne udvidelse logger forbruget af sange i programmer. - + SongUsage name singular Sangforbrug - + SongUsage name plural Sangforbrug - + SongUsage container title Sangforbrug - + Song Usage Sangforbrug - + Song usage tracking is active. Logning af sangforbrug er slået til. - + Song usage tracking is inactive. Logning af sangforbrug er ikke slået til. - + display vis - + printed udskrevet @@ -7944,12 +8110,13 @@ Prøv at vælg den individuelt. Select the date up to which the song usage data should be deleted. All data recorded before this date will be permanently deleted. - + Vælg op til hvilken dato sangforbrugsdata skal slettes. +Al data optaget før denne dato vil blive slettet permanent. All requested data has been deleted successfully. - + Alt den angivne data er nu blevet slettet. @@ -7975,22 +8142,22 @@ All data recorded before this date will be permanently deleted. Placering af rapport - + Output File Location Placering af output-fil - + usage_detail_%s_%s.txt forbrugsdetaljer_%s_%s.txt - + Report Creation Oprettelse af rapport - + Report %s has been successfully created. @@ -7999,46 +8166,57 @@ has been successfully created. er blevet oprettet. - + Output Path Not Selected Output-sti er ikke valgt - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. - + Du har ikke valgt en gyldig placering for din sangforbrugsrapport. +Vælg venligst en eksisterende sti på din computer. + + + + Report Creation Failed + Report oprettelse fejlede + + + + An error occurred while creating the report: %s + Der opstod en fejl under oprettelse af rapporten: %s SongsPlugin - + &Song &Sang - + Import songs using the import wizard. Importér sange med importguiden. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Sang-udvidelse</strong><br />Sangudvidelsen gør det muligt at vise og håndtere sange. - + &Re-index Songs &Genindeksér sange - + Re-index the songs database to improve searching and ordering. Genindeksér sangene i databasen for at forbedre søgning og sortering. - + Reindexing songs... Genindekserer sange... @@ -8134,80 +8312,80 @@ The encoding is responsible for the correct character representation. Tegnkodningen er ansvarlig for den korrekte visning af tegn. - + Song name singular Sang - + Songs name plural Sange - + Songs container title Sange - + Exports songs using the export wizard. Eksportér sange med eksportguiden. - + Add a new song. Tilføj en ny sang. - + Edit the selected song. Redigér den valgte sang. - + Delete the selected song. Slet den valgte sang. - + Preview the selected song. Forhåndsvis den valgte sang. - + Send the selected song live. Fremvis den valgte sang. - + Add the selected song to the service. Tilføj de valgte sange til programmet. - + Reindexing songs Genindeksér sange - + CCLI SongSelect - + CCLI SongSelect - + Import songs from CCLI's SongSelect service. - + Importer sang from CCLI's SongSelect tjeneste - + Find &Duplicate Songs - Find sang &dubletter + &Find sang dubletter - + Find and remove duplicate songs in the song database. Find og fjern sang dubletter i sangdatabasen. @@ -8679,7 +8857,7 @@ Indtast venligst versene adskildt af mellemrum. Du er nødt til at vælge en mappe. - + Select Destination Folder Vælg en destinationsmappe @@ -9086,15 +9264,20 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.SongExportForm - + Your song export failed. Din sangeksportering slog fejl. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Ekporteringen er færdig. Benyt <strong>OpenLyrics</strong>-importøren for at importere disse filer. + + + Your song export failed because this error occurred: %s + Sangeksporten fejlede ppå grund af denne fejl: %s + SongsPlugin.SongImport @@ -9275,7 +9458,7 @@ Indtast venligst versene adskildt af mellemrum. Søg - + Found %s song(s) Fandt %s sang(e) @@ -9340,44 +9523,44 @@ Indtast venligst versene adskildt af mellemrum. Logger ud... - + Save Username and Password Gem brugernavn og kode - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. ADVARSEL: At gemme dit brugernavn og kode er USIKKERT, din kode gemmes i KLARTEKST. Klik Ja for at gemme din kode eller Nej for at annullere dette. - + Error Logging In Fejl ved indlogning - + There was a problem logging in, perhaps your username or password is incorrect? Der opstod et problem ved indlogning, måske er dit brugernavn og kode forkert? - + Song Imported Sang importeret - - Your song has been imported, would you like to exit now, or import more songs? - Din sang er blevet importeret, vil du stoppe nu, eller importere flere sange? + + Incomplete song + Ufuldstændig sang - - Import More Songs - Importer flere sange + + This song is missing some information, like the lyrics, and cannot be imported. + Denne sang mangler noget information, som f.eks. sangteksten, og kan ikke importeres. - - Exit Now - Stop nu + + Your song has been imported, would you like to import more songs? + Sangen er blevet importeret, vil du importere flere sange? diff --git a/resources/i18n/de.ts b/resources/i18n/de.ts index 12701cdb1..1fb7ae034 100644 --- a/resources/i18n/de.ts +++ b/resources/i18n/de.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Hinweis - + Show an alert message. Hinweis anzeigen. - + Alert name singular Hinweis - + Alerts name plural Hinweise - + Alerts container title Hinweise - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Hinweis Erweiterung</strong><br />Mit der Hinweis Erweiterung können Sie Hinweise auf dem Bildschirm anzeigen. @@ -154,85 +154,85 @@ Bitte geben Sie etwas ein. BiblesPlugin - + &Bible &Bibel - + Bible name singular Bibel - + Bibles name plural Bibeln - + Bibles container title Bibeln - + No Book Found Kein Buch gefunden - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Es konnte kein passendes Buch gefunden werden. Überprüfen Sie bitte die Schreibweise. - + Import a Bible. Neue Bibel importieren. - + Add a new Bible. Füge eine neue Bibel hinzu. - + Edit the selected Bible. Bearbeite die ausgewählte Bibel. - + Delete the selected Bible. Lösche die ausgewählte Bibel. - + Preview the selected Bible. Zeige die ausgewählte Bibelverse in der Vorschau. - + Send the selected Bible live. Zeige die ausgewählte Bibelverse Live an. - + Add the selected Bible to the service. Füge die ausgewählten Bibelverse zum Ablauf hinzu. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bibel Erweiterung</strong><br />Die Bibel Erweiterung ermöglicht es Bibelverse aus verschiedenen Quellen anzuzeigen. - + &Upgrade older Bibles &Upgrade alte Bibeln - + Upgrade the Bible databases to the latest format. Stelle die Bibeln auf das aktuelle Datenbankformat um. @@ -660,61 +660,61 @@ Bitte geben Sie etwas ein. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + vers verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + verse - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - bis + bis , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + und end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + ende @@ -767,39 +767,39 @@ und ein nichtnumerisches Zeichen muss folgen. BiblesPlugin.BibleManager - + Scripture Reference Error Fehler im Textverweis - + Web Bible cannot be used Für Onlinebibeln nicht verfügbar - + Text Search is not available with Web Bibles. In Onlinebibeln ist Textsuche nicht möglich. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Es wurde kein Suchbegriff eingegeben. Um nach mehreren Begriffen gleichzeitig zu suchen, müssen die Begriffe durch ein Leerzeichen getrennt sein. Alternative Suchbegriffe müssen per Komma getrennt sein. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Zurzeit sind keine Bibelübersetzungen installiert. Zur Suche muss eine solche mit dem Importassistent importiert werden. - + No Bibles Available Keine Bibeln verfügbar - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -990,12 +990,12 @@ Suchergebnis und Projektionsbildschirm: BiblesPlugin.CSVBible - + Importing books... %s Importiere Bücher... %s - + Importing verses... done. Importiere Verse... Fertig. @@ -1073,38 +1073,38 @@ Es ist nicht möglich die Büchernamen anzupassen. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registriere Bibel und lade Bücher... - + Registering Language... Registriere Sprache... - + Importing %s... Importing <book name>... Importiere »%s«... - + Download Error Download Fehler - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Beim Herunterladen des Bibeltextes ist ein Fehler aufgetreten. Bitte überprüfen Sie Ihre Internetverbindung. Wenden Sie sich bitte an den OpenLP Support, sollte dieser Fehler weiterhin auftreten. - + Parse Error Formatfehler - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Beim Auslesen des Bibeltextes ist ein Fehler aufgetreten. Wenden Sie sich bitte an den OpenLP Support, sollte dieser Fehler wiederholt auftritt. @@ -1112,163 +1112,183 @@ Es ist nicht möglich die Büchernamen anzupassen. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bibel Importassistent - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Dieser Assistent hilft Ihnen Bibeln aus verschiedenen Formaten zu importieren. Um den Assistenten zu starten klicken Sie auf »Weiter«. - + Web Download Onlinebibel - + Location: Quelle: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bibel: - + Download Options Download Optionen - + Server: Server: - + Username: Benutzername: - + Password: Passwort: - + Proxy Server (Optional) Proxy-Server (optional) - + License Details Lizenzdetails - + Set up the Bible's license details. Eingabe der Urheberrechtsangaben der Bibelübersetzung. - + Version name: Bibelausgabe: - + Copyright: Copyright: - + Please wait while your Bible is imported. Bitte warten Sie während Ihre Bibel importiert wird. - + You need to specify a file with books of the Bible to use in the import. Eine Buchinformations-Datei muss zum Import angegeben werden. - + You need to specify a file of Bible verses to import. Eine Bibeltext-Datei muss zum Import angegeben werden. - + You need to specify a version name for your Bible. Sie müssen den Name der Bibelversion eingeben. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Copyright muss angegeben werden. Gemeinfreie Bibeln ohne Copyright sind als solche zu kennzeichnen. - + Bible Exists Bibelübersetzung bereits vorhanden - + This Bible already exists. Please import a different Bible or first delete the existing one. Diese Bibel existiert bereit. Bitte geben Sie einen anderen Übersetzungsnamen an oder löschen Sie zuerst die Existierende. - + Your Bible import failed. Das importieren der Bibel ist fehlgeschlagen. - + CSV File CSV-Datei - + Bibleserver Bibleserver.com - + Permissions: Genehmigung: - + Bible file: Bibeldatei: - + Books file: Bücherdatei: - + Verses file: Versedatei: - + Registering Bible... Registriere Bibel... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + Angemeldete Bibel. Bitte beachten, dass die benötigten Verse bei Bedarf herunter geladen werden und daher eine Internet Verbindung benötigt wird. + + + + Click to download bible list + Wählen um Bibelliste herunter zu laden + + + + Download bible list + Bibelliste laden + + + + Error during download + Fehler beim Herunterladen + + + + An error occurred while downloading the list of bibles from %s. @@ -1407,13 +1427,26 @@ Um sie wieder zu benutzen, muss sie erneut importier werden. Falscher Bibel Datei Typ. Dies scheint eine Zefania XML Bibel zu sein. Bitte die Zefania Import funktion benutzen. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Entferne unbenutzte Tags (dies kann einige Minuten dauern) ... + + + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.UpgradeWizardForm @@ -1568,73 +1601,81 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Falscher Bibel Datei Typ. Zefania Bibeln sind möglicherweise gepackt. Diese Dateien müssen entpackt werden vor dem Import. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + CustomPlugin - + Custom Slide name singular Sonderfolien - + Custom Slides name plural Sonderfolien - + Custom Slides container title Sonderfolien - + Load a new custom slide. Lade eine neue Sonderfolie. - + Import a custom slide. Importieren eine Sonderfolie. - + Add a new custom slide. Erstelle eine neue Sonderfolie. - + Edit the selected custom slide. Bearbeite die ausgewählte Sonderfolie. - + Delete the selected custom slide. Lösche die ausgewählte Sonderfolie. - + Preview the selected custom slide. Zeige die ausgewählte Sonderfolie in der Vorschau. - + Send the selected custom slide live. Zeige die ausgewählte Sonderfolie Live. - + Add the selected custom slide to the service. Füge die ausgewählte Sonderfolie zum Ablauf hinzu. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Sonderfolien Erweiterung</strong><br />Die Sonderfolien Erweiterung bietet die Möglichkeit, selbsterstellte Textfolien auf die gleiche Art und Weise wie Lieder anzuzeigen. Diese Erweiterung bietet größere Flexibilität als die Lied-Erweiterung. @@ -1731,7 +1772,7 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Soll die markierte Sonderfolie wirklich gelöscht werden? @@ -1742,60 +1783,60 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Bilder Erweiterung</strong><br />Die Bilder Erweiterung ermöglicht die Anzeige von Bildern.<br />Eine der besonderen Eigenschaften dieser Erweiterung ist die Möglichkeit, in der Ablaufverwaltung, mehrere Bilder zu einer Gruppe zusammen zu fassen. Dies vereinfacht die die Anzeige mehrerer Bilder. Ebenso kann mit Hilfe der Zeitschleife, sehr einfach eine Diaschau erzeugt werden, welche dann automatisch abläuft. Des weiteren können mit dieser Erweiterung Bilder benutzt werden, um das Hintergrundbild des aktuellen Design zu ersetzen. - + Image name singular Bild - + Images name plural Bilder - + Images container title Bilder - + Load a new image. Lade ein neues Bild. - + Add a new image. Füge eine neues Bild hinzu. - + Edit the selected image. Bearbeite das ausgewählte Bild. - + Delete the selected image. Lösche das ausgewählte Bild. - + Preview the selected image. Zeige das ausgewählte Bild in der Vorschau. - + Send the selected image live. Zeige die ausgewählte Bild Live. - + Add the selected image to the service. Füge das ausgewählte Bild zum Ablauf hinzu. @@ -1823,12 +1864,12 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen Sie müssen einen Gruppennamen eingeben. - + Could not add the new group. Die neue Gruppe konnte nicht angelegt werden. - + This group already exists. Die Gruppe existiert bereits. @@ -1877,34 +1918,34 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen Bilder auswählen - + You must select an image to replace the background with. Das Bild, das Sie als Hintergrund setzen möchten, muss ausgewählt sein. - + Missing Image(s) Fehlende Bilder - + The following image(s) no longer exist: %s Auf die folgenden Bilder kann nicht mehr zugegriffen werden: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Auf die folgenden Bilder kann nicht mehr zugegriffen werden: %s Wollen Sie die anderen Bilder trotzdem hinzufügen? - + There was a problem replacing your background, the image file "%s" no longer exists. Da auf das Bild »%s« nicht mehr zugegriffen werden kann, konnte es nicht als Hintergrund gesetzt werden. - + There was no display item to amend. Es waren keine Änderungen nötig. @@ -1914,17 +1955,17 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? – Oberste Gruppe – - + You must select an image or group to delete. Bitte wählen Sie ein Bild oder eine Gruppe zum Löschen aus. - + Remove group Gruppe entfernen - + Are you sure you want to remove "%s" and everything in it? Möchten Sie die Gruppe „%s“ und ihre Inhalte wirklich entfernen? @@ -1945,22 +1986,22 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? Phonon ist ein Mediaplayer, der eine Zwischenschicht zum Betriebssystem bildet und Medienfunktionalitäten bereitstellt. - + Audio Audio - + Video Video - + VLC is an external player which supports a number of different formats. VLC ist ein externer Player der viele verschiedene Dateiformate unterstützt. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit ist ein Medienplayer, der innerhalb eines Webbrowsers läuft. Der Player ermöglicht er, Text über einem Video darzustellen. @@ -1968,60 +2009,60 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Erweiterung Medien</strong><br />Die Erweiterung Medien ermöglicht es Audio- und Videodateien abzuspielen. - + Media name singular Medien - + Media name plural Medien - + Media container title Medien - + Load new media. Lade eine neue Audio-/Videodatei. - + Add new media. Füge eine neue Audio-/Videodatei hinzu. - + Edit the selected media. Bearbeite die ausgewählte Audio-/Videodatei. - + Delete the selected media. Lösche die ausgewählte Audio-/Videodatei. - + Preview the selected media. Zeige die ausgewählte Audio-/Videodatei in der Vorschau. - + Send the selected media live. Zeige die ausgewählte Audio-/Videodatei Live. - + Add the selected media to the service. Füge die ausgewählte Audio-/Videodatei zum Ablauf hinzu. @@ -2190,37 +2231,37 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? Audio-/Videodatei auswählen - + You must select a media file to delete. Die Audio-/Videodatei, die entfernt werden soll, muss ausgewählt sein. - + You must select a media file to replace the background with. Das Video, das Sie als Hintergrund setzen möchten, muss ausgewählt sein. - + There was a problem replacing your background, the media file "%s" no longer exists. Da auf die Mediendatei »%s« nicht mehr zugegriffen werden kann, konnte sie nicht als Hintergrund gesetzt werden. - + Missing Media File Fehlende Audio-/Videodatei - + The file %s no longer exists. Die Audio-/Videodatei »%s« existiert nicht mehr. - + Videos (%s);;Audio (%s);;%s (*) Video (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Es waren keine Änderungen nötig. @@ -2230,7 +2271,7 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? Nicht unterstütztes Dateiformat - + Use Player: Nutze Player: @@ -2245,27 +2286,27 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? Der VLC Player ist für das Abspielen von optischen Medien erforderlich - + Load CD/DVD Starte CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled Starten einer CD/DVD - ist nur unterstützt wenn der VLC Player installiert und aktivert ist - + The optical disc %s is no longer available. Das optische Medium %s ist nicht länger verfügbar. - + Mediaclip already saved Audio-/Videoausschnitt bereits gespeichert - + This mediaclip has already been saved Dieser Audio-/Videoausschnitt ist bereits gespeichert @@ -2294,17 +2335,17 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? OpenLP - + Image Files Bilddateien - + Information Hinweis - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -2495,7 +2536,7 @@ Portions copyright © 2004-2015 %s Remember active media manager tab on startup - Erinnere aktiven Reiter der Medienverwaltung + Beim Starten die zuletzt gewählte Medienverwaltung wieder auswählen @@ -2505,7 +2546,7 @@ Portions copyright © 2004-2015 %s Expand new service items on creation - Neue Ablaufelemente bei ausklappen + Neue Elemente in der Ablaufverwaltung mit Details anzeigen @@ -2550,8 +2591,8 @@ Portions copyright © 2004-2015 %s Preview items when clicked in Media Manager - Elemente in der Vorschau zeigen, wenn sie in -der Medienverwaltung angklickt werden + Objekte in der Vorschau zeigen, wenn sie in +der Medienverwaltung ausgewählt werden @@ -3184,7 +3225,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename Datei umbenennen @@ -3194,7 +3235,7 @@ Version: %s Neuer Dateiname: - + File Copy Datei kopieren @@ -3220,167 +3261,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Lieder - + First Time Wizard Einrichtungsassistent - + Welcome to the First Time Wizard Willkommen zum Einrichtungsassistent - + Activate required Plugins Erweiterungen aktivieren - + Select the Plugins you wish to use. Wählen Sie die Erweiterungen aus, die Sie nutzen wollen. - + Bible Bibel - + Images Bilder - + Presentations Präsentationen - + Media (Audio and Video) Medien (Audio und Video) - + Allow remote access Erlaube Fernsteuerung - + Monitor Song Usage Lied Benutzung protokollieren - + Allow Alerts Erlaube Hinweise - + Default Settings Standardeinstellungen - + Downloading %s... %s wird heruntergeladen... - + Enabling selected plugins... Aktiviere ausgewählte Erweiterungen... - + No Internet Connection Keine Internetverbindung - + Unable to detect an Internet connection. Es könnte keine Internetverbindung aufgebaut werden. - + Sample Songs Beispiellieder - + Select and download public domain songs. Wählen und laden Sie gemeinfreie (bzw. kostenlose) Lieder herunter. - + Sample Bibles Beispielbibeln - + Select and download free Bibles. Wählen und laden Sie freie Bibeln runter. - + Sample Themes Beispieldesigns - + Select and download sample themes. Wählen und laden Sie Beispieldesigns runter. - + Set up default settings to be used by OpenLP. Grundeinstellungen konfigurieren. - + Default output display: Projektionsbildschirm: - + Select default theme: Standarddesign: - + Starting configuration process... Starte Konfiguration... - + Setting Up And Downloading Konfiguriere und Herunterladen - + Please wait while OpenLP is set up and your data is downloaded. Bitte warten Sie, während OpenLP eingerichtet wird und die Daten heruntergeladen werden. - + Setting Up Konfiguriere - + Custom Slides Sonderfolien - + Finish Ende - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3389,47 +3430,47 @@ To re-run the First Time Wizard and import this sample data at a later time, che Um diesen Einrichtungsassistenten erneut zu starten und die Beispiel Daten zu importieren, prüfen Sie Ihre Internetverbindung und starten den Assistenten im Menü "Extras/Einrichtungsassistenten starten". - + Download Error Download Fehler - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. Download vollständig. Drücken Sie »%s« um zurück zu OpenLP zu gelangen - + Download complete. Click the %s button to start OpenLP. Download vollständig. Klicken Sie »%s« um OpenLP zu starten. - + Click the %s button to return to OpenLP. Klicken Sie »%s« um zu OpenLP zurück zu gelangen. - + Click the %s button to start OpenLP. Klicken Sie »%s« um OpenLP zu starten. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. @@ -3438,38 +3479,48 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s - + Downloading Resource Index - + Please wait while the resource index is downloaded. - + Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring - + Please wait while resources are downloaded and OpenLP is configured. - + Network Error + Netzwerkfehler + + + + There was a network error attempting to connect to retrieve initial configuration information - - There was a network error attempting to connect to retrieve initial configuration information + + Cancel + Abbruch + + + + Unable to download some files @@ -3543,6 +3594,16 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. Beschreibung »%s« bereits definiert. + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + OpenLP.FormattingTags @@ -3727,7 +3788,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Check for updates to OpenLP - Prüfe nach Aktualisierungen + Prüfe ob eine Version von OpenLP verfügbar ist @@ -3801,7 +3862,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP-Anzeige @@ -4108,7 +4169,7 @@ Sie können die letzte Version auf http://openlp.org abrufen. Die Projektion ist momentan nicht aktiv. - + Default Theme: %s Standarddesign: %s @@ -4124,12 +4185,12 @@ Sie können die letzte Version auf http://openlp.org abrufen. Konfiguriere &Tastenkürzel... - + Close OpenLP OpenLP beenden - + Are you sure you want to close OpenLP? Soll OpenLP wirklich beendet werden? @@ -4203,13 +4264,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Der Einrichtungsassistent kann einige Einstellungen verändern und ggf. neue Lieder, Bibeln und Designs zu den bereits vorhandenen hinzufügen. - + Clear List Clear List of recent files Leeren - + Clear the list of recent files. Leert die Liste der zuletzte geöffnete Abläufe. @@ -4269,17 +4330,17 @@ Der Einrichtungsassistent kann einige Einstellungen verändern und ggf. neue Lie OpenLP Einstellungsdatei (*.conf) - + New Data Directory Error Fehler im neuen Daten Ordner - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Kopiere OpenLP Daten in das neue Datenverzeichnis - %s - Bitte warten Sie, bis der Kopiervorgang beendet wurde. - + OpenLP Data directory copy failed %s @@ -4340,7 +4401,7 @@ Der Import wurde abgebrochen und es wurden keine Änderungen gemacht.Die Projektorverwaltung ein- bzw. ausblenden - + Export setting error @@ -4349,16 +4410,21 @@ Der Import wurde abgebrochen und es wurden keine Änderungen gemacht.The key "%s" does not have a default value so it will be skipped in this export. + + + An error occurred while exporting the settings: %s + + OpenLP.Manager - + Database Error Datenbankfehler - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4367,7 +4433,7 @@ Database: %s Datenbank: %s - + OpenLP cannot load your database. Database: %s @@ -4446,7 +4512,7 @@ Dateiendung nicht unterstützt. &Klonen - + Duplicate files were found on import and were ignored. Duplikate wurden beim Importieren gefunden und wurden ignoriert. @@ -4654,7 +4720,7 @@ Dateiendung nicht unterstützt. OK - + OK @@ -4694,7 +4760,7 @@ Dateiendung nicht unterstützt. Authentication Error - + Authentifizierungsfehler @@ -4831,15 +4897,10 @@ Dateiendung nicht unterstützt. The proxy address set with setProxy() was not found - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - - An unidentified error occurred - + Unbekannter Fehler @@ -4906,6 +4967,11 @@ Dateiendung nicht unterstützt. Received data Daten Empfangen + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + OpenLP.ProjectorEdit @@ -5038,12 +5104,12 @@ Dateiendung nicht unterstützt. Connect to selected projectors - Verbinde ausgewählte Projektoren + Verbindung zu ausgewählten Projektoren herstellen Disconnect from selected projectors - Trenne ausgewählte Projektoren + Verbindung zu ausgewählten Projektoren trennen @@ -5068,12 +5134,12 @@ Dateiendung nicht unterstützt. Blank selected projector screen - + Ausgewählten Projektor abdunkeln Show selected projector screen - + Ausgewählten Projektor anzeigen @@ -5083,37 +5149,37 @@ Dateiendung nicht unterstützt. &Edit Projector - + Projektor b&earbeiten &Connect Projector - + Proje&ktor verbinden D&isconnect Projector - + Projektor & trennen Power &On Projector - + Projekt&or einschalten Power O&ff Projector - + Projekt&or ausschalten Select &Input - + E&ingang wählen Edit Input Source - + Bearbeite Eingangsquelle @@ -5128,7 +5194,7 @@ Dateiendung nicht unterstützt. &Delete Projector - + &Lösche Projektor @@ -5178,7 +5244,7 @@ Dateiendung nicht unterstützt. Power status - + Stromversorgungsstatus @@ -5284,12 +5350,12 @@ Dateiendung nicht unterstützt. Communication Options - + Verbindungsoptionen Connect to projectors on startup - + Verbindung zu den Projektoren beim Starten herstellen @@ -5322,12 +5388,12 @@ Dateiendung nicht unterstützt. Invalid IP Address - + Ungültige IP Adresse Invalid Port Number - + Ungültige Port Nummer @@ -5452,22 +5518,22 @@ Dateiendung nicht unterstützt. &Design des Elements ändern - + File is not a valid service. Die Datei ist keine gültige OpenLP Ablaufdatei. - + Missing Display Handler Fehlende Anzeigesteuerung - + Your item cannot be displayed as there is no handler to display it Dieses Element kann nicht angezeigt werden, da es keine Steuerung dafür gibt. - + Your item cannot be displayed as the plugin required to display it is missing or inactive Dieses Element kann nicht angezeigt werden, da die zugehörige Erweiterung fehlt oder inaktiv ist. @@ -5547,12 +5613,12 @@ Dateiendung nicht unterstützt. Notizen zum Ablauf: - + Notes: Notizen: - + Playing time: Spiellänge: @@ -5562,22 +5628,22 @@ Dateiendung nicht unterstützt. Unbenannt - + File could not be opened because it is corrupt. Datei konnte nicht geöffnet werden, da sie fehlerhaft ist. - + Empty File Leere Datei - + This service file does not contain any data. Diese Datei enthält keine Daten. - + Corrupt File Dehlerhaft Datei @@ -5597,32 +5663,32 @@ Dateiendung nicht unterstützt. Design für den Ablauf auswählen. - + Slide theme Element-Design - + Notes Notizen - + Edit Bearbeiten - + Service copy only Ablaufkopie (nicht in der Datenbank) - + Error Saving File Fehler beim Speichern der Datei - + There was an error saving your file. Beim Speichern der Datei ist ein Fehler aufgetreten. @@ -5631,17 +5697,6 @@ Dateiendung nicht unterstützt. Service File(s) Missing Ablaufdatei(en) fehlen - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - Die folgende(n) Datei(en) fehlen im Ablauf: -<byte value="x9"/>%s - -Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren mit. - &Rename... @@ -5668,7 +5723,7 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren mit.Folien automatisch abspielen (&einmalig) - + &Delay between slides &Pause zwischen Folien @@ -5678,64 +5733,76 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren mit.OpenLP Ablaufplandateien (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP-Ablaufplandateien (*.osz);; OpenLP-Ablaufplandateien – lite (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP Ablaufplandateien (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Die Datei ist kein gültiger Ablaufplan. Die Inhaltskodierung ist nicht UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. Der Ablaufplan ist in einem alten Format. Bitte speichern Sie ihn mit OpenLP 2.0.2 oder neuer. - + This file is either corrupt or it is not an OpenLP 2 service file. Die Datei ist entweder beschädigt oder keine OpenLP 2-Ablaufplandatei. - + &Auto Start - inactive &Autostart – inaktiv - + &Auto Start - active &Autostart – aktiv - + Input delay Verzögerung - + Delay between slides in seconds. Verzögerung zwischen den Folien (in Sekunden) - + Rename item title Eintragstitel bearbeiten - + Title: Titel: + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + OpenLP.ServiceNoteForm @@ -5997,19 +6064,19 @@ Bitte speichern Sie ihn mit OpenLP 2.0.2 oder neuer. OpenLP.SourceSelectForm - + Select Projector Source - + Wähle Projektor Quelle - + Edit Projector Source Text Ignoring current changes and return to OpenLP - + Änderungen verwerfen und zu OpenLP zurückkehren @@ -6024,21 +6091,16 @@ Bitte speichern Sie ihn mit OpenLP 2.0.2 oder neuer. Save changes and return to OpenLP - + Änderungen speichern und zu OpenLP zurückkehren + + + + Delete entries for this projector + Eingaben dieses Projektors löschen - Delete entries for this projector - - - - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6202,7 +6264,7 @@ Bitte speichern Sie ihn mit OpenLP 2.0.2 oder neuer. Als &globalen Standard setzen - + %s (default) %s (Standard) @@ -6212,52 +6274,47 @@ Bitte speichern Sie ihn mit OpenLP 2.0.2 oder neuer. Zum Bearbeiten muss ein Design ausgewählt sein. - + You are unable to delete the default theme. Es ist nicht möglich das Standarddesign zu entfernen. - + Theme %s is used in the %s plugin. Das Design »%s« wird in der »%s« Erweiterung benutzt. - + You have not selected a theme. Es ist kein Design ausgewählt. - + Save Theme - (%s) Speicherort für »%s« - + Theme Exported Design exportiert - + Your theme has been successfully exported. Das Design wurde erfolgreich exportiert. - + Theme Export Failed Designexport fehlgeschlagen - - Your theme could not be exported due to an error. - Dieses Design konnte aufgrund eines Fehlers nicht exportiert werden. - - - + Select Theme Import File OpenLP Designdatei importieren - + File is not a valid theme. Diese Datei ist keine gültige OpenLP Designdatei. @@ -6307,20 +6364,15 @@ Bitte speichern Sie ihn mit OpenLP 2.0.2 oder neuer. Soll das Design »%s« wirklich gelöscht werden? - + Validation Error Validierungsfehler - + A theme with this name already exists. Ein Design mit diesem Namen existiert bereits. - - - OpenLP Themes (*.theme *.otz) - OpenLP Designs (*.theme *.otz) - Copy of %s @@ -6328,15 +6380,25 @@ Bitte speichern Sie ihn mit OpenLP 2.0.2 oder neuer. Kopie von %s - + Theme Already Exists Design bereits vorhanden - + Theme %s already exists. Do you want to replace it? Design »%s« existiert bereits. Möchten Sie es ersetzten? + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + OpenLP.ThemeWizard @@ -6696,12 +6758,12 @@ Bitte speichern Sie ihn mit OpenLP 2.0.2 oder neuer. Universal Settings - + Allgemeine Einstellungen &Wrap footer text - + Zeilenumbruch für Fußzeile @@ -6772,7 +6834,7 @@ Bitte speichern Sie ihn mit OpenLP 2.0.2 oder neuer. Fertig. - + Starting import... Beginne Import... @@ -6783,7 +6845,7 @@ Bitte speichern Sie ihn mit OpenLP 2.0.2 oder neuer. Sie müssen wenigstens eine %s-Datei zum Importieren auswählen. - + Welcome to the Bible Import Wizard Willkommen beim Bibel Importassistenten @@ -6877,7 +6939,7 @@ Bitte speichern Sie ihn mit OpenLP 2.0.2 oder neuer. Bitte wählen Sie wenigstens einen %s Ordner der importiert werden soll. - + Importing Songs Lieder importieren @@ -7115,7 +7177,7 @@ Bitte wählen Sie die Dateien einzeln aus. Manufacturers Plural - + Hersteller @@ -7127,7 +7189,7 @@ Bitte wählen Sie die Dateien einzeln aus. Models Plural - + Modelle @@ -7193,7 +7255,7 @@ Bitte wählen Sie die Dateien einzeln aus. OpenLP 2 - + OpenLP 2 @@ -7221,174 +7283,184 @@ Bitte wählen Sie die Dateien einzeln aus. Vorschau - + Print Service Ablauf drucken - + Projector Singular Projektor - + Projectors Plural - + Projektoren - + Replace Background Live-Hintergrund ersetzen - + Replace live background. Ersetzen den Live-Hintergrund. - + Reset Background Hintergrund zurücksetzen - + Reset live background. Setze den Live-Hintergrund zurück. - + s The abbreviated unit for seconds s - + Save && Preview Speichern && Vorschau - + Search Suche - + Search Themes... Search bar place holder text Suche Designs... - + You must select an item to delete. Sie müssen ein Element zum Löschen auswählen. - + You must select an item to edit. Sie müssen ein Element zum Bearbeiten auswählen. - + Settings Einstellungen - + Save Service Speicher Ablauf - + Service Ablauf - + Optional &Split Optionale &Teilung - + Split a slide into two only if it does not fit on the screen as one slide. Teile ein Folie dann, wenn sie als Ganzes nicht auf den Bildschirm passt. - + Start %s Start %s - + Stop Play Slides in Loop Halte Endlosschleife an - + Stop Play Slides to End Halte Schleife an - + Theme Singular Design - + Themes Plural Designs - + Tools Extras - + Top oben - + Unsupported File Nicht unterstütztes Dateiformat - + Verse Per Slide Verse pro Folie - + Verse Per Line Verse pro Zeile - + Version Version - + View Ansicht - + View Mode Ansichtsmodus CCLI song number: - + CCLI Lied Nummer: OpenLP 2.2 + OpenLP 2.2 + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. @@ -7430,50 +7502,50 @@ Bitte wählen Sie die Dateien einzeln aus. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Erweiterung Präsentationen</strong><br />Die Erweiterung Präsentationen ermöglicht die Darstellung von Präsentationen, unter Verwendung verschiedener Programme. In einer Auswahlbox kann eines der verfügbaren Programme gewählt werden. - + Presentation name singular Präsentation - + Presentations name plural Präsentationen - + Presentations container title Präsentationen - + Load a new presentation. Lade eine neue Präsentation. - + Delete the selected presentation. Lösche die ausgewählte Präsentation. - + Preview the selected presentation. Zeige die ausgewählte Präsentation in der Vorschau. - + Send the selected presentation live. Zeige die ausgewählte Präsentation Live. - + Add the selected presentation to the service. Füge die ausgewählte Präsentation zum Ablauf hinzu. @@ -7516,17 +7588,17 @@ Bitte wählen Sie die Dateien einzeln aus. Präsentationen (%s) - + Missing Presentation Fehlende Präsentation - + The presentation %s is incomplete, please reload. Die Präsentation %s ist unvollständig, bitte erneut laden. - + The presentation %s no longer exists. Die Präsentation %s existiert nicht mehr. @@ -7534,7 +7606,7 @@ Bitte wählen Sie die Dateien einzeln aus. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. @@ -7542,40 +7614,50 @@ Bitte wählen Sie die Dateien einzeln aus. PresentationPlugin.PresentationTab - + Available Controllers Verwendete Präsentationsprogramme - + %s (unavailable) %s (nicht verfügbar) - + Allow presentation application to be overridden Überschreiben der Präsentationssoftware zulassen - + PDF options PDF-Optionen - + Use given full path for mudraw or ghostscript binary: Geben Sie einen vollständigen Pfad für die mudraw oder ghostscript-Bibliothek an: - + Select mudraw or ghostscript binary. Wählen Sie eine mudraw oder ghostscript-Bibliothek aus. - + The program is not ghostscript or mudraw which is required. Das angegebene Programm ist nicht mudraw oder ghostscript. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7616,127 +7698,127 @@ Bitte wählen Sie die Dateien einzeln aus. RemotePlugin.Mobile - + Service Manager Ablaufverwaltung - + Slide Controller Live-Ansicht - + Alerts Hinweise - + Search Suche - + Home Start - + Refresh Aktualisieren - + Blank Abdunkeln - + Theme Design - + Desktop Desktop - + Show Zeigen - + Prev Vorh. - + Next Vorwärts - + Text Text - + Show Alert Hinweis zeigen - + Go Live Live - + Add to Service Füge zum Ablauf hinzu - + Add &amp; Go to Service Hinzufügen & zum Ablauf gehen - + No Results Kein Suchergebnis - + Options Optionen - + Service Ablauf - + Slides Live-Ansicht - + Settings Einstellungen - + OpenLP 2.2 Remote - + OpenLP 2.2 Stage View - + OpenLP 2.2 Live View @@ -7822,85 +7904,85 @@ Bitte wählen Sie die Dateien einzeln aus. SongUsagePlugin - + &Song Usage Tracking &Protokollierung - + &Delete Tracking Data &Protokoll löschen - + Delete song usage data up to a specified date. Das Protokoll ab einem bestimmten Datum löschen. - + &Extract Tracking Data &Protokoll extrahieren - + Generate a report on song usage. Einen Protokoll-Bericht erstellen. - + Toggle Tracking Aktiviere Protokollierung - + Toggle the tracking of song usage. Setzt die Protokollierung aus. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Erweiterung Liedprotokollierung</strong><br />Diese Erweiterung zählt die Verwendung von Liedern in Veranstaltungen. - + SongUsage name singular Liedprotokollierung - + SongUsage name plural Liedprotokollierung - + SongUsage container title Liedprotokollierung - + Song Usage Liedprotokollierung - + Song usage tracking is active. Liedprotokollierung ist aktiv. - + Song usage tracking is inactive. Liedprotokollierung ist nicht aktiv. - + display Bildschirm - + printed gedruckt @@ -7963,22 +8045,22 @@ Alle Daten, die vor diesem Datum aufgezeichnet wurden, werden permanent gelösch Zielverzeichnis für die Statistiken - + Output File Location Zielverzeichnis - + usage_detail_%s_%s.txt Aufrufprotokoll_%s_%s.txt - + Report Creation Statistik Erstellung - + Report %s has been successfully created. @@ -7987,47 +8069,57 @@ has been successfully created. wurde erfolgreich erstellt. - + Output Path Not Selected Kein Zielverzeichnis angegeben - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Die haben keinen gültigen Ausgabeort für das Nutzungsprotokoll angegeben. Bitte geben Sie einen gültigen Pfad an. + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + SongsPlugin - + &Song &Lied - + Import songs using the import wizard. Lieder importieren. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Erweiterung Lieder</strong><br />Die Erweiterung Lieder ermöglicht die Darstellung und Verwaltung von Liedtexten. - + &Re-index Songs Liederverzeichnis &reindizieren - + Re-index the songs database to improve searching and ordering. Das reindizieren der Liederdatenbank kann die Suchergebnisse verbessern. - + Reindexing songs... Reindiziere die Liederdatenbank... @@ -8124,80 +8216,80 @@ The encoding is responsible for the correct character representation. Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich. - + Song name singular Lied - + Songs name plural Lieder - + Songs container title Lieder - + Exports songs using the export wizard. Exportiert Lieder mit dem Exportassistenten. - + Add a new song. Erstelle eine neues Lied. - + Edit the selected song. Bearbeite das ausgewählte Lied. - + Delete the selected song. Lösche das ausgewählte Lied. - + Preview the selected song. Zeige das ausgewählte Lied in der Vorschau. - + Send the selected song live. Zeige das ausgewählte Lied Live. - + Add the selected song to the service. Füge das ausgewählte Lied zum Ablauf hinzu. - + Reindexing songs Neuindizierung der Lieder - + CCLI SongSelect CCLI-Songselect - + Import songs from CCLI's SongSelect service. Lieder von CCLI-Songselect importieren. - + Find &Duplicate Songs &Doppelte Lieder finden - + Find and remove duplicate songs in the song database. Doppelte Lieder finden und löschen. @@ -8669,7 +8761,7 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. Sie müssen ein Verzeichnis angeben. - + Select Destination Folder Zielverzeichnis wählen @@ -8888,7 +8980,7 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe ProPresenter 4 Song Files - + ProPresenter 4 Lied Dateien @@ -9077,15 +9169,20 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe SongsPlugin.SongExportForm - + Your song export failed. Der Liedexport schlug fehl. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Export beendet. Diese Dateien können mit dem <strong>OpenLyrics</strong> Importer wieder importiert werden. + + + Your song export failed because this error occurred: %s + + SongsPlugin.SongImport @@ -9228,12 +9325,12 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe CCLI SongSelect Importer - + CCLI SongSelect Importassistent <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + <strong>Achtung:</strong>Um Lieder vom CCLI SongSelect zu importieren wird eine Internet Verbindung benötigt. @@ -9248,17 +9345,17 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe Save username and password - + Benutzername und Passwort speichern Login - + Anmeldung Search Text: - + Suchtext: @@ -9266,14 +9363,14 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe Suche - + Found %s song(s) - + %s Lied(er) gefunden Logout - + Abmeldung @@ -9288,7 +9385,7 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe Author(s): - + Autor(en) @@ -9298,7 +9395,7 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe CCLI Number: - + CCLI Nummer: @@ -9318,57 +9415,59 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe More than 1000 results - + Mehr als 1000 Ergebnisse Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. - + Die Suche hat mehr als 1000 Ergebnisse ergeben und wurde gestoppt. +Bitte die Suche verändern um bessere Ergebnisse zu bekommen. Logging out... - + Abmeldung ... - + Save Username and Password - + Benutzername und Passwort speichern - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + WARNUNG: Die Speicherung von Benutzername und Passwort ist UNSICHER, da das Passwort im Klartext abgespeichert wird. +Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NEIN" um nicht zu speichern. - + Error Logging In - + There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported + Lied importiert + + + + Incomplete song + Lied unvollständig + + + + This song is missing some information, like the lyrics, and cannot be imported. - - Your song has been imported, would you like to exit now, or import more songs? - - - - - Import More Songs - - - - - Exit Now - + + Your song has been imported, would you like to import more songs? + Das Lied wurde importiert. Sollen weitere Lieder importiert werden? @@ -9391,12 +9490,12 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe Update service from song edit - Lieder im Ablauf nach Bearbeitung aktualisieren + Lieder im Ablauf nach Bearbeitung Datenbank aktualisieren Import missing songs from service files - Lieder aus Abläufen in die Datenbank importieren + Neue Lieder aus Ablauf in die Datenbank importieren diff --git a/resources/i18n/el.ts b/resources/i18n/el.ts index fb54c2f04..6eacd20dd 100644 --- a/resources/i18n/el.ts +++ b/resources/i18n/el.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Ειδοποίηση - + Show an alert message. Εμφάνιση ενός μηνύματος ειδοποίησης. - + Alert name singular Ειδοποίηση - + Alerts name plural Ειδοποιήσεις - + Alerts container title Ειδοποιήσεις - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. @@ -153,85 +153,85 @@ Please type in some text before clicking New. BiblesPlugin - + &Bible &Βίβλος - + Bible name singular Βίβλος - + Bibles name plural Βίβλοι - + Bibles container title Βίβλοι - + No Book Found Δεν βρέθηκε κανένα βιβλίο - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Δεν βρέθηκε βιβλίο που να ταιριάζει στην Βίβλο αυτή. Ελέγξτε την ορθογραφία του βιβλίου. - + Import a Bible. Εισαγωγή μιας Βίβλου. - + Add a new Bible. Προσθήκη νέας Βίβλου. - + Edit the selected Bible. Επεξεργασία επιλεγμένης Βίβλου. - + Delete the selected Bible. Διαγραφή της επιλεγμένης Βίβλου. - + Preview the selected Bible. Προεπισκόπηση επιλεγμένης Βίβλου. - + Send the selected Bible live. Προβολή της επιλεγμένης Βίβλου. - + Add the selected Bible to the service. Προσθήκη της επιλεγμένης Βίβλου προς χρήση. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Πρόσθετο Βίβλων</strong><br />Το πρόσθετο Βίβλων παρέχει την δυνατότητα να εμφανίζονται εδάφια Βίβλων από διαφορετικές πηγές κατά την λειτουργία. - + &Upgrade older Bibles &Αναβάθμιση παλαιότερων Βίβλων - + Upgrade the Bible databases to the latest format. Αναβάθμιση της βάσης δεδομένων Βίβλων στην τελευταία μορφή. @@ -695,7 +695,7 @@ Please type in some text before clicking New. to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - έως + έως @@ -766,39 +766,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Σφάλμα Αναφοράς Βίβλου - + Web Bible cannot be used Η Βίβλος Web δεν μπορεί να χρησιμοποιηθεί - + Text Search is not available with Web Bibles. Η Αναζήτηση Κειμένου δεν είναι διαθέσιμη με Βίβλους Web. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Δεν δώσατε λέξη προς αναζήτηση. Μπορείτε να διαχωρίσετε διαφορετικές λέξεις με κενό για να αναζητήσετε για όλες τις λέξεις και μπορείτε να τις διαχωρίσετε με κόμμα για να αναζητήσετε για μια από αυτές. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Δεν υπάρχουν εγκατεστημένες Βίβλοι. Χρησιμοποιήστε τον Οδηγό Εισαγωγής για να εγκαταστήσετε μία η περισσότερες Βίβλους. - + No Bibles Available Βίβλοι Μη Διαθέσιμοι - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -988,12 +988,12 @@ search results and on display: BiblesPlugin.CSVBible - + Importing books... %s Εισαγωγή βιβλίων... %s - + Importing verses... done. Εισαγωγή εδαφίων... ολοκληρώθηκε. @@ -1071,38 +1071,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Εγγραφή Βίβλου και φόρτωμα βιβλίων... - + Registering Language... Εγγραφή Γλώσσας... - + Importing %s... Importing <book name>... Εισαγωγή %s... - + Download Error Σφάλμα Λήψης - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Υπήρξε ένα πρόβλημα κατά την λήψη των επιλεγμένων εδαφίων. Παρακαλούμε ελέγξτε την σύνδεση στο Internet και αν αυτό το σφάλμα επανεμφανιστεί παρακαλούμε σκεφτείτε να κάνετε αναφορά σφάλματος. - + Parse Error Σφάλμα Ανάλυσης - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Υπήρξε πρόβλημα κατά την εξαγωγή των επιλεγμένων εδαφίων σας. Αν αυτό το σφάλμα επανεμφανιστεί σκεφτείτε να κάνετε μια αναφορά σφάλματος. @@ -1110,165 +1110,185 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Οδηγός Εισαγωγής Βίβλου - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Ο οδηγός αυτός θα σας βοηθήσει στην εισαγωγή Βίβλων από μια ποικιλία τύπων. Κάντε κλικ στο πλήκτρο επόμενο παρακάτω για να ξεκινήσετε την διαδικασία επιλέγοντας έναν τύπο αρχείου προς εισαγωγή. - + Web Download Λήψη μέσω Web - + Location: Τοποθεσία: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Βίβλος: - + Download Options Επιλογές Λήψης - + Server: Εξυπηρετητής: - + Username: Όνομα Χρήστη: - + Password: Κωδικός: - + Proxy Server (Optional) Εξυπηρετητής Proxy (Προαιρετικό) - + License Details Λεπτομέρειες Άδειας - + Set up the Bible's license details. Ρυθμίστε τις λεπτομέρειες άδειας της Βίβλου. - + Version name: Όνομα έκδοσης: - + Copyright: Πνευματικά Δικαιώματα: - + Please wait while your Bible is imported. Παρακαλούμε περιμένετε όσο η Βίβλος σας εισάγεται. - + You need to specify a file with books of the Bible to use in the import. Πρέπει να καθορίσετε ένα αρχείο με βιβλία της Βίβλου για να χρησιμοποιήσετε για εισαγωγή. - + You need to specify a file of Bible verses to import. Πρέπει να καθορίσετε ένα αρχείο εδαφίων της Βίβλου προς εισαγωγή. - + You need to specify a version name for your Bible. Πρέπει να καθορίσετε όνομα έκδοσης για την Βίβλο σας. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Πρέπει να θέσετε πνευματικά δικαιώματα για την Βίβλο σας. Οι Βίβλοι στο Δημόσιο Domain πρέπει να σημειώνονται ως δημόσιες. - + Bible Exists Υπάρχουσα Βίβλος - + This Bible already exists. Please import a different Bible or first delete the existing one. Αυτή η Βίβλος υπάρχει ήδη. Παρακαλούμε εισάγετε μια διαφορετική Βίβλο ή πρώτα διαγράψτε την ήδη υπάρχουσα. - + Your Bible import failed. Η εισαγωγή της Βίβλου σας απέτυχε. - + CSV File Αρχείο CSV - + Bibleserver Εξυπηρετητής Βίβλου - + Permissions: Άδειες: - + Bible file: Αρχείο Βίβλου: - + Books file: Αρχείο Βιβλίων: - + Verses file: Αρχείο εδαφίων: - + Registering Bible... Καταχώρηση Βίβλου... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + BiblesPlugin.LanguageDialog @@ -1406,13 +1426,26 @@ You will need to re-import this Bible to use it again. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... + + + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.UpgradeWizardForm @@ -1567,73 +1600,81 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + CustomPlugin - + Custom Slide name singular Εξατομικευμένη Διαφάνεια - + Custom Slides name plural Εξατομικευμένες Διαφάνειες - + Custom Slides container title Εξατομικευμένες Διαφάνειες - + Load a new custom slide. Φόρτωση νέας εξατομικευμένης διαφάνειας. - + Import a custom slide. Εισαγωγή εξατομικευμένης διαφάνειας. - + Add a new custom slide. Προσθήκη νέας εξατομικευμένης διαφάνειας. - + Edit the selected custom slide. Επεξεργασία της επιλεγμένης εξατομικευμένης διαφάνειας. - + Delete the selected custom slide. Διαγραφή της επιλεγμένης εξατομικευμένης διαφάνειας. - + Preview the selected custom slide. Προεπισκόπηση της επιλεγμένης εξατομικευμένης διαφάνειας. - + Send the selected custom slide live. Προβολή της επιλεγμένης εξατομικευμένης διαφάνειας. - + Add the selected custom slide to the service. Προσθήκη της επιλεγμένης εξατομικευμένης διαφάνειας σε λειτουργία. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. @@ -1730,7 +1771,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1741,60 +1782,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Πρόσθετο Εικόνας</strong><br />Το πρόσθετο εικόνας παρέχει την προβολή εικόνων.<br />Ένα από τα εξέχοντα χαρακτηριστικά αυτού του πρόσθετου είναι η δυνατότητα να ομαδοποιήσετε πολλές εικόνες μαζί στον διαχειριστή λειτουργίας, κάνοντας την εμφάνιση πολλών εικόνων ευκολότερη. Επίσης μπορεί να κάνει χρήση του χαρακτηριστικού "προγραμματισμένη επανάληψη" για την δημιουργία παρουσίασης διαφανειών που τρέχει αυτόματα. Επιπρόσθετα εικόνες του πρόσθετου μπορούν να χρησιμοποιηθούν για παράκαμψη του φόντου του τρέχοντος θέματος, το οποίο αποδίδει αντικείμενα κειμένου όπως τα τραγούδια με την επιλεγμένη εικόνα ως φόντο αντί του φόντου που παρέχεται από το θέμα. - + Image name singular Εικόνα - + Images name plural Εικόνες - + Images container title Εικόνες - + Load a new image. Φόρτωση νέας εικόνας. - + Add a new image. Προσθήκη νέας εικόνας. - + Edit the selected image. Επεξεργασία επιλεγμένης εικόνας. - + Delete the selected image. Διαγραφή επιλεγμένης εικόνας. - + Preview the selected image. Προεπισκόπηση επιλεγμένης εικόνας. - + Send the selected image live. Προβολή της επιλεγμένης εικόνας. - + Add the selected image to the service. Προβολή της επιλεγμένης εικόνας σε λειτουργία. @@ -1822,12 +1863,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - + Could not add the new group. - + This group already exists. @@ -1876,34 +1917,34 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Επιλογή Εικόνας(-ων) - + You must select an image to replace the background with. Πρέπει να επιλέξετε μια εικόνα με την οποία θα αντικαταστήσετε το φόντο. - + Missing Image(s) Απούσες Εικόνες - + The following image(s) no longer exist: %s Οι ακόλουθες εικόνες δεν υπάρχουν πια: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Οι ακόλουθες εικόνες δεν υπάρχουν πια: %s Θέλετε να προσθέσετε τις άλλες εικόνες οπωσδήποτε; - + There was a problem replacing your background, the image file "%s" no longer exists. Υπήρξε πρόβλημα κατά την αντικατάσταση του φόντου, το αρχείο εικόνας "%s" δεν υπάρχει πια. - + There was no display item to amend. Δεν υπήρξε αντικείμενο προς προβολή για διόρθωση. @@ -1913,17 +1954,17 @@ Do you want to add the other images anyway? - + You must select an image or group to delete. - + Remove group - + Are you sure you want to remove "%s" and everything in it? @@ -1944,22 +1985,22 @@ Do you want to add the other images anyway? - + Audio - + Video - + VLC is an external player which supports a number of different formats. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. @@ -1967,60 +2008,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Πρόσθετο Πολυμέσων</strong><br />Το πρόσθετο πολυμέσων παρέχει την αναπαραγωγή ήχου και βίντεο. - + Media name singular Πολυμέσα - + Media name plural Πολυμέσα - + Media container title Πολυμέσα - + Load new media. Φόρτωση νέων πολυμέσων. - + Add new media. Προσθήκη νέων πολυμέσων. - + Edit the selected media. Επεξεργασία επιλεγμένων πολυμέσων. - + Delete the selected media. Διαγραφή επιλεγμένων πολυμέσων. - + Preview the selected media. Προεπισκόπηση επιλεγμένων πολυμέσων. - + Send the selected media live. Προβολή επιλεγμένων πολυμέσων. - + Add the selected media to the service. Προσθήκη επιλεγμένων πολυμέσων σε λειτουργία. @@ -2189,37 +2230,37 @@ Do you want to add the other images anyway? Επιλογή πολυμέσων - + You must select a media file to delete. Πρέπει να επιλέξετε ένα αρχείο πολυμέσων για διαγραφή. - + You must select a media file to replace the background with. Πρέπει να επιλέξετε ένα αρχείο πολυμέσων με το οποίο θα αντικαταστήσετε το φόντο. - + There was a problem replacing your background, the media file "%s" no longer exists. Υπήρξε πρόβλημα κατά την αντικατάσταση του φόντου, τα αρχεία πολυμέσων "%s" δεν υπάρχουν πια. - + Missing Media File Απόντα Αρχεία Πολυμέσων - + The file %s no longer exists. Το αρχείο %s δεν υπάρχει πια. - + Videos (%s);;Audio (%s);;%s (*) Βίντεο (%s);;Ήχος (%s);;%s (*) - + There was no display item to amend. Δεν υπήρξε αντικείμενο προς προβολή για διόρθωση. @@ -2229,7 +2270,7 @@ Do you want to add the other images anyway? Μη υποστηριζόμενο Αρχείο - + Use Player: Χρήση Προγράμματος Αναπαραγωγής: @@ -2244,27 +2285,27 @@ Do you want to add the other images anyway? - + Load CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled - + The optical disc %s is no longer available. - + Mediaclip already saved - + This mediaclip has already been saved @@ -2293,17 +2334,17 @@ Do you want to add the other images anyway? OpenLP - + Image Files Αρχεία Εικόνων - + Information Πληροφορίες - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3187,7 +3228,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename Μετονομασία Αρχείου @@ -3197,7 +3238,7 @@ Version: %s Νέο Όνομα Αρχείου: - + File Copy Αντιγραφή Αρχείου @@ -3223,167 +3264,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Ύμνοι - + First Time Wizard Οδηγός Πρώτης Εκτέλεσης - + Welcome to the First Time Wizard Καλώς ορίσατε στον Οδηγό Πρώτης Εκτέλεσης - + Activate required Plugins Ενεργοποίηση απαιτούμενων Πρόσθετων - + Select the Plugins you wish to use. Επιλέξτε τα Πρόσθετα που θέλετε να χρησιμοποιήσετε. - + Bible Βίβλος - + Images Εικόνες - + Presentations Παρουσιάσεις - + Media (Audio and Video) Πολυμέσα (Ήχος και Βίντεο) - + Allow remote access Επιτρέψτε απομακρυσμένη πρόσβαση - + Monitor Song Usage Επίβλεψη Χρήσης Τραγουδιών - + Allow Alerts Επιτρέψτε τις Ειδοποιήσεις - + Default Settings Προκαθορισμένες Ρυθμίσεις - + Downloading %s... Λήψη %s... - + Enabling selected plugins... Ενεργοποίηση των επιλεγμένων Πρόσθετων... - + No Internet Connection Καμία Σύνδεση Διαδικτύου - + Unable to detect an Internet connection. Δεν μπορεί να ανιχνευθεί σύνδεση στο διαδίκτυο. - + Sample Songs Δείγματα Τραγουδιών - + Select and download public domain songs. Επιλογή και λήψη τραγουδιών του δημόσιου πεδίου. - + Sample Bibles Δείγματα Βίβλων - + Select and download free Bibles. Επιλογή και λήψη δωρεάν Βίβλων. - + Sample Themes Δείγματα Θεμάτων - + Select and download sample themes. Επιλογή και λήψη δειγμάτων θεμάτων. - + Set up default settings to be used by OpenLP. Θέστε τις προκαθορισμένες ρυθμίσεις για χρήση από το OpenLP. - + Default output display: Προκαθορισμένη έξοδος προβολής: - + Select default theme: Επιλογή προκαθορισμένου θέματος: - + Starting configuration process... Εκκίνηση διαδικασίας διαμόρφωσης... - + Setting Up And Downloading Διαμόρφωση Και Λήψη - + Please wait while OpenLP is set up and your data is downloaded. Περιμένετε όσο το OpenLP διαμορφώνεται και γίνεται λήψη των δεδομένων σας. - + Setting Up Διαμόρφωση - + Custom Slides Εξατομικευμένες Διαφάνειες - + Finish Τέλος - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3392,87 +3433,97 @@ To re-run the First Time Wizard and import this sample data at a later time, che Για επανεκτέλεση του Οδηγού Πρώτης Εκτέλεσης και εισαγωγή των δειγμάτων δεδομένων σε ύστερη στιγμή, ελέγξτε την σύνδεσή σας στο διαδίκτυο και ξανατρέξτε αυτόν τον οδηγό επιλέγοντας "Εργαλεία/ Επανεκτέλεση Οδηγού Πρώτης Εκτέλεσης" από το OpenLP. - + Download Error Σφάλμα Λήψης - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. - + Download complete. Click the %s button to start OpenLP. - + Click the %s button to return to OpenLP. - + Click the %s button to start OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + Downloading Resource Index - + Please wait while the resource index is downloaded. - + Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring - + Please wait while resources are downloaded and OpenLP is configured. - + Network Error - + There was a network error attempting to connect to retrieve initial configuration information + + + Cancel + Ακύρωση + + + + Unable to download some files + + OpenLP.FormattingTagDialog @@ -3544,6 +3595,16 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + OpenLP.FormattingTags @@ -3802,7 +3863,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Προβολή του OpenLP @@ -4109,7 +4170,7 @@ You can download the latest version from http://openlp.org/. Η Κύρια Οθόνη εκκενώθηκε - + Default Theme: %s Προκαθορισμένο Θέμα: %s @@ -4125,12 +4186,12 @@ You can download the latest version from http://openlp.org/. Ρύθμιση &Συντομεύσεων... - + Close OpenLP Κλείσιμο του OpenLP - + Are you sure you want to close OpenLP? Είστε σίγουροι ότι θέλετε να κλείσετε το OpenLP; @@ -4204,13 +4265,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Η επαντεκτέλεσή του μπορεί να επιφέρει αλλαγές στις τρέχουσες ρυθμίσεις του OpenLP και πιθανότατα να προσθέσει ύμνους στην υπάρχουσα λίστα ύμνων σας και να αλλάξει το προκαθορισμένο θέμα σας. - + Clear List Clear List of recent files Εκκαθάριση Λίστας - + Clear the list of recent files. Εκκαθάριση της λίστας πρόσφατων αρχείων. @@ -4270,17 +4331,17 @@ Re-running this wizard may make changes to your current OpenLP configuration and Εξαγωγή Αρχείων Ρυθμίσεων του OpenLP (*.conf) - + New Data Directory Error Σφάλμα Νέου Φακέλου Δεδομένων - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Αντιγραφή των δεδομένων του OpenLP στην νέα τοποθεσία του φακέλου δεδομένων - %s - Παρακαλούμε περιμένετε να τελειώσει η αντιγραφή - + OpenLP Data directory copy failed %s @@ -4335,7 +4396,7 @@ Processing has terminated and no changes have been made. - + Export setting error @@ -4344,16 +4405,21 @@ Processing has terminated and no changes have been made. The key "%s" does not have a default value so it will be skipped in this export. + + + An error occurred while exporting the settings: %s + + OpenLP.Manager - + Database Error Σφάλμα Βάσης Δεδομένων - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4362,7 +4428,7 @@ Database: %s Βάση Δεδομένων: %s - + OpenLP cannot load your database. Database: %s @@ -4441,7 +4507,7 @@ Suffix not supported &Αντιγραφή - + Duplicate files were found on import and were ignored. Κατά την εισαγωγή των αρχείων βρέθηκαν διπλά αρχεία που αγνοήθηκαν. @@ -4826,11 +4892,6 @@ Suffix not supported The proxy address set with setProxy() was not found - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - - An unidentified error occurred @@ -4901,6 +4962,11 @@ Suffix not supported Received data + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + OpenLP.ProjectorEdit @@ -5447,22 +5513,22 @@ Suffix not supported &Αλλαγή Θέματος Αντικειμένου - + File is not a valid service. Το αρχείο δεν είναι αρχείο κατάλληλης λειτουργίας. - + Missing Display Handler Απουσία Διαχειριστή Προβολής - + Your item cannot be displayed as there is no handler to display it Το αντικείμενό σας δεν μπορεί να προβληθεί αφού δεν υπάρχει διαχειριστής για να το προβάλλει - + Your item cannot be displayed as the plugin required to display it is missing or inactive Το αντικείμενό σας δεν μπορεί να προβληθεί αφού το πρόσθετο που απαιτείται για την προβολή απουσιάζει ή είναι ανενεργό @@ -5542,12 +5608,12 @@ Suffix not supported Εξατομικευμένες Σημειώσεις Λειτουργίας: - + Notes: Σημειώσεις: - + Playing time: Χρόνος Αναπαραγωγής: @@ -5557,22 +5623,22 @@ Suffix not supported Ανώνυμη Λειτουργία - + File could not be opened because it is corrupt. Το αρχείο δεν ανοίχθηκε επειδή είναι φθαρμένο. - + Empty File Κενό Αρχείο - + This service file does not contain any data. Ετούτο το αρχείο λειτουργίας δεν περιέχει δεδομένα. - + Corrupt File Φθαρμένο Αρχείο @@ -5592,32 +5658,32 @@ Suffix not supported Επιλέξτε ένα θέμα για την λειτουργία. - + Slide theme Θέμα διαφάνειας - + Notes Σημειώσεις - + Edit Επεξεργασία - + Service copy only Επεξεργασία αντιγράφου μόνο - + Error Saving File Σφάλμα Αποθήκευσης Αρχείου - + There was an error saving your file. Υπήρξε σφάλμα κατά την αποθήκευση του αρχείου σας. @@ -5626,17 +5692,6 @@ Suffix not supported Service File(s) Missing Απουσία Αρχείου Λειτουργίας - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - Τα ακόλουθα αρχεία στην λειτουργία λείπουν: -<byte value="x9"/>%s - -Τα αρχεία αυτά θα αφαιρεθούν αν συνεχίσετε την αποθήκευση. - &Rename... @@ -5663,7 +5718,7 @@ These files will be removed if you continue to save. - + &Delay between slides @@ -5673,62 +5728,74 @@ These files will be removed if you continue to save. - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + OpenLP Service Files (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + This file is either corrupt or it is not an OpenLP 2 service file. - + &Auto Start - inactive - + &Auto Start - active - + Input delay - + Delay between slides in seconds. Καθυστέρηση μεταξύ διαφανειών σε δευτερόλεπτα. - + Rename item title - + Title: Τίτλος: + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + OpenLP.ServiceNoteForm @@ -5990,12 +6057,12 @@ These files will be removed if you continue to save. OpenLP.SourceSelectForm - + Select Projector Source - + Edit Projector Source Text @@ -6020,18 +6087,13 @@ These files will be removed if you continue to save. - + Delete entries for this projector - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? + + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6195,7 +6257,7 @@ These files will be removed if you continue to save. Ορισμός Ως &Γενικής Προεπιλογής - + %s (default) %s (προκαθορισμένο) @@ -6205,52 +6267,47 @@ These files will be removed if you continue to save. Πρέπει να επιλέξετε ένα θέμα προς επεξεργασία. - + You are unable to delete the default theme. Δεν μπορείτε να διαγράψετε το προκαθορισμένο θέμα. - + Theme %s is used in the %s plugin. Το Θέμα %s χρησιμοποιείται στο πρόσθετο %s. - + You have not selected a theme. Δεν έχετε επιλέξει θέμα. - + Save Theme - (%s) Αποθήκευση Θέματος - (%s) - + Theme Exported Θέμα Εξήχθη - + Your theme has been successfully exported. Το θέμα σας εξήχθη επιτυχώς. - + Theme Export Failed Εξαγωγή Θέματος Απέτυχε - - Your theme could not be exported due to an error. - Το θέμα σας δεν εξήχθη λόγω σφάλματος. - - - + Select Theme Import File Επιλέξτε Αρχείο Εισαγωγής Θέματος - + File is not a valid theme. Το αρχείο δεν αποτελεί έγκυρο θέμα. @@ -6300,20 +6357,15 @@ These files will be removed if you continue to save. Διαγραφή θέματος %s; - + Validation Error Σφάλμα Ελέγχου - + A theme with this name already exists. Υπάρχει ήδη θέμα με αυτό το όνομα. - - - OpenLP Themes (*.theme *.otz) - Θέματα OpenLP (*.theme *.otz) - Copy of %s @@ -6321,15 +6373,25 @@ These files will be removed if you continue to save. Αντιγραφή του %s - + Theme Already Exists Ήδη Υπαρκτό Θέμα - + Theme %s already exists. Do you want to replace it? Το Θέμα %s υπάρχει ήδη. Θέλετε να το αντικαταστήσετε; + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + OpenLP.ThemeWizard @@ -6765,7 +6827,7 @@ These files will be removed if you continue to save. Έτοιμο. - + Starting import... Έναρξη εισαγωγής... @@ -6776,7 +6838,7 @@ These files will be removed if you continue to save. Πρέπει να καθορίσετε τουλάχιστον ένα %s αρχείο από το οποίο να γίνει εισαγωγή. - + Welcome to the Bible Import Wizard Καλωσορίσατε στον Οδηγό Εισαγωγής Βίβλου @@ -6870,7 +6932,7 @@ These files will be removed if you continue to save. Πρέπει να καθορίσετε έναν %s φάκελο από τον οποίο θα γίνει εισαγωγή. - + Importing Songs Εισαγωγή Ύμνων @@ -7213,163 +7275,163 @@ Please try selecting it individually. Προεπισκόπηση - + Print Service Εκτύπωση Λειτουργίας - + Projector Singular - + Projectors Plural - + Replace Background Αντικατάσταση Φόντου - + Replace live background. Αντικατάσταση του προβαλλόμενου φόντου. - + Reset Background Επαναφορά Φόντου - + Reset live background. Επαναφορά προβαλλόμενου φόντου. - + s The abbreviated unit for seconds δ - + Save && Preview Αποθήκευση && Προεπισκόπηση - + Search Αναζήτηση - + Search Themes... Search bar place holder text Αναζήτηση Θεμάτων... - + You must select an item to delete. Πρέπει να επιλέξετε ένα αντικείμενο προς διαγραφή. - + You must select an item to edit. Πρέπει να επιλέξετε ένα αντικείμενο για επεξεργασία. - + Settings Ρυθμίσεις - + Save Service Αποθήκευση Λειτουργίας - + Service Λειτουργία - + Optional &Split Προαιρετικός &Διαχωρισμός - + Split a slide into two only if it does not fit on the screen as one slide. Διαίρεση μιας διαφάνειας σε δύο μόνο αν δεν χωρά στην οθόνη ως μια διαφάνεια. - + Start %s Έναρξη %s - + Stop Play Slides in Loop Τερματισμός Κυκλικής Αναπαραγωγής Διαφανειών - + Stop Play Slides to End Τερματισμός Αναπαραγωγής Διαφανειών έως Τέλους - + Theme Singular Θέμα - + Themes Plural Θέματα - + Tools Εργαλεία - + Top Κορυφή - + Unsupported File Μη υποστηριζόμενο Αρχείο - + Verse Per Slide Εδάφιο Ανά Διαφάνεια - + Verse Per Line Εδάφιο Ανά Γραμμή - + Version Έκδοση - + View Προβολή - + View Mode Λειτουργία Προβολής @@ -7383,6 +7445,16 @@ Please try selecting it individually. OpenLP 2.2 + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7422,50 +7494,50 @@ Please try selecting it individually. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Πρόσθετο Παρουσιάσεων</strong><br />Το πρόσθετο παρουσιάσεων παρέχει την δυνατότητα να εμφανίζονται παρουσιάσεις με χρήση μιας σειράς διαφορετικών προγραμμάτων. Η επιλογή από τα διαθέσιμα προγράμματα είναι δυνατή στον χρήστη μέσω σχετικής λίστας. - + Presentation name singular Παρουσίαση - + Presentations name plural Παρουσιάσεις - + Presentations container title Παρουσιάσεις - + Load a new presentation. Φόρτωση νέας παρουσίασης. - + Delete the selected presentation. Διαγραφή επιλεγμένης παρουσίασης. - + Preview the selected presentation. Προεπισκόπηση επιλεγμένης παρουσίασης. - + Send the selected presentation live. Προβολή της επιλεγμένης παρουσίασης. - + Add the selected presentation to the service. Πρόσθεση της επιλεγμένης παρουσίασης στην λειτουργία. @@ -7508,17 +7580,17 @@ Please try selecting it individually. Παρουσιάσεις (%s) - + Missing Presentation Απούσα Παρουσίαση - + The presentation %s is incomplete, please reload. Η παρουσίαση %s είναι ατελής, παρακαλούμε φορτώστε την ξανά. - + The presentation %s no longer exists. Η παρουσίαση %s δεν υπάρχει πλέον. @@ -7526,7 +7598,7 @@ Please try selecting it individually. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. @@ -7534,40 +7606,50 @@ Please try selecting it individually. PresentationPlugin.PresentationTab - + Available Controllers Διαθέσιμοι Ελεγκτές - + %s (unavailable) %s (μη διαθέσιμο) - + Allow presentation application to be overridden Επιτρέψτε την παράκαμψη του προγράμματος παρουσίασης - + PDF options - + Use given full path for mudraw or ghostscript binary: - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7608,127 +7690,127 @@ Please try selecting it individually. RemotePlugin.Mobile - + Service Manager Διαχειριστής Λειτουργίας - + Slide Controller Ελεγκτής Διαφανειών - + Alerts Ειδοποιήσεις - + Search Αναζήτηση - + Home Αρχική Σελίδα - + Refresh Ανανέωση - + Blank Κενό - + Theme Θέμα - + Desktop Επιφάνεια Εργασίας - + Show Προβολή - + Prev Προήγ - + Next Επόμενο - + Text Κείμενο - + Show Alert Εμφάνιση Ειδοποίησης - + Go Live Μετάβαση σε Προβολή - + Add to Service Προσθήκη στην Λειτουργία - + Add &amp; Go to Service Προσθήκη &amp; Μετάβαση στην Λειτουργία - + No Results Κανένα Αποτέλεσμα - + Options Επιλογές - + Service Λειτουργία - + Slides Διαφάνειες - + Settings Ρυθμίσεις - + OpenLP 2.2 Remote - + OpenLP 2.2 Stage View - + OpenLP 2.2 Live View @@ -7814,85 +7896,85 @@ Please try selecting it individually. SongUsagePlugin - + &Song Usage Tracking &Παρακολούθηση Χρήσης Ύμνων - + &Delete Tracking Data &Διαγραφή Δεδομένων Παρακολούθησης - + Delete song usage data up to a specified date. Διαγραφή των δεδομένων χρήσης έως μια καθορισμένη ημερομηνία. - + &Extract Tracking Data &Εξαγωγή Δεδομένων Παρακολούθησης - + Generate a report on song usage. Παραγωγή αναφοράς για την χρήση ύμνων. - + Toggle Tracking Εναλλαγή Παρακολούθησης - + Toggle the tracking of song usage. Εναλλαγή της παρακολούθησης της χρήσης ύμνων. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Πρόσθετο Παρακολούθησης Ύμνων</strong><br />Αυτό το πρόσθετο παρακολουθε'ι την χρήση των ύμνων στις λειτουργίες. - + SongUsage name singular Χρήση Ύμνων - + SongUsage name plural Χρήση Ύμνων - + SongUsage container title Χρήση Ύμνων - + Song Usage Χρήση Ύμνων - + Song usage tracking is active. Η παρακολούθηση της χρήσης Ύμνων είναι ενεργή. - + Song usage tracking is inactive. Η παρακολούθηση της χρήσης Ύμνων είναι ανενεργή. - + display εμφάνιση - + printed εκτυπώθηκε @@ -7954,22 +8036,22 @@ All data recorded before this date will be permanently deleted. Αναφέρατε Τοποθεσία - + Output File Location Τοποθεσία Εξαγωγής Αρχείου - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Δημιουργία Αναφοράς - + Report %s has been successfully created. @@ -7978,46 +8060,56 @@ has been successfully created. έχει δημιουργηθεί επιτυχώς. - + Output Path Not Selected Δεν Επιλέχθηκε Τοποθεσία Εξαγωγής - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + SongsPlugin - + &Song &Ύμνος - + Import songs using the import wizard. Εισαγωγή ύμνων με χρηση του οδηγού εισαγωγής. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Προσθετο Ύμνων</strong><br />Το προσθετο ύμνων παρέχει την δυνατότητα προβολής και διαχείρισης ύμνων. - + &Re-index Songs &Ανακατανομή Ύμνων - + Re-index the songs database to improve searching and ordering. Ανακατανομή της βάσης δεδομένων ύμνων για την βελτίωση της αναζήτησης και της κατανομής. - + Reindexing songs... Ανακατομή Ύμνων... @@ -8113,80 +8205,80 @@ The encoding is responsible for the correct character representation. Η κωδικοποιήση ειναι υπεύθυνη για την ορθή εμφάνιση των χαρακτήρων. - + Song name singular Ύμνος - + Songs name plural Ύμνοι - + Songs container title Ύμνοι - + Exports songs using the export wizard. Εξαγωγή ύμνων με χρήση του οδηγού εξαγωγής. - + Add a new song. Προσθήκη νέου ύμνου. - + Edit the selected song. Επεξεργασία του επιλεγμένου ύμνου. - + Delete the selected song. Διαγραφή του επιλεγμένου ύμνου. - + Preview the selected song. Προεπισκόπηση του επιλεγμένου ύμνου. - + Send the selected song live. Μετάβαση του επιελεγμένου ύμνου προς προβολή. - + Add the selected song to the service. Προσθήκη του επιλεγμένου ύμνου στην λειτουργία. - + Reindexing songs Ανακατομή ύμνων - + CCLI SongSelect - + Import songs from CCLI's SongSelect service. - + Find &Duplicate Songs - + Find and remove duplicate songs in the song database. @@ -8655,7 +8747,7 @@ Please enter the verses separated by spaces. Πρέπει να ορίσετε έναν φάκελο. - + Select Destination Folder Επιλογή Φακέλου Προορισμού @@ -9062,15 +9154,20 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. Η εξαγωγή του βιβλίου σας απέτυχε. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Τέλος Εξαγωγής. Για εισαγωγή αυτών των αρχείων χρησιμοποιήστε το <strong>OpenLyrics</strong>. + + + Your song export failed because this error occurred: %s + + SongsPlugin.SongImport @@ -9251,7 +9348,7 @@ Please enter the verses separated by spaces. Αναζήτηση - + Found %s song(s) @@ -9316,43 +9413,43 @@ Please enter the verses separated by spaces. - + Save Username and Password - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + Error Logging In - + There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported - - Your song has been imported, would you like to exit now, or import more songs? + + Incomplete song - - Import More Songs + + This song is missing some information, like the lyrics, and cannot be imported. - - Exit Now + + Your song has been imported, would you like to import more songs? diff --git a/resources/i18n/en.ts b/resources/i18n/en.ts index 105646c84..17f082df9 100644 --- a/resources/i18n/en.ts +++ b/resources/i18n/en.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Alert - + Show an alert message. Show an alert message. - + Alert name singular Alert - + Alerts name plural Alerts - + Alerts container title Alerts - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. @@ -154,85 +154,85 @@ Please type in some text before clicking New. BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Bibles - + Bibles container title Bibles - + No Book Found No Book Found - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. - + Import a Bible. Import a Bible. - + Add a new Bible. Add a new Bible. - + Edit the selected Bible. Edit the selected Bible. - + Delete the selected Bible. Delete the selected Bible. - + Preview the selected Bible. Preview the selected Bible. - + Send the selected Bible live. Send the selected Bible live. - + Add the selected Bible to the service. Add the selected Bible to the service. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. - + &Upgrade older Bibles &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. Upgrade the Bible databases to the latest format. @@ -660,61 +660,61 @@ Please type in some text before clicking New. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + verse verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + verses - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - to + to , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + and end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + end @@ -767,39 +767,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - + Web Bible cannot be used Web Bible cannot be used - + Text Search is not available with Web Bibles. Text Search is not available with Web Bibles. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + No Bibles Available No Bibles Available - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -989,12 +989,12 @@ search results and on display: BiblesPlugin.CSVBible - + Importing books... %s Importing books... %s - + Importing verses... done. Importing verses... done. @@ -1072,38 +1072,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registering Bible and loading books... - + Registering Language... Registering Language... - + Importing %s... Importing <book name>... Importing %s... - + Download Error Download Error - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. - + Parse Error Parse Error - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. @@ -1111,164 +1111,184 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bible Import Wizard - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. - + Web Download Web Download - + Location: Location: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bible: - + Download Options Download Options - + Server: Server: - + Username: Username: - + Password: Password: - + Proxy Server (Optional) Proxy Server (Optional) - + License Details License Details - + Set up the Bible's license details. Set up the Bible's license details. - + Version name: Version name: - + Copyright: Copyright: - + Please wait while your Bible is imported. Please wait while your Bible is imported. - + You need to specify a file with books of the Bible to use in the import. You need to specify a file with books of the Bible to use in the import. - + You need to specify a file of Bible verses to import. You need to specify a file of Bible verses to import. - + You need to specify a version name for your Bible. You need to specify a version name for your Bible. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - + Bible Exists Bible Exists - + This Bible already exists. Please import a different Bible or first delete the existing one. This Bible already exists. Please import a different Bible or first delete the existing one. - + Your Bible import failed. Your Bible import failed. - + CSV File CSV File - + Bibleserver Bibleserver - + Permissions: Permissions: - + Bible file: Bible file: - + Books file: Books file: - + Verses file: Verses file: - + Registering Bible... Registering Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + Click to download bible list + Click to download bible list + + + + Download bible list + Download bible list + + + + Error during download + Error during download + + + + An error occurred while downloading the list of bibles from %s. + An error occurred while downloading the list of bibles from %s. @@ -1407,13 +1427,26 @@ You will need to re-import this Bible to use it again. Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Removing unused tags (this may take a few minutes)... + + + Importing %(bookname)s %(chapter)s... + Importing %(bookname)s %(chapter)s... + BiblesPlugin.UpgradeWizardForm @@ -1568,73 +1601,81 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + Importing %(bookname)s %(chapter)s... + + CustomPlugin - + Custom Slide name singular Custom Slide - + Custom Slides name plural Custom Slides - + Custom Slides container title Custom Slides - + Load a new custom slide. Load a new custom slide. - + Import a custom slide. Import a custom slide. - + Add a new custom slide. Add a new custom slide. - + Edit the selected custom slide. Edit the selected custom slide. - + Delete the selected custom slide. Delete the selected custom slide. - + Preview the selected custom slide. Preview the selected custom slide. - + Send the selected custom slide live. Send the selected custom slide live. - + Add the selected custom slide to the service. Add the selected custom slide to the service. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. @@ -1731,7 +1772,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Are you sure you want to delete the %n selected custom slide(s)? @@ -1742,60 +1783,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. - + Image name singular Image - + Images name plural Images - + Images container title Images - + Load a new image. Load a new image. - + Add a new image. Add a new image. - + Edit the selected image. Edit the selected image. - + Delete the selected image. Delete the selected image. - + Preview the selected image. Preview the selected image. - + Send the selected image live. Send the selected image live. - + Add the selected image to the service. Add the selected image to the service. @@ -1823,12 +1864,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I You need to type in a group name. - + Could not add the new group. Could not add the new group. - + This group already exists. This group already exists. @@ -1877,34 +1918,34 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Select Image(s) - + You must select an image to replace the background with. You must select an image to replace the background with. - + Missing Image(s) Missing Image(s) - + The following image(s) no longer exist: %s The following image(s) no longer exist: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. There was no display item to amend. @@ -1914,17 +1955,17 @@ Do you want to add the other images anyway? -- Top-level group -- - + You must select an image or group to delete. You must select an image or group to delete. - + Remove group Remove group - + Are you sure you want to remove "%s" and everything in it? Are you sure you want to remove "%s" and everything in it? @@ -1945,22 +1986,22 @@ Do you want to add the other images anyway? Phonon is a media player which interacts with the operating system to provide media capabilities. - + Audio Audio - + Video Video - + VLC is an external player which supports a number of different formats. VLC is an external player which supports a number of different formats. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. @@ -1968,60 +2009,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Load new media. - + Add new media. Add new media. - + Edit the selected media. Edit the selected media. - + Delete the selected media. Delete the selected media. - + Preview the selected media. Preview the selected media. - + Send the selected media live. Send the selected media live. - + Add the selected media to the service. Add the selected media to the service. @@ -2190,37 +2231,37 @@ Do you want to add the other images anyway? Select Media - + You must select a media file to delete. You must select a media file to delete. - + You must select a media file to replace the background with. You must select a media file to replace the background with. - + There was a problem replacing your background, the media file "%s" no longer exists. There was a problem replacing your background, the media file "%s" no longer exists. - + Missing Media File Missing Media File - + The file %s no longer exists. The file %s no longer exists. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. There was no display item to amend. @@ -2230,7 +2271,7 @@ Do you want to add the other images anyway? Unsupported File - + Use Player: Use Player: @@ -2245,27 +2286,27 @@ Do you want to add the other images anyway? VLC player required for playback of optical devices - + Load CD/DVD Load CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled Load CD/DVD - only supported when VLC is installed and enabled - + The optical disc %s is no longer available. The optical disc %s is no longer available. - + Mediaclip already saved Mediaclip already saved - + This mediaclip has already been saved This mediaclip has already been saved @@ -2294,17 +2335,17 @@ Do you want to add the other images anyway? OpenLP - + Image Files Image Files - + Information Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3277,7 +3318,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename File Rename @@ -3287,7 +3328,7 @@ Version: %s New File Name: - + File Copy File Copy @@ -3313,167 +3354,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Songs - + First Time Wizard First Time Wizard - + Welcome to the First Time Wizard Welcome to the First Time Wizard - + Activate required Plugins Activate required Plugins - + Select the Plugins you wish to use. Select the Plugins you wish to use. - + Bible Bible - + Images Images - + Presentations Presentations - + Media (Audio and Video) Media (Audio and Video) - + Allow remote access Allow remote access - + Monitor Song Usage Monitor Song Usage - + Allow Alerts Allow Alerts - + Default Settings Default Settings - + Downloading %s... Downloading %s... - + Enabling selected plugins... Enabling selected plugins... - + No Internet Connection No Internet Connection - + Unable to detect an Internet connection. Unable to detect an Internet connection. - + Sample Songs Sample Songs - + Select and download public domain songs. Select and download public domain songs. - + Sample Bibles Sample Bibles - + Select and download free Bibles. Select and download free Bibles. - + Sample Themes Sample Themes - + Select and download sample themes. Select and download sample themes. - + Set up default settings to be used by OpenLP. Set up default settings to be used by OpenLP. - + Default output display: Default output display: - + Select default theme: Select default theme: - + Starting configuration process... Starting configuration process... - + Setting Up And Downloading Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. Please wait while OpenLP is set up and your data is downloaded. - + Setting Up Setting Up - + Custom Slides Custom Slides - + Finish Finish - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3482,47 +3523,47 @@ To re-run the First Time Wizard and import this sample data at a later time, che To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. - + Download Error Download Error - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. Download complete. Click the %s button to return to OpenLP. - + Download complete. Click the %s button to start OpenLP. Download complete. Click the %s button to start OpenLP. - + Click the %s button to return to OpenLP. Click the %s button to return to OpenLP. - + Click the %s button to start OpenLP. Click the %s button to start OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. @@ -3531,39 +3572,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + Downloading Resource Index Downloading Resource Index - + Please wait while the resource index is downloaded. Please wait while the resource index is downloaded. - + Please wait while OpenLP downloads the resource index file... Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring Downloading and Configuring - + Please wait while resources are downloaded and OpenLP is configured. Please wait while resources are downloaded and OpenLP is configured. - + Network Error Network Error - + There was a network error attempting to connect to retrieve initial configuration information - + There was a network error attempting to connect to retrieve initial configuration information + + + + Cancel + Cancel + + + + Unable to download some files + Unable to download some files @@ -3636,6 +3687,16 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. Description %s already defined. + + + Start tag %s is not valid HTML + Start tag %s is not valid HTML + + + + End tag %s does not match end tag for start tag %s + End tag %s does not match end tag for start tag %s + OpenLP.FormattingTags @@ -3894,7 +3955,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -4201,7 +4262,7 @@ You can download the latest version from http://openlp.org/. The Main Display has been blanked out - + Default Theme: %s Default Theme: %s @@ -4217,12 +4278,12 @@ You can download the latest version from http://openlp.org/. Configure &Shortcuts... - + Close OpenLP Close OpenLP - + Are you sure you want to close OpenLP? Are you sure you want to close OpenLP? @@ -4296,13 +4357,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + Clear List Clear List of recent files Clear List - + Clear the list of recent files. Clear the list of recent files. @@ -4362,17 +4423,17 @@ Re-running this wizard may make changes to your current OpenLP configuration and OpenLP Export Settings File (*.conf) - + New Data Directory Error New Data Directory Error - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Copying OpenLP data to new data directory location - %s - Please wait for copy to finish - + OpenLP Data directory copy failed %s @@ -4433,7 +4494,7 @@ Processing has terminated and no changes have been made. Toggle the visibility of the Projector Manager - + Export setting error Export setting error @@ -4442,16 +4503,21 @@ Processing has terminated and no changes have been made. The key "%s" does not have a default value so it will be skipped in this export. The key "%s" does not have a default value so it will be skipped in this export. + + + An error occurred while exporting the settings: %s + An error occurred while exporting the settings: %s + OpenLP.Manager - + Database Error Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4460,7 +4526,7 @@ Database: %s Database: %s - + OpenLP cannot load your database. Database: %s @@ -4539,7 +4605,7 @@ Suffix not supported &Clone - + Duplicate files were found on import and were ignored. Duplicate files were found on import and were ignored. @@ -4924,11 +4990,6 @@ Suffix not supported The proxy address set with setProxy() was not found The proxy address set with setProxy() was not found - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - The connection negotiation with the proxy server because the response from the proxy server could not be understood - An unidentified error occurred @@ -4999,6 +5060,11 @@ Suffix not supported Received data Received data + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + OpenLP.ProjectorEdit @@ -5545,22 +5611,22 @@ Suffix not supported &Change Item Theme - + File is not a valid service. File is not a valid service. - + Missing Display Handler Missing Display Handler - + Your item cannot be displayed as there is no handler to display it Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive Your item cannot be displayed as the plugin required to display it is missing or inactive @@ -5640,12 +5706,12 @@ Suffix not supported Custom Service Notes: - + Notes: Notes: - + Playing time: Playing time: @@ -5655,22 +5721,22 @@ Suffix not supported Untitled Service - + File could not be opened because it is corrupt. File could not be opened because it is corrupt. - + Empty File Empty File - + This service file does not contain any data. This service file does not contain any data. - + Corrupt File Corrupt File @@ -5690,32 +5756,32 @@ Suffix not supported Select a theme for the service. - + Slide theme Slide theme - + Notes Notes - + Edit Edit - + Service copy only Service copy only - + Error Saving File Error Saving File - + There was an error saving your file. There was an error saving your file. @@ -5724,17 +5790,6 @@ Suffix not supported Service File(s) Missing Service File(s) Missing - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - The following file(s) in the service are missing: -<byte value="x9"/>%s - -These files will be removed if you continue to save. - &Rename... @@ -5761,7 +5816,7 @@ These files will be removed if you continue to save. Auto play slides &Once - + &Delay between slides &Delay between slides @@ -5771,64 +5826,78 @@ These files will be removed if you continue to save. OpenLP Service Files (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. File is not a valid service. The content encoding is not UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + This file is either corrupt or it is not an OpenLP 2 service file. This file is either corrupt or it is not an OpenLP 2 service file. - + &Auto Start - inactive &Auto Start - inactive - + &Auto Start - active &Auto Start - active - + Input delay Input delay - + Delay between slides in seconds. Delay between slides in seconds. - + Rename item title Rename item title - + Title: Title: + + + An error occurred while writing the service file: %s + An error occurred while writing the service file: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + OpenLP.ServiceNoteForm @@ -6090,12 +6159,12 @@ These files will be removed if you continue to save. OpenLP.SourceSelectForm - + Select Projector Source Select Projector Source - + Edit Projector Source Text Edit Projector Source Text @@ -6120,19 +6189,14 @@ These files will be removed if you continue to save. Save changes and return to OpenLP - + Delete entries for this projector Delete entries for this projector - - Are you sure you want to delete ALL user-defined - Are you sure you want to delete ALL user-defined - - - - source input text for this projector? - source input text for this projector? + + Are you sure you want to delete ALL user-defined source input text for this projector? + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6295,7 +6359,7 @@ These files will be removed if you continue to save. Set As &Global Default - + %s (default) %s (default) @@ -6305,52 +6369,47 @@ These files will be removed if you continue to save. You must select a theme to edit. - + You are unable to delete the default theme. You are unable to delete the default theme. - + Theme %s is used in the %s plugin. Theme %s is used in the %s plugin. - + You have not selected a theme. You have not selected a theme. - + Save Theme - (%s) Save Theme - (%s) - + Theme Exported Theme Exported - + Your theme has been successfully exported. Your theme has been successfully exported. - + Theme Export Failed Theme Export Failed - - Your theme could not be exported due to an error. - Your theme could not be exported due to an error. - - - + Select Theme Import File Select Theme Import File - + File is not a valid theme. File is not a valid theme. @@ -6400,20 +6459,15 @@ These files will be removed if you continue to save. Delete %s theme? - + Validation Error Validation Error - + A theme with this name already exists. A theme with this name already exists. - - - OpenLP Themes (*.theme *.otz) - OpenLP Themes (*.theme *.otz) - Copy of %s @@ -6421,15 +6475,25 @@ These files will be removed if you continue to save. Copy of %s - + Theme Already Exists Theme Already Exists - + Theme %s already exists. Do you want to replace it? Theme %s already exists. Do you want to replace it? + + + The theme export failed because this error occurred: %s + The theme export failed because this error occurred: %s + + + + OpenLP Themes (*.otz) + OpenLP Themes (*.otz) + OpenLP.ThemeWizard @@ -6865,7 +6929,7 @@ These files will be removed if you continue to save. Ready. - + Starting import... Starting import... @@ -6876,7 +6940,7 @@ These files will be removed if you continue to save. You need to specify at least one %s file to import from. - + Welcome to the Bible Import Wizard Welcome to the Bible Import Wizard @@ -6970,7 +7034,7 @@ These files will be removed if you continue to save. You need to specify one %s folder to import from. - + Importing Songs Importing Songs @@ -7314,163 +7378,163 @@ Please try selecting it individually. Preview - + Print Service Print Service - + Projector Singular Projector - + Projectors Plural Projectors - + Replace Background Replace Background - + Replace live background. Replace live background. - + Reset Background Reset Background - + Reset live background. Reset live background. - + s The abbreviated unit for seconds s - + Save && Preview Save && Preview - + Search Search - + Search Themes... Search bar place holder text Search Themes... - + You must select an item to delete. You must select an item to delete. - + You must select an item to edit. You must select an item to edit. - + Settings Settings - + Save Service Save Service - + Service Service - + Optional &Split Optional &Split - + Split a slide into two only if it does not fit on the screen as one slide. Split a slide into two only if it does not fit on the screen as one slide. - + Start %s Start %s - + Stop Play Slides in Loop Stop Play Slides in Loop - + Stop Play Slides to End Stop Play Slides to End - + Theme Singular Theme - + Themes Plural Themes - + Tools Tools - + Top Top - + Unsupported File Unsupported File - + Verse Per Slide Verse Per Slide - + Verse Per Line Verse Per Line - + Version Version - + View View - + View Mode View Mode @@ -7484,6 +7548,16 @@ Please try selecting it individually. OpenLP 2.2 OpenLP 2.2 + + + Preview Toolbar + Preview Toolbar + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7523,50 +7597,50 @@ Please try selecting it individually. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. - + Presentation name singular Presentation - + Presentations name plural Presentations - + Presentations container title Presentations - + Load a new presentation. Load a new presentation. - + Delete the selected presentation. Delete the selected presentation. - + Preview the selected presentation. Preview the selected presentation. - + Send the selected presentation live. Send the selected presentation live. - + Add the selected presentation to the service. Add the selected presentation to the service. @@ -7609,17 +7683,17 @@ Please try selecting it individually. Presentations (%s) - + Missing Presentation Missing Presentation - + The presentation %s is incomplete, please reload. The presentation %s is incomplete, please reload. - + The presentation %s no longer exists. The presentation %s no longer exists. @@ -7627,7 +7701,7 @@ Please try selecting it individually. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. @@ -7635,40 +7709,50 @@ Please try selecting it individually. PresentationPlugin.PresentationTab - + Available Controllers Available Controllers - + %s (unavailable) %s (unavailable) - + Allow presentation application to be overridden Allow presentation application to be overridden - + PDF options PDF options - + Use given full path for mudraw or ghostscript binary: Use given full path for mudraw or ghostscript binary: - + Select mudraw or ghostscript binary. Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. The program is not ghostscript or mudraw which is required. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7709,127 +7793,127 @@ Please try selecting it individually. RemotePlugin.Mobile - + Service Manager Service Manager - + Slide Controller Slide Controller - + Alerts Alerts - + Search Search - + Home Home - + Refresh Refresh - + Blank Blank - + Theme Theme - + Desktop Desktop - + Show Show - + Prev Prev - + Next Next - + Text Text - + Show Alert Show Alert - + Go Live Go Live - + Add to Service Add to Service - + Add &amp; Go to Service Add &amp; Go to Service - + No Results No Results - + Options Options - + Service Service - + Slides Slides - + Settings Settings - + OpenLP 2.2 Remote OpenLP 2.2 Remote - + OpenLP 2.2 Stage View OpenLP 2.2 Stage View - + OpenLP 2.2 Live View OpenLP 2.2 Live View @@ -7915,85 +7999,85 @@ Please try selecting it individually. SongUsagePlugin - + &Song Usage Tracking &Song Usage Tracking - + &Delete Tracking Data &Delete Tracking Data - + Delete song usage data up to a specified date. Delete song usage data up to a specified date. - + &Extract Tracking Data &Extract Tracking Data - + Generate a report on song usage. Generate a report on song usage. - + Toggle Tracking Toggle Tracking - + Toggle the tracking of song usage. Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular SongUsage - + SongUsage name plural SongUsage - + SongUsage container title SongUsage - + Song Usage Song Usage - + Song usage tracking is active. Song usage tracking is active. - + Song usage tracking is inactive. Song usage tracking is inactive. - + display display - + printed printed @@ -8056,22 +8140,22 @@ All data recorded before this date will be permanently deleted. Report Location - + Output File Location Output File Location - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Report Creation - + Report %s has been successfully created. @@ -8080,47 +8164,57 @@ has been successfully created. has been successfully created. - + Output Path Not Selected Output Path Not Selected - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + Report Creation Failed + Report Creation Failed + + + + An error occurred while creating the report: %s + An error occurred while creating the report: %s + SongsPlugin - + &Song &Song - + Import songs using the import wizard. Import songs using the import wizard. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. - + &Re-index Songs &Re-index Songs - + Re-index the songs database to improve searching and ordering. Re-index the songs database to improve searching and ordering. - + Reindexing songs... Reindexing songs... @@ -8216,80 +8310,80 @@ The encoding is responsible for the correct character representation. The encoding is responsible for the correct character representation. - + Song name singular Song - + Songs name plural Songs - + Songs container title Songs - + Exports songs using the export wizard. Exports songs using the export wizard. - + Add a new song. Add a new song. - + Edit the selected song. Edit the selected song. - + Delete the selected song. Delete the selected song. - + Preview the selected song. Preview the selected song. - + Send the selected song live. Send the selected song live. - + Add the selected song to the service. Add the selected song to the service. - + Reindexing songs Reindexing songs - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. Import songs from CCLI's SongSelect service. - + Find &Duplicate Songs Find &Duplicate Songs - + Find and remove duplicate songs in the song database. Find and remove duplicate songs in the song database. @@ -8761,7 +8855,7 @@ Please enter the verses separated by spaces. You need to specify a directory. - + Select Destination Folder Select Destination Folder @@ -9168,15 +9262,20 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. Your song export failed. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + Your song export failed because this error occurred: %s + Your song export failed because this error occurred: %s + SongsPlugin.SongImport @@ -9357,7 +9456,7 @@ Please enter the verses separated by spaces. Search - + Found %s song(s) Found %s song(s) @@ -9422,44 +9521,44 @@ Please enter the verses separated by spaces. Logging out... - + Save Username and Password Save Username and Password - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + Error Logging In Error Logging In - + There was a problem logging in, perhaps your username or password is incorrect? There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported Song Imported - - Your song has been imported, would you like to exit now, or import more songs? - Your song has been imported, would you like to exit now, or import more songs? + + Incomplete song + Incomplete song - - Import More Songs - Import More Songs + + This song is missing some information, like the lyrics, and cannot be imported. + This song is missing some information, like the lyrics, and cannot be imported. - - Exit Now - Exit Now + + Your song has been imported, would you like to import more songs? + Your song has been imported, would you like to import more songs? diff --git a/resources/i18n/en_GB.ts b/resources/i18n/en_GB.ts index 515722582..189997589 100644 --- a/resources/i18n/en_GB.ts +++ b/resources/i18n/en_GB.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Alert - + Show an alert message. Show an alert message. - + Alert name singular Alert - + Alerts name plural Alerts - + Alerts container title Alerts - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. @@ -154,85 +154,85 @@ Please type in some text before clicking New. BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Bibles - + Bibles container title Bibles - + No Book Found No Book Found - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. - + Import a Bible. Import a Bible. - + Add a new Bible. Add a new Bible. - + Edit the selected Bible. Edit the selected Bible. - + Delete the selected Bible. Delete the selected Bible. - + Preview the selected Bible. Preview the selected Bible. - + Send the selected Bible live. Send the selected Bible live. - + Add the selected Bible to the service. Add the selected Bible to the service. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. - + &Upgrade older Bibles &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. Upgrade the Bible databases to the latest format. @@ -660,61 +660,61 @@ Please type in some text before clicking New. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + verse verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + verses - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - to + to , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + and end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + end @@ -767,39 +767,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - + Web Bible cannot be used Web Bible cannot be used - + Text Search is not available with Web Bibles. Text Search is not available with Web Bibles. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + No Bibles Available No Bibles Available - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -989,12 +989,12 @@ search results and on display: BiblesPlugin.CSVBible - + Importing books... %s Importing books... %s - + Importing verses... done. Importing verses... done. @@ -1072,38 +1072,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registering Bible and loading books... - + Registering Language... Registering Language... - + Importing %s... Importing <book name>... Importing %s... - + Download Error Download Error - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. - + Parse Error Parse Error - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. @@ -1111,164 +1111,184 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bible Import Wizard - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. - + Web Download Web Download - + Location: Location: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bible: - + Download Options Download Options - + Server: Server: - + Username: Username: - + Password: Password: - + Proxy Server (Optional) Proxy Server (Optional) - + License Details Licence Details - + Set up the Bible's license details. Set up the Bible's licence details. - + Version name: Version name: - + Copyright: Copyright: - + Please wait while your Bible is imported. Please wait while your Bible is imported. - + You need to specify a file with books of the Bible to use in the import. You need to specify a file with books of the Bible to use in the import. - + You need to specify a file of Bible verses to import. You need to specify a file of Bible verses to import. - + You need to specify a version name for your Bible. You need to specify a version name for your Bible. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - + Bible Exists Bible Exists - + This Bible already exists. Please import a different Bible or first delete the existing one. This Bible already exists. Please import a different Bible or first delete the existing one. - + Your Bible import failed. Your Bible import failed. - + CSV File CSV File - + Bibleserver Bibleserver - + Permissions: Permissions: - + Bible file: Bible file: - + Books file: Books file: - + Verses file: Verses file: - + Registering Bible... Registering Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + Click to download bible list + Click to download bible list + + + + Download bible list + Download bible list + + + + Error during download + Error during download + + + + An error occurred while downloading the list of bibles from %s. + An error occurred while downloading the list of bibles from %s. @@ -1407,13 +1427,26 @@ You will need to re-import this Bible to use it again. Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Removing unused tags (this may take a few minutes)... + + + Importing %(bookname)s %(chapter)s... + Importing %(bookname)s %(chapter)s... + BiblesPlugin.UpgradeWizardForm @@ -1568,73 +1601,81 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + Importing %(bookname)s %(chapter)s... + + CustomPlugin - + Custom Slide name singular Custom Slide - + Custom Slides name plural Custom Slides - + Custom Slides container title Custom Slides - + Load a new custom slide. Load a new custom slide. - + Import a custom slide. Import a custom slide. - + Add a new custom slide. Add a new custom slide. - + Edit the selected custom slide. Edit the selected custom slide. - + Delete the selected custom slide. Delete the selected custom slide. - + Preview the selected custom slide. Preview the selected custom slide. - + Send the selected custom slide live. Send the selected custom slide live. - + Add the selected custom slide to the service. Add the selected custom slide to the service. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. @@ -1731,7 +1772,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Are you sure you want to delete the %n selected custom slide(s)? @@ -1742,60 +1783,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. - + Image name singular Image - + Images name plural Images - + Images container title Images - + Load a new image. Load a new image. - + Add a new image. Add a new image. - + Edit the selected image. Edit the selected image. - + Delete the selected image. Delete the selected image. - + Preview the selected image. Preview the selected image. - + Send the selected image live. Send the selected image live. - + Add the selected image to the service. Add the selected image to the service. @@ -1823,12 +1864,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I You need to type in a group name. - + Could not add the new group. Could not add the new group. - + This group already exists. This group already exists. @@ -1877,34 +1918,34 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Select Image(s) - + You must select an image to replace the background with. You must select an image to replace the background with. - + Missing Image(s) Missing Image(s) - + The following image(s) no longer exist: %s The following image(s) no longer exist: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. There was no display item to amend. @@ -1914,17 +1955,17 @@ Do you want to add the other images anyway? -- Top-level group -- - + You must select an image or group to delete. You must select an image or group to delete. - + Remove group Remove group - + Are you sure you want to remove "%s" and everything in it? Are you sure you want to remove "%s" and everything in it? @@ -1945,22 +1986,22 @@ Do you want to add the other images anyway? Phonon is a media player which interacts with the operating system to provide media capabilities. - + Audio Audio - + Video Video - + VLC is an external player which supports a number of different formats. VLC is an external player which supports a number of different formats. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. @@ -1968,60 +2009,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Load new media. - + Add new media. Add new media. - + Edit the selected media. Edit the selected media. - + Delete the selected media. Delete the selected media. - + Preview the selected media. Preview the selected media. - + Send the selected media live. Send the selected media live. - + Add the selected media to the service. Add the selected media to the service. @@ -2190,37 +2231,37 @@ Do you want to add the other images anyway? Select Media - + You must select a media file to delete. You must select a media file to delete. - + You must select a media file to replace the background with. You must select a media file to replace the background with. - + There was a problem replacing your background, the media file "%s" no longer exists. There was a problem replacing your background, the media file "%s" no longer exists. - + Missing Media File Missing Media File - + The file %s no longer exists. The file %s no longer exists. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. There was no display item to amend. @@ -2230,7 +2271,7 @@ Do you want to add the other images anyway? Unsupported File - + Use Player: Use Player: @@ -2245,27 +2286,27 @@ Do you want to add the other images anyway? VLC player required for playback of optical devices - + Load CD/DVD Load CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled Load CD/DVD - only supported when VLC is installed and enabled - + The optical disc %s is no longer available. The optical disc %s is no longer available. - + Mediaclip already saved Mediaclip already saved - + This mediaclip has already been saved This mediaclip has already been saved @@ -2294,17 +2335,17 @@ Do you want to add the other images anyway? OpenLP - + Image Files Image Files - + Information Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3277,7 +3318,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename File Rename @@ -3287,7 +3328,7 @@ Version: %s New File Name: - + File Copy File Copy @@ -3313,167 +3354,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Songs - + First Time Wizard First Time Wizard - + Welcome to the First Time Wizard Welcome to the First Time Wizard - + Activate required Plugins Activate required Plugins - + Select the Plugins you wish to use. Select the Plugins you wish to use. - + Bible Bible - + Images Images - + Presentations Presentations - + Media (Audio and Video) Media (Audio and Video) - + Allow remote access Allow remote access - + Monitor Song Usage Monitor Song Usage - + Allow Alerts Allow Alerts - + Default Settings Default Settings - + Downloading %s... Downloading %s... - + Enabling selected plugins... Enabling selected plugins... - + No Internet Connection No Internet Connection - + Unable to detect an Internet connection. Unable to detect an Internet connection. - + Sample Songs Sample Songs - + Select and download public domain songs. Select and download public domain songs. - + Sample Bibles Sample Bibles - + Select and download free Bibles. Select and download free Bibles. - + Sample Themes Sample Themes - + Select and download sample themes. Select and download sample themes. - + Set up default settings to be used by OpenLP. Set up default settings to be used by OpenLP. - + Default output display: Default output display: - + Select default theme: Select default theme: - + Starting configuration process... Starting configuration process... - + Setting Up And Downloading Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. Please wait while OpenLP is set up and your data is downloaded. - + Setting Up Setting Up - + Custom Slides Custom Slides - + Finish Finish - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3482,47 +3523,47 @@ To re-run the First Time Wizard and import this sample data at a later time, che To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. - + Download Error Download Error - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. Download complete. Click the %s button to return to OpenLP. - + Download complete. Click the %s button to start OpenLP. Download complete. Click the %s button to start OpenLP. - + Click the %s button to return to OpenLP. Click the %s button to return to OpenLP. - + Click the %s button to start OpenLP. Click the %s button to start OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. @@ -3531,39 +3572,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + Downloading Resource Index Downloading Resource Index - + Please wait while the resource index is downloaded. Please wait while the resource index is downloaded. - + Please wait while OpenLP downloads the resource index file... Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring Downloading and Configuring - + Please wait while resources are downloaded and OpenLP is configured. Please wait while resources are downloaded and OpenLP is configured. - + Network Error Network Error - + There was a network error attempting to connect to retrieve initial configuration information - + There was a network error attempting to connect to retrieve initial configuration information + + + + Cancel + Cancel + + + + Unable to download some files + Unable to download some files @@ -3636,6 +3687,16 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. Description %s already defined. + + + Start tag %s is not valid HTML + Start tag %s is not valid HTML + + + + End tag %s does not match end tag for start tag %s + End tag %s does not match end tag for start tag %s + OpenLP.FormattingTags @@ -3894,7 +3955,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -4200,7 +4261,7 @@ You can download the latest version from http://openlp.org/. The Main Display has been blanked out - + Default Theme: %s Default Theme: %s @@ -4216,12 +4277,12 @@ You can download the latest version from http://openlp.org/. Configure &Shortcuts... - + Close OpenLP Close OpenLP - + Are you sure you want to close OpenLP? Are you sure you want to close OpenLP? @@ -4295,13 +4356,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + Clear List Clear List of recent files Clear List - + Clear the list of recent files. Clear the list of recent files. @@ -4361,17 +4422,17 @@ Re-running this wizard may make changes to your current OpenLP configuration and OpenLP Export Settings File (*.conf) - + New Data Directory Error New Data Directory Error - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Copying OpenLP data to new data directory location - %s - Please wait for copy to finish - + OpenLP Data directory copy failed %s @@ -4432,7 +4493,7 @@ Processing has terminated and no changes have been made. Toggle the visibility of the Projector Manager - + Export setting error Export setting error @@ -4441,16 +4502,21 @@ Processing has terminated and no changes have been made. The key "%s" does not have a default value so it will be skipped in this export. The key "%s" does not have a default value so it will be skipped in this export. + + + An error occurred while exporting the settings: %s + An error occurred while exporting the settings: %s + OpenLP.Manager - + Database Error Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4459,7 +4525,7 @@ Database: %s Database: %s - + OpenLP cannot load your database. Database: %s @@ -4538,7 +4604,7 @@ Suffix not supported &Clone - + Duplicate files were found on import and were ignored. Duplicate files were found on import and were ignored. @@ -4923,11 +4989,6 @@ Suffix not supported The proxy address set with setProxy() was not found The proxy address set with setProxy() was not found - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - The connection negotiation with the proxy server because the response from the proxy server could not be understood - An unidentified error occurred @@ -4998,6 +5059,11 @@ Suffix not supported Received data Received data + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + OpenLP.ProjectorEdit @@ -5544,22 +5610,22 @@ Suffix not supported &Change Item Theme - + File is not a valid service. File is not a valid service. - + Missing Display Handler Missing Display Handler - + Your item cannot be displayed as there is no handler to display it Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive Your item cannot be displayed as the plugin required to display it is missing or inactive @@ -5639,12 +5705,12 @@ Suffix not supported Custom Service Notes: - + Notes: Notes: - + Playing time: Playing time: @@ -5654,22 +5720,22 @@ Suffix not supported Untitled Service - + File could not be opened because it is corrupt. File could not be opened because it is corrupt. - + Empty File Empty File - + This service file does not contain any data. This service file does not contain any data. - + Corrupt File Corrupt File @@ -5689,32 +5755,32 @@ Suffix not supported Select a theme for the service. - + Slide theme Slide theme - + Notes Notes - + Edit Edit - + Service copy only Service copy only - + Error Saving File Error Saving File - + There was an error saving your file. There was an error saving your file. @@ -5723,17 +5789,6 @@ Suffix not supported Service File(s) Missing Service File(s) Missing - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - The following file(s) in the service are missing: -<byte value="x9"/>%s - -These files will be removed if you continue to save. - &Rename... @@ -5760,7 +5815,7 @@ These files will be removed if you continue to save. Auto play slides &Once - + &Delay between slides &Delay between slides @@ -5770,64 +5825,78 @@ These files will be removed if you continue to save. OpenLP Service Files (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. File is not a valid service. The content encoding is not UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + This file is either corrupt or it is not an OpenLP 2 service file. This file is either corrupt or it is not an OpenLP 2 service file. - + &Auto Start - inactive &Auto Start - inactive - + &Auto Start - active &Auto Start - active - + Input delay Input delay - + Delay between slides in seconds. Delay between slides in seconds. - + Rename item title Rename item title - + Title: Title: + + + An error occurred while writing the service file: %s + An error occurred while writing the service file: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + OpenLP.ServiceNoteForm @@ -6089,12 +6158,12 @@ These files will be removed if you continue to save. OpenLP.SourceSelectForm - + Select Projector Source Select Projector Source - + Edit Projector Source Text Edit Projector Source Text @@ -6119,19 +6188,14 @@ These files will be removed if you continue to save. Save changes and return to OpenLP - + Delete entries for this projector Delete entries for this projector - - Are you sure you want to delete ALL user-defined - Are you sure you want to delete ALL user-defined - - - - source input text for this projector? - source input text for this projector? + + Are you sure you want to delete ALL user-defined source input text for this projector? + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6294,7 +6358,7 @@ These files will be removed if you continue to save. Set As &Global Default - + %s (default) %s (default) @@ -6304,52 +6368,47 @@ These files will be removed if you continue to save. You must select a theme to edit. - + You are unable to delete the default theme. You are unable to delete the default theme. - + Theme %s is used in the %s plugin. Theme %s is used in the %s plugin. - + You have not selected a theme. You have not selected a theme. - + Save Theme - (%s) Save Theme - (%s) - + Theme Exported Theme Exported - + Your theme has been successfully exported. Your theme has been successfully exported. - + Theme Export Failed Theme Export Failed - - Your theme could not be exported due to an error. - Your theme could not be exported due to an error. - - - + Select Theme Import File Select Theme Import File - + File is not a valid theme. File is not a valid theme. @@ -6399,20 +6458,15 @@ These files will be removed if you continue to save. Delete %s theme? - + Validation Error Validation Error - + A theme with this name already exists. A theme with this name already exists. - - - OpenLP Themes (*.theme *.otz) - OpenLP Themes (*.theme *.otz) - Copy of %s @@ -6420,15 +6474,25 @@ These files will be removed if you continue to save. Copy of %s - + Theme Already Exists Theme Already Exists - + Theme %s already exists. Do you want to replace it? Theme %s already exists. Do you want to replace it? + + + The theme export failed because this error occurred: %s + The theme export failed because this error occurred: %s + + + + OpenLP Themes (*.otz) + OpenLP Themes (*.otz) + OpenLP.ThemeWizard @@ -6864,7 +6928,7 @@ These files will be removed if you continue to save. Ready. - + Starting import... Starting import... @@ -6875,7 +6939,7 @@ These files will be removed if you continue to save. You need to specify at least one %s file to import from. - + Welcome to the Bible Import Wizard Welcome to the Bible Import Wizard @@ -6969,7 +7033,7 @@ These files will be removed if you continue to save. You need to specify one %s folder to import from. - + Importing Songs Importing Songs @@ -7313,163 +7377,163 @@ Please try selecting it individually. Preview - + Print Service Print Service - + Projector Singular Projector - + Projectors Plural Projectors - + Replace Background Replace Background - + Replace live background. Replace live background. - + Reset Background Reset Background - + Reset live background. Reset live background. - + s The abbreviated unit for seconds s - + Save && Preview Save && Preview - + Search Search - + Search Themes... Search bar place holder text Search Themes... - + You must select an item to delete. You must select an item to delete. - + You must select an item to edit. You must select an item to edit. - + Settings Settings - + Save Service Save Service - + Service Service - + Optional &Split Optional &Split - + Split a slide into two only if it does not fit on the screen as one slide. Split a slide into two only if it does not fit on the screen as one slide. - + Start %s Start %s - + Stop Play Slides in Loop Stop Play Slides in Loop - + Stop Play Slides to End Stop Play Slides to End - + Theme Singular Theme - + Themes Plural Themes - + Tools Tools - + Top Top - + Unsupported File Unsupported File - + Verse Per Slide Verse Per Slide - + Verse Per Line Verse Per Line - + Version Version - + View View - + View Mode View Mode @@ -7483,6 +7547,16 @@ Please try selecting it individually. OpenLP 2.2 OpenLP 2.2 + + + Preview Toolbar + Preview Toolbar + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7522,50 +7596,50 @@ Please try selecting it individually. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. - + Presentation name singular Presentation - + Presentations name plural Presentations - + Presentations container title Presentations - + Load a new presentation. Load a new presentation. - + Delete the selected presentation. Delete the selected presentation. - + Preview the selected presentation. Preview the selected presentation. - + Send the selected presentation live. Send the selected presentation live. - + Add the selected presentation to the service. Add the selected presentation to the service. @@ -7608,17 +7682,17 @@ Please try selecting it individually. Presentations (%s) - + Missing Presentation Missing Presentation - + The presentation %s is incomplete, please reload. The presentation %s is incomplete, please reload. - + The presentation %s no longer exists. The presentation %s no longer exists. @@ -7626,7 +7700,7 @@ Please try selecting it individually. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. @@ -7634,40 +7708,50 @@ Please try selecting it individually. PresentationPlugin.PresentationTab - + Available Controllers Available Controllers - + %s (unavailable) %s (unavailable) - + Allow presentation application to be overridden Allow presentation application to be overridden - + PDF options PDF options - + Use given full path for mudraw or ghostscript binary: Use given full path for mudraw or ghostscript binary: - + Select mudraw or ghostscript binary. Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. The program is not ghostscript or mudraw which is required. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7708,127 +7792,127 @@ Please try selecting it individually. RemotePlugin.Mobile - + Service Manager Service Manager - + Slide Controller Slide Controller - + Alerts Alerts - + Search Search - + Home Home - + Refresh Refresh - + Blank Blank - + Theme Theme - + Desktop Desktop - + Show Show - + Prev Prev - + Next Next - + Text Text - + Show Alert Show Alert - + Go Live Go Live - + Add to Service Add to Service - + Add &amp; Go to Service Add &amp; Go to Service - + No Results No Results - + Options Options - + Service Service - + Slides Slides - + Settings Settings - + OpenLP 2.2 Remote OpenLP 2.2 Remote - + OpenLP 2.2 Stage View OpenLP 2.2 Stage View - + OpenLP 2.2 Live View OpenLP 2.2 Live View @@ -7914,85 +7998,85 @@ Please try selecting it individually. SongUsagePlugin - + &Song Usage Tracking &Song Usage Tracking - + &Delete Tracking Data &Delete Tracking Data - + Delete song usage data up to a specified date. Delete song usage data up to a specified date. - + &Extract Tracking Data &Extract Tracking Data - + Generate a report on song usage. Generate a report on song usage. - + Toggle Tracking Toggle Tracking - + Toggle the tracking of song usage. Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular SongUsage - + SongUsage name plural SongUsage - + SongUsage container title SongUsage - + Song Usage Song Usage - + Song usage tracking is active. Song usage tracking is active. - + Song usage tracking is inactive. Song usage tracking is inactive. - + display display - + printed printed @@ -8055,22 +8139,22 @@ All data recorded before this date will be permanently deleted. Report Location - + Output File Location Output File Location - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Report Creation - + Report %s has been successfully created. @@ -8079,47 +8163,57 @@ has been successfully created. has been successfully created. - + Output Path Not Selected Output Path Not Selected - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + Report Creation Failed + Report Creation Failed + + + + An error occurred while creating the report: %s + An error occurred while creating the report: %s + SongsPlugin - + &Song &Song - + Import songs using the import wizard. Import songs using the import wizard. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. - + &Re-index Songs &Re-index Songs - + Re-index the songs database to improve searching and ordering. Re-index the songs database to improve searching and ordering. - + Reindexing songs... Reindexing songs... @@ -8215,80 +8309,80 @@ The encoding is responsible for the correct character representation. The encoding is responsible for the correct character representation. - + Song name singular Song - + Songs name plural Songs - + Songs container title Songs - + Exports songs using the export wizard. Exports songs using the export wizard. - + Add a new song. Add a new song. - + Edit the selected song. Edit the selected song. - + Delete the selected song. Delete the selected song. - + Preview the selected song. Preview the selected song. - + Send the selected song live. Send the selected song live. - + Add the selected song to the service. Add the selected song to the service. - + Reindexing songs Reindexing songs - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. Import songs from CCLI's SongSelect service. - + Find &Duplicate Songs Find &Duplicate Songs - + Find and remove duplicate songs in the song database. Find and remove duplicate songs in the song database. @@ -8760,7 +8854,7 @@ Please enter the verses separated by spaces. You need to specify a directory. - + Select Destination Folder Select Destination Folder @@ -9167,15 +9261,20 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. Your song export failed. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + Your song export failed because this error occurred: %s + Your song export failed because this error occurred: %s + SongsPlugin.SongImport @@ -9356,7 +9455,7 @@ Please enter the verses separated by spaces. Search - + Found %s song(s) Found %s song(s) @@ -9421,44 +9520,44 @@ Please enter the verses separated by spaces. Logging out... - + Save Username and Password Save Username and Password - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + Error Logging In Error Logging In - + There was a problem logging in, perhaps your username or password is incorrect? There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported Song Imported - - Your song has been imported, would you like to exit now, or import more songs? - Your song has been imported, would you like to exit now, or import more songs? + + Incomplete song + Incomplete song - - Import More Songs - Import More Songs + + This song is missing some information, like the lyrics, and cannot be imported. + This song is missing some information, like the lyrics, and cannot be imported. - - Exit Now - Exit Now + + Your song has been imported, would you like to import more songs? + Your song has been imported, would you like to import more songs? diff --git a/resources/i18n/en_ZA.ts b/resources/i18n/en_ZA.ts index 42a965ecd..244d76532 100644 --- a/resources/i18n/en_ZA.ts +++ b/resources/i18n/en_ZA.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Alert - + Show an alert message. Show an alert message. - + Alert name singular Alert - + Alerts name plural Alerts - + Alerts container title Alerts - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. @@ -154,85 +154,85 @@ Please type in some text before clicking New. BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Bibles - + Bibles container title Bibles - + No Book Found No Book Found - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. - + Import a Bible. Import a Bible. - + Add a new Bible. Add a new Bible. - + Edit the selected Bible. Edit the selected Bible. - + Delete the selected Bible. Delete the selected Bible. - + Preview the selected Bible. Preview the selected Bible. - + Send the selected Bible live. Send the selected Bible live. - + Add the selected Bible to the service. Add the selected Bible to the service. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. - + &Upgrade older Bibles &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. Upgrade the Bible databases to the latest format. @@ -660,61 +660,61 @@ Please type in some text before clicking New. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + verse verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + verses - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - to + to , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + and end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + end @@ -767,39 +767,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - + Web Bible cannot be used Web Bible cannot be used - + Text Search is not available with Web Bibles. Text Search is not available with Web Bibles. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + No Bibles Available No Bibles Available - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -989,12 +989,12 @@ search results and on display: BiblesPlugin.CSVBible - + Importing books... %s Importing books... %s - + Importing verses... done. Importing verses... done. @@ -1072,38 +1072,38 @@ It is not possible to customise the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registering Bible and loading books... - + Registering Language... Registering Language... - + Importing %s... Importing <book name>... Importing %s... - + Download Error Download Error - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. - + Parse Error Parse Error - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. @@ -1111,164 +1111,184 @@ It is not possible to customise the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bible Import Wizard - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. - + Web Download Web Download - + Location: Location: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bible: - + Download Options Download Options - + Server: Server: - + Username: Username: - + Password: Password: - + Proxy Server (Optional) Proxy Server (Optional) - + License Details License Details - + Set up the Bible's license details. Set up the Bible's license details. - + Version name: Version name: - + Copyright: Copyright: - + Please wait while your Bible is imported. Please wait while your Bible is imported. - + You need to specify a file with books of the Bible to use in the import. You need to specify a file with books of the Bible to use in the import. - + You need to specify a file of Bible verses to import. You need to specify a file of Bible verses to import. - + You need to specify a version name for your Bible. You need to specify a version name for your Bible. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - + Bible Exists Bible Exists - + This Bible already exists. Please import a different Bible or first delete the existing one. This Bible already exists. Please import a different Bible or first delete the existing one. - + Your Bible import failed. Your Bible import failed. - + CSV File CSV File - + Bibleserver Bibleserver - + Permissions: Permissions: - + Bible file: Bible file: - + Books file: Books file: - + Verses file: Verses file: - + Registering Bible... Registering Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + Click to download bible list + Click to download bible list + + + + Download bible list + Download bible list + + + + Error during download + Error during download + + + + An error occurred while downloading the list of bibles from %s. + An error occurred while downloading the list of bibles from %s. @@ -1407,13 +1427,26 @@ You will need to re-import this Bible to use it again. Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Removing unused tags (this may take a few minutes)... + + + Importing %(bookname)s %(chapter)s... + Importing %(bookname)s %(chapter)s... + BiblesPlugin.UpgradeWizardForm @@ -1568,73 +1601,81 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + Importing %(bookname)s %(chapter)s... + + CustomPlugin - + Custom Slide name singular Custom Slide - + Custom Slides name plural Custom Slides - + Custom Slides container title Custom Slides - + Load a new custom slide. Load a new custom slide. - + Import a custom slide. Import a custom slide. - + Add a new custom slide. Add a new custom slide. - + Edit the selected custom slide. Edit the selected custom slide. - + Delete the selected custom slide. Delete the selected custom slide. - + Preview the selected custom slide. Preview the selected custom slide. - + Send the selected custom slide live. Send the selected custom slide live. - + Add the selected custom slide to the service. Add the selected custom slide to the service. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. @@ -1731,7 +1772,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Are you sure you want to delete the %n selected custom slide(s)? @@ -1742,60 +1783,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. - + Image name singular Image - + Images name plural Images - + Images container title Images - + Load a new image. Load a new image. - + Add a new image. Add a new image. - + Edit the selected image. Edit the selected image. - + Delete the selected image. Delete the selected image. - + Preview the selected image. Preview the selected image. - + Send the selected image live. Send the selected image live. - + Add the selected image to the service. Add the selected image to the service. @@ -1823,12 +1864,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I You need to type in a group name. - + Could not add the new group. Could not add the new group. - + This group already exists. This group already exists. @@ -1877,34 +1918,34 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Select Image(s) - + You must select an image to replace the background with. You must select an image to replace the background with. - + Missing Image(s) Missing Image(s) - + The following image(s) no longer exist: %s The following image(s) no longer exist: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. There was no display item to amend. @@ -1914,17 +1955,17 @@ Do you want to add the other images anyway? -- Top-level group -- - + You must select an image or group to delete. You must select an image or group to delete. - + Remove group Remove group - + Are you sure you want to remove "%s" and everything in it? Are you sure you want to remove "%s" and everything in it? @@ -1945,22 +1986,22 @@ Do you want to add the other images anyway? Phonon is a media player which interacts with the operating system to provide media capabilities. - + Audio Audio - + Video Video - + VLC is an external player which supports a number of different formats. VLC is an external player which supports a number of different formats. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. @@ -1968,60 +2009,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Load new media. - + Add new media. Add new media. - + Edit the selected media. Edit the selected media. - + Delete the selected media. Delete the selected media. - + Preview the selected media. Preview the selected media. - + Send the selected media live. Send the selected media live. - + Add the selected media to the service. Add the selected media to the service. @@ -2091,27 +2132,27 @@ Do you want to add the other images anyway? Set start point - + Set start point Jump to start point - + Jump to start point End point: - + End point: Set end point - + Set end point Jump to end point - + Jump to end point @@ -2119,67 +2160,67 @@ Do you want to add the other images anyway? No path was given - + No path was given Given path does not exists - + Given path does not exists An error happened during initialization of VLC player - + An error happened during initialization of VLC player VLC player failed playing the media - + VLC player failed playing the media CD not loaded correctly - + CD not loaded correctly The CD was not loaded correctly, please re-load and try again. - + The CD was not loaded correctly, please re-load and try again. DVD not loaded correctly - + DVD not loaded correctly The DVD was not loaded correctly, please re-load and try again. - + The DVD was not loaded correctly, please re-load and try again. Set name of mediaclip - + Set name of mediaclip Name of mediaclip: - + Name of mediaclip: Enter a valid name or cancel - + Enter a valid name or cancel Invalid character - + Invalid character The name of the mediaclip must not contain the character ":" - + The name of the mediaclip must not contain the character ":" @@ -2190,37 +2231,37 @@ Do you want to add the other images anyway? Select Media - + You must select a media file to delete. You must select a media file to delete. - + You must select a media file to replace the background with. You must select a media file to replace the background with. - + There was a problem replacing your background, the media file "%s" no longer exists. There was a problem replacing your background, the media file "%s" no longer exists. - + Missing Media File Missing Media File - + The file %s no longer exists. The file %s no longer exists. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. There was no display item to amend. @@ -2230,44 +2271,44 @@ Do you want to add the other images anyway? Unsupported File - + Use Player: Use Player: VLC player required - + VLC player required VLC player required for playback of optical devices - + VLC player required for playback of optical devices - + Load CD/DVD - + Load CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled - + Load CD/DVD - only supported when VLC is installed and enabled - + The optical disc %s is no longer available. - + The optical disc %s is no longer available. - + Mediaclip already saved - + Mediaclip already saved - + This mediaclip has already been saved - + This mediaclip has already been saved @@ -2288,23 +2329,23 @@ Do you want to add the other images anyway? &Projector Manager - + &Projector Manager OpenLP - + Image Files Image Files - + Information Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -2315,27 +2356,27 @@ Should OpenLP upgrade now? Backup - + Backup OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? Backup of the data folder failed! - + Backup of the data folder failed! A backup of the data folder has been created at %s - + A backup of the data folder has been created at %s Open - + Open @@ -2471,13 +2512,95 @@ Final Credit on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. Copyright © 2004-2015 %s Portions copyright © 2004-2015 %s - + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s @@ -2821,7 +2944,7 @@ appears to contain OpenLP data files. Do you wish to replace these files with th RGB - + RGB @@ -2831,242 +2954,242 @@ appears to contain OpenLP data files. Do you wish to replace these files with th Digital - + Digital Storage - + Storage Network - + Network RGB 1 - + RGB 1 RGB 2 - + RGB 2 RGB 3 - + RGB 3 RGB 4 - + RGB 4 RGB 5 - + RGB 5 RGB 6 - + RGB 6 RGB 7 - + RGB 7 RGB 8 - + RGB 8 RGB 9 - + RGB 9 Video 1 - + Video 1 Video 2 - + Video 2 Video 3 - + Video 3 Video 4 - + Video 4 Video 5 - + Video 5 Video 6 - + Video 6 Video 7 - + Video 7 Video 8 - + Video 8 Video 9 - + Video 9 Digital 1 - + Digital 1 Digital 2 - + Digital 2 Digital 3 - + Digital 3 Digital 4 - + Digital 4 Digital 5 - + Digital 5 Digital 6 - + Digital 6 Digital 7 - + Digital 7 Digital 8 - + Digital 8 Digital 9 - + Digital 9 Storage 1 - + Storage 1 Storage 2 - + Storage 2 Storage 3 - + Storage 3 Storage 4 - + Storage 4 Storage 5 - + Storage 5 Storage 6 - + Storage 6 Storage 7 - + Storage 7 Storage 8 - + Storage 8 Storage 9 - + Storage 9 Network 1 - + Network 1 Network 2 - + Network 2 Network 3 - + Network 3 Network 4 - + Network 4 Network 5 - + Network 5 Network 6 - + Network 6 Network 7 - + Network 7 Network 8 - + Network 8 Network 9 - + Network 9 @@ -3195,7 +3318,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename File Rename @@ -3205,7 +3328,7 @@ Version: %s New File Name: - + File Copy File Copy @@ -3231,167 +3354,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Songs - + First Time Wizard First Time Wizard - + Welcome to the First Time Wizard Welcome to the First Time Wizard - + Activate required Plugins Activate required Plugins - + Select the Plugins you wish to use. Select the Plugins you wish to use. - + Bible Bible - + Images Images - + Presentations Presentations - + Media (Audio and Video) Media (Audio and Video) - + Allow remote access Allow remote access - + Monitor Song Usage Monitor Song Usage - + Allow Alerts Allow Alerts - + Default Settings Default Settings - + Downloading %s... Downloading %s... - + Enabling selected plugins... Enabling selected plugins... - + No Internet Connection No Internet Connection - + Unable to detect an Internet connection. Unable to detect an Internet connection. - + Sample Songs Sample Songs - + Select and download public domain songs. Select and download public domain songs. - + Sample Bibles Sample Bibles - + Select and download free Bibles. Select and download free Bibles. - + Sample Themes Sample Themes - + Select and download sample themes. Select and download sample themes. - + Set up default settings to be used by OpenLP. Set up default settings to be used by OpenLP. - + Default output display: Default output display: - + Select default theme: Select default theme: - + Starting configuration process... Starting configuration process... - + Setting Up And Downloading Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. Please wait while OpenLP is set up and your data is downloaded. - + Setting Up Setting Up - + Custom Slides Custom Slides - + Finish Finish - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3400,86 +3523,98 @@ To re-run the First Time Wizard and import this sample data at a later time, che To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. - + Download Error Download Error - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. - + Download complete. Click the %s button to return to OpenLP. - + Download complete. Click the %s button to start OpenLP. - + Download complete. Click the %s button to start OpenLP. - + Click the %s button to return to OpenLP. - + Click the %s button to return to OpenLP. - + Click the %s button to start OpenLP. - + Click the %s button to start OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + Downloading Resource Index - - - - - Please wait while the resource index is downloaded. - + Downloading Resource Index + Please wait while the resource index is downloaded. + Please wait while the resource index is downloaded. + + + Please wait while OpenLP downloads the resource index file... - + Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring - + Downloading and Configuring - + Please wait while resources are downloaded and OpenLP is configured. - + Please wait while resources are downloaded and OpenLP is configured. - + Network Error - + Network Error - + There was a network error attempting to connect to retrieve initial configuration information - + There was a network error attempting to connect to retrieve initial configuration information + + + + Cancel + Cancel + + + + Unable to download some files + Unable to download some files @@ -3550,7 +3685,17 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. - + Description %s already defined. + + + + Start tag %s is not valid HTML + Start tag %s is not valid HTML + + + + End tag %s does not match end tag for start tag %s + End tag %s does not match end tag for start tag %s @@ -3810,7 +3955,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -4117,7 +4262,7 @@ You can download the latest version from http://openlp.org/. The Main Display has been blanked out - + Default Theme: %s Default Theme: %s @@ -4125,7 +4270,7 @@ You can download the latest version from http://openlp.org/. English Please add the name of your language here - English + South African @@ -4133,12 +4278,12 @@ You can download the latest version from http://openlp.org/. Configure &Shortcuts... - + Close OpenLP Close OpenLP - + Are you sure you want to close OpenLP? Are you sure you want to close OpenLP? @@ -4212,13 +4357,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + Clear List Clear List of recent files Clear List - + Clear the list of recent files. Clear the list of recent files. @@ -4278,17 +4423,17 @@ Re-running this wizard may make changes to your current OpenLP configuration and OpenLP Export Settings File (*.conf) - + New Data Directory Error New Data Directory Error - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Copying OpenLP data to new data directory location - %s - Please wait for copy to finish - + OpenLP Data directory copy failed %s @@ -4336,38 +4481,43 @@ Processing has terminated and no changes have been made. Projector Manager - + Projector Manager Toggle Projector Manager - + Toggle Projector Manager Toggle the visibility of the Projector Manager - + Toggle the visibility of the Projector Manager - + Export setting error - + Export setting error The key "%s" does not have a default value so it will be skipped in this export. - + The key "%s" does not have a default value so it will be skipped in this export. + + + + An error occurred while exporting the settings: %s + An error occurred while exporting the settings: %s OpenLP.Manager - + Database Error Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4376,7 +4526,7 @@ Database: %s Database: %s - + OpenLP cannot load your database. Database: %s @@ -4455,7 +4605,7 @@ Suffix not supported &Clone - + Duplicate files were found on import and were ignored. Duplicate files were found on import and were ignored. @@ -4478,22 +4628,22 @@ Suffix not supported Unknown status - + Unknown status No message - + No message Error while sending data to projector - + Error while sending data to projector Undefined command: - + Undefined command: @@ -4663,257 +4813,257 @@ Suffix not supported OK - + OK General projector error - + General projector error Not connected error - + Not connected error Lamp error - + Lamp error Fan error - + Fan error High temperature detected - + High temperature detected Cover open detected - + Cover open detected Check filter - + Check filter Authentication Error - + Authentication Error Undefined Command - + Undefined Command Invalid Parameter - + Invalid Parameter Projector Busy - + Projector Busy Projector/Display Error - + Projector/Display Error Invalid packet received - + Invalid packet received Warning condition detected - + Warning condition detected Error condition detected - + Error condition detected PJLink class not supported - + PJLink class not supported Invalid prefix character - + Invalid prefix character The connection was refused by the peer (or timed out) - + The connection was refused by the peer (or timed out) The remote host closed the connection - + The remote host closed the connection The host address was not found - + The host address was not found The socket operation failed because the application lacked the required privileges - + The socket operation failed because the application lacked the required privileges The local system ran out of resources (e.g., too many sockets) - + The local system ran out of resources (e.g., too many sockets) The socket operation timed out - + The socket operation timed out The datagram was larger than the operating system's limit - + The datagram was larger than the operating system's limit An error occurred with the network (Possibly someone pulled the plug?) - + An error occurred with the network (Possibly someone pulled the plug?) The address specified with socket.bind() is already in use and was set to be exclusive - + The address specified with socket.bind() is already in use and was set to be exclusive The address specified to socket.bind() does not belong to the host - + The address specified to socket.bind() does not belong to the host The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) The socket is using a proxy, and the proxy requires authentication - + The socket is using a proxy, and the proxy requires authentication The SSL/TLS handshake failed - + The SSL/TLS handshake failed The last operation attempted has not finished yet (still in progress in the background) - + The last operation attempted has not finished yet (still in progress in the background) Could not contact the proxy server because the connection to that server was denied - + Could not contact the proxy server because the connection to that server was denied The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. The proxy address set with setProxy() was not found - - - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - + The proxy address set with setProxy() was not found An unidentified error occurred - + An unidentified error occurred Not connected - + Not connected Connecting - + Connecting Connected - + Connected Getting status - + Getting status Off - + Off Initialize in progress - + Initialise in progress Power in standby - + Power in standby Warmup in progress - + Warmup in progress Power is on - + Power is on Cooldown in progress - + Cooldown in progress Projector Information available - + Projector Information available Sending data - + Sending data Received data - + Received data + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood @@ -4921,17 +5071,17 @@ Suffix not supported Name Not Set - + Name Not Set You must enter a name for this entry.<br />Please enter a new name for this entry. - + You must enter a name for this entry.<br />Please enter a new name for this entry. Duplicate Name - + Duplicate Name @@ -4939,37 +5089,37 @@ Suffix not supported Add New Projector - + Add New Projector Edit Projector - + Edit Projector IP Address - + IP Address Port Number - + Port Number PIN - + PIN Name - + Name Location - + Location @@ -4984,7 +5134,7 @@ Suffix not supported There was an error saving projector information. See the log for the error - + There was an error saving projector information. See the log for the error @@ -4992,162 +5142,162 @@ Suffix not supported Add Projector - + Add Projector Add a new projector - + Add a new projector Edit Projector - + Edit Projector Edit selected projector - + Edit selected projector Delete Projector - + Delete Projector Delete selected projector - + Delete selected projector Select Input Source - + Select Input Source Choose input source on selected projector - + Choose input source on selected projector View Projector - + View Projector View selected projector information - + View selected projector information Connect to selected projector - + Connect to selected projector Connect to selected projectors - + Connect to selected projectors Disconnect from selected projectors - + Disconnect from selected projectors Disconnect from selected projector - + Disconnect from selected projector Power on selected projector - + Power on selected projector Standby selected projector - + Standby selected projector Put selected projector in standby - + Put selected projector in standby Blank selected projector screen - + Blank selected projector screen Show selected projector screen - + Show selected projector screen &View Projector Information - + &View Projector Information &Edit Projector - + &Edit Projector &Connect Projector - + &Connect Projector D&isconnect Projector - + D&isconnect Projector Power &On Projector - + Power &On Projector Power O&ff Projector - + Power O&ff Projector Select &Input - + Select &Input Edit Input Source - + Edit Input Source &Blank Projector Screen - + &Blank Projector Screen &Show Projector Screen - + &Show Projector Screen &Delete Projector - + &Delete Projector Name - + Name IP - + IP @@ -5162,92 +5312,92 @@ Suffix not supported Projector information not available at this time. - + Projector information not available at this time. Projector Name - + Projector Name Manufacturer - + Manufacturer Model - + Model Other info - + Other info Power status - + Power status Shutter is - + Shutter is Closed - + Closed Current source input is - + Current source input is Lamp - + Lamp On - + On Off - + Off Hours - + Hours No current errors or warnings - + No current errors or warnings Current errors/warnings - + Current errors/warnings Projector Information - + Projector Information No message - + No message Not Implemented Yet - + Not Implemented Yet @@ -5255,27 +5405,27 @@ Suffix not supported Fan - + Fan Lamp - + Lamp Temperature - + Temperature Cover - + Cover Filter - + Filter @@ -5288,37 +5438,37 @@ Suffix not supported Projector - + Projector Communication Options - + Communication Options Connect to projectors on startup - + Connect to projectors on startup Socket timeout (seconds) - + Socket timeout (seconds) Poll time (seconds) - + Poll time (seconds) Tabbed dialog box - + Tabbed dialog box Single dialog box - + Single dialog box @@ -5326,17 +5476,17 @@ Suffix not supported Duplicate IP Address - + Duplicate IP Address Invalid IP Address - + Invalid IP Address Invalid Port Number - + Invalid Port Number @@ -5367,7 +5517,7 @@ Suffix not supported [slide %d] - + [slide %d] @@ -5461,22 +5611,22 @@ Suffix not supported &Change Item Theme - + File is not a valid service. File is not a valid service. - + Missing Display Handler Missing Display Handler - + Your item cannot be displayed as there is no handler to display it Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive Your item cannot be displayed as the plugin required to display it is missing or inactive @@ -5556,12 +5706,12 @@ Suffix not supported Custom Service Notes: - + Notes: Notes: - + Playing time: Playing time: @@ -5571,22 +5721,22 @@ Suffix not supported Untitled Service - + File could not be opened because it is corrupt. File could not be opened because it is corrupt. - + Empty File Empty File - + This service file does not contain any data. This service file does not contain any data. - + Corrupt File Corrupt File @@ -5606,32 +5756,32 @@ Suffix not supported Select a theme for the service. - + Slide theme Slide theme - + Notes Notes - + Edit Edit - + Service copy only Service copy only - + Error Saving File Error Saving File - + There was an error saving your file. There was an error saving your file. @@ -5640,17 +5790,6 @@ Suffix not supported Service File(s) Missing Service File(s) Missing - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - The following file(s) in the service are missing: -<byte value="x9"/>%s - -These files will be removed if you continue to save. - &Rename... @@ -5677,7 +5816,7 @@ These files will be removed if you continue to save. Auto play slides &Once - + &Delay between slides &Delay between slides @@ -5687,64 +5826,78 @@ These files will be removed if you continue to save. OpenLP Service Files (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. File is not a valid service. The content encoding is not UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + This file is either corrupt or it is not an OpenLP 2 service file. This file is either corrupt or it is not an OpenLP 2 service file. - + &Auto Start - inactive &Auto Start - inactive - + &Auto Start - active &Auto Start - active - + Input delay Input delay - + Delay between slides in seconds. Delay between slides in seconds. - + Rename item title Rename item title - + Title: Title: + + + An error occurred while writing the service file: %s + An error occurred while writing the service file: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + OpenLP.ServiceNoteForm @@ -6006,49 +6159,44 @@ Please save it using OpenLP 2.0.2 or greater. OpenLP.SourceSelectForm - + Select Projector Source - + Select Projector Source - + Edit Projector Source Text - + Edit Projector Source Text Ignoring current changes and return to OpenLP - + Ignoring current changes and return to OpenLP Delete all user-defined text and revert to PJLink default text - + Delete all user-defined text and revert to PJLink default text Discard changes and reset to previous user-defined text - + Discard changes and reset to previous user-defined text Save changes and return to OpenLP - + Save changes and return to OpenLP + + + + Delete entries for this projector + Delete entries for this projector - Delete entries for this projector - - - - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? - + Are you sure you want to delete ALL user-defined source input text for this projector? + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6211,7 +6359,7 @@ Please save it using OpenLP 2.0.2 or greater. Set As &Global Default - + %s (default) %s (default) @@ -6221,52 +6369,47 @@ Please save it using OpenLP 2.0.2 or greater. You must select a theme to edit. - + You are unable to delete the default theme. You are unable to delete the default theme. - + Theme %s is used in the %s plugin. Theme %s is used in the %s plugin. - + You have not selected a theme. You have not selected a theme. - + Save Theme - (%s) Save Theme - (%s) - + Theme Exported Theme Exported - + Your theme has been successfully exported. Your theme has been successfully exported. - + Theme Export Failed Theme Export Failed - - Your theme could not be exported due to an error. - Your theme could not be exported due to an error. - - - + Select Theme Import File Select Theme Import File - + File is not a valid theme. File is not a valid theme. @@ -6316,20 +6459,15 @@ Please save it using OpenLP 2.0.2 or greater. Delete %s theme? - + Validation Error Validation Error - + A theme with this name already exists. A theme with this name already exists. - - - OpenLP Themes (*.theme *.otz) - OpenLP Themes (*.theme *.otz) - Copy of %s @@ -6337,15 +6475,25 @@ Please save it using OpenLP 2.0.2 or greater. Copy of %s - + Theme Already Exists Theme Already Exists - + Theme %s already exists. Do you want to replace it? Theme %s already exists. Do you want to replace it? + + + The theme export failed because this error occurred: %s + The theme export failed because this error occurred: %s + + + + OpenLP Themes (*.otz) + OpenLP Themes (*.otz) + OpenLP.ThemeWizard @@ -6705,12 +6853,12 @@ Please save it using OpenLP 2.0.2 or greater. Universal Settings - + Universal Settings &Wrap footer text - + &Wrap footer text @@ -6781,7 +6929,7 @@ Please save it using OpenLP 2.0.2 or greater. Ready. - + Starting import... Starting import... @@ -6792,7 +6940,7 @@ Please save it using OpenLP 2.0.2 or greater. You need to specify at least one %s file to import from. - + Welcome to the Bible Import Wizard Welcome to the Bible Import Wizard @@ -6886,7 +7034,7 @@ Please save it using OpenLP 2.0.2 or greater. You need to specify one %s folder to import from. - + Importing Songs Importing Songs @@ -7118,25 +7266,25 @@ Please try selecting it individually. Manufacturer Singular - + Manufacturer Manufacturers Plural - + Manufacturers Model Singular - + Model Models Plural - + Models @@ -7202,7 +7350,7 @@ Please try selecting it individually. OpenLP 2 - + OpenLP 2 @@ -7230,174 +7378,184 @@ Please try selecting it individually. Preview - + Print Service Print Service - + Projector Singular - - - - - Projectors - Plural - + Projector + Projectors + Plural + Projectors + + + Replace Background Replace Background - + Replace live background. Replace live background. - + Reset Background Reset Background - + Reset live background. Reset live background. - + s The abbreviated unit for seconds s - + Save && Preview Save && Preview - + Search Search - + Search Themes... Search bar place holder text Search Themes... - + You must select an item to delete. You must select an item to delete. - + You must select an item to edit. You must select an item to edit. - + Settings Settings - + Save Service Save Service - + Service Service - + Optional &Split Optional &Split - + Split a slide into two only if it does not fit on the screen as one slide. Split a slide into two only if it does not fit on the screen as one slide. - + Start %s Start %s - + Stop Play Slides in Loop Stop Play Slides in Loop - + Stop Play Slides to End Stop Play Slides to End - + Theme Singular Theme - + Themes Plural Themes - + Tools Tools - + Top Top - + Unsupported File Unsupported File - + Verse Per Slide Verse Per Slide - + Verse Per Line Verse Per Line - + Version Version - + View View - + View Mode View Mode CCLI song number: - + CCLI song number: OpenLP 2.2 + OpenLP 2.2 + + + + Preview Toolbar + Preview Toolbar + + + + Replace live background is not available on this platform in this version of OpenLP. @@ -7433,56 +7591,56 @@ Please try selecting it individually. Source select dialog interface - + Source select dialog interface PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. - + Presentation name singular Presentation - + Presentations name plural Presentations - + Presentations container title Presentations - + Load a new presentation. Load a new presentation. - + Delete the selected presentation. Delete the selected presentation. - + Preview the selected presentation. Preview the selected presentation. - + Send the selected presentation live. Send the selected presentation live. - + Add the selected presentation to the service. Add the selected presentation to the service. @@ -7525,17 +7683,17 @@ Please try selecting it individually. Presentations (%s) - + Missing Presentation Missing Presentation - + The presentation %s is incomplete, please reload. The presentation %s is incomplete, please reload. - + The presentation %s no longer exists. The presentation %s no longer exists. @@ -7543,48 +7701,58 @@ Please try selecting it individually. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. PresentationPlugin.PresentationTab - + Available Controllers Available Controllers - + %s (unavailable) %s (unavailable) - + Allow presentation application to be overridden Allow presentation application to be overridden - + PDF options PDF options - + Use given full path for mudraw or ghostscript binary: Use given full path for mudraw or ghostscript binary: - + Select mudraw or ghostscript binary. Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. The program is not ghostscript or mudraw which is required. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7625,129 +7793,129 @@ Please try selecting it individually. RemotePlugin.Mobile - + Service Manager Service Manager - + Slide Controller Slide Controller - + Alerts Alerts - + Search Search - + Home Home - + Refresh Refresh - + Blank Blank - + Theme Theme - + Desktop Desktop - + Show Show - + Prev Prev - + Next Next - + Text Text - + Show Alert Show Alert - + Go Live Go Live - + Add to Service Add to Service - + Add &amp; Go to Service Add &amp; Go to Service - + No Results No Results - + Options Options - + Service Service - + Slides Slides - + Settings Settings - + OpenLP 2.2 Remote - + OpenLP 2.2 Remote - + OpenLP 2.2 Stage View - + OpenLP 2.2 Stage View - + OpenLP 2.2 Live View - + OpenLP 2.2 Live View @@ -7825,91 +7993,91 @@ Please try selecting it individually. Show thumbnails of non-text slides in remote and stage view. - + Show thumbnails of non-text slides in remote and stage view. SongUsagePlugin - + &Song Usage Tracking &Song Usage Tracking - + &Delete Tracking Data &Delete Tracking Data - + Delete song usage data up to a specified date. Delete song usage data up to a specified date. - + &Extract Tracking Data &Extract Tracking Data - + Generate a report on song usage. Generate a report on song usage. - + Toggle Tracking Toggle Tracking - + Toggle the tracking of song usage. Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular SongUsage - + SongUsage name plural SongUsage - + SongUsage container title SongUsage - + Song Usage Song Usage - + Song usage tracking is active. Song usage tracking is active. - + Song usage tracking is inactive. Song usage tracking is inactive. - + display display - + printed printed @@ -7972,22 +8140,22 @@ All data recorded before this date will be permanently deleted. Report Location - + Output File Location Output File Location - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Report Creation - + Report %s has been successfully created. @@ -7996,47 +8164,57 @@ has been successfully created. has been successfully created. - + Output Path Not Selected Output Path Not Selected - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + Report Creation Failed + Report Creation Failed + + + + An error occurred while creating the report: %s + An error occurred while creating the report: %s + SongsPlugin - + &Song &Song - + Import songs using the import wizard. Import songs using the import wizard. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. - + &Re-index Songs &Re-index Songs - + Re-index the songs database to improve searching and ordering. Re-index the songs database to improve searching and ordering. - + Reindexing songs... Reindexing songs... @@ -8132,80 +8310,80 @@ The encoding is responsible for the correct character representation. The encoding is responsible for the correct character representation. - + Song name singular Song - + Songs name plural Songs - + Songs container title Songs - + Exports songs using the export wizard. Exports songs using the export wizard. - + Add a new song. Add a new song. - + Edit the selected song. Edit the selected song. - + Delete the selected song. Delete the selected song. - + Preview the selected song. Preview the selected song. - + Send the selected song live. Send the selected song live. - + Add the selected song to the service. Add the selected song to the service. - + Reindexing songs Reindexing songs - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. Import songs from CCLI's SongSelect service. - + Find &Duplicate Songs Find &Duplicate Songs - + Find and remove duplicate songs in the song database. Find and remove duplicate songs in the song database. @@ -8323,22 +8501,22 @@ The encoding is responsible for the correct character representation. This file does not exist. - + This file does not exist. Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. This file is not a valid EasyWorship database. - + This file is not a valid EasyWorship database. Could not retrieve encoding. - + Could not retrieve encoding. @@ -8573,17 +8751,17 @@ Please enter the verses separated by spaces. &Edit Author Type - + &Edit Author Type Edit Author Type - + Edit Author Type Choose type for this author - + Choose type for this author @@ -8677,7 +8855,7 @@ Please enter the verses separated by spaces. You need to specify a directory. - + Select Destination Folder Select Destination Folder @@ -8885,32 +9063,32 @@ Please enter the verses separated by spaces. PowerPraise Song Files - + PowerPraise Song Files PresentationManager Song Files - + PresentationManager Song Files ProPresenter 4 Song Files - + ProPresenter 4 Song Files Worship Assistant Files - + Worship Assistant Files Worship Assistant (CSV) - + Worship Assistant (CSV) In Worship Assistant, export your Database to a CSV file. - + In Worship Assistant, export your Database to a CSV file. @@ -9084,15 +9262,20 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. Your song export failed. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + Your song export failed because this error occurred: %s + Your song export failed because this error occurred: %s + SongsPlugin.SongImport @@ -9235,12 +9418,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + CCLI SongSelect Importer <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. @@ -9255,17 +9438,17 @@ Please enter the verses separated by spaces. Save username and password - + Save username and password Login - + Login Search Text: - + Search Text: @@ -9273,14 +9456,14 @@ Please enter the verses separated by spaces. Search - + Found %s song(s) - + Found %s song(s) Logout - + Logout @@ -9295,7 +9478,7 @@ Please enter the verses separated by spaces. Author(s): - + Author(s): @@ -9305,12 +9488,12 @@ Please enter the verses separated by spaces. CCLI Number: - + CCLI Number: Lyrics: - + Lyrics: @@ -9325,57 +9508,57 @@ Please enter the verses separated by spaces. More than 1000 results - + More than 1000 results Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. - + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. Logging out... - + Logging out... - + Save Username and Password - + Save Username and Password - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + Error Logging In - + Error Logging In - + There was a problem logging in, perhaps your username or password is incorrect? - + There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported - + Song Imported - - Your song has been imported, would you like to exit now, or import more songs? - + + Incomplete song + Incomplete song - - Import More Songs - + + This song is missing some information, like the lyrics, and cannot be imported. + This song is missing some information, like the lyrics, and cannot be imported. - - Exit Now - + + Your song has been imported, would you like to import more songs? + Your song has been imported, would you like to import more songs? @@ -9477,7 +9660,7 @@ Please enter the verses separated by spaces. Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. - + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. @@ -9500,7 +9683,7 @@ Please enter the verses separated by spaces. File not valid WorshipAssistant CSV format. - + File not valid WorshipAssistant CSV format. diff --git a/resources/i18n/es.ts b/resources/i18n/es.ts index 18597b1d6..198d9327c 100644 --- a/resources/i18n/es.ts +++ b/resources/i18n/es.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Alerta - + Show an alert message. Mostrar un mensaje de alerta. - + Alert name singular Alerta - + Alerts name plural Alertas - + Alerts container title Alertas - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Complemento de Alertas</strong><br />El complemento de alertas controla la visualización de mensajes de guardería. @@ -153,85 +153,85 @@ Please type in some text before clicking New. BiblesPlugin - + &Bible &Biblia - + Bible name singular Biblia - + Bibles name plural Biblias - + Bibles container title Biblias - + No Book Found Libro no encontrado - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. No se encontró el libro en esta Biblia. Revise que el nombre del libro esté escrito correctamente. - + Import a Bible. Importar una Biblia. - + Add a new Bible. Agregar una Biblia nueva. - + Edit the selected Bible. Editar la Biblia seleccionada. - + Delete the selected Bible. Eliminar la Biblia seleccionada. - + Preview the selected Bible. Vista previa de la Biblia seleccionada. - + Send the selected Bible live. Proyectar la Biblia seleccionada. - + Add the selected Bible to the service. Agregar esta Biblia al servicio. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Complemento de Biblias</strong><br />El complemento de Biblias permite mostrar versículos de diversas fuentes durante el servicio. - + &Upgrade older Bibles &Actualizar Biblias antiguas - + Upgrade the Bible databases to the latest format. Actualizar las Biblias al formato más reciente. @@ -659,61 +659,61 @@ Please type in some text before clicking New. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + versículo verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + versículos - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - hasta + hasta , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + y end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + fin @@ -766,39 +766,39 @@ y seguido de caracteres no numéricos. BiblesPlugin.BibleManager - + Scripture Reference Error Error de Referencia Bíblica - + Web Bible cannot be used No se puede usar la Biblia Web - + Text Search is not available with Web Bibles. La búsqueda no esta disponible para Biblias Web. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. No ingresó una palabra clave a buscar. Puede separar palabras clave con un espacio en blanco para buscar todas las palabras clave y puede separar con una coma para buscar una de ellas. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. No existen Biblias instaladas. Puede usar el Asistente de Importación para instalar una o varias Biblias. - + No Bibles Available Biblias no disponibles - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -988,12 +988,12 @@ resultados y pantalla: BiblesPlugin.CSVBible - + Importing books... %s Importando libros... %s - + Importing verses... done. Importando versículos... listo. @@ -1071,38 +1071,38 @@ No es posible personalizar los Nombres de Libros. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrando Biblia y cargando libros... - + Registering Language... Registrando idioma... - + Importing %s... Importing <book name>... Importando %s... - + Download Error Error de descarga - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Hubo un problema al descargar los versículos seleccionados. Por favor revise la conexión a Internet. Si el error persiste, considere reportar esta falla. - + Parse Error Error de análisis - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Hubo un problema al extraer los versículos seleccionados. Si el error persiste, considere reportar esta falla. @@ -1110,164 +1110,185 @@ No es posible personalizar los Nombres de Libros. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Asistente para Biblias - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Este asistente le ayudará a importar Biblias en una variedad de formatos. Haga clic en el botón siguiente para empezar el proceso seleccionando un formato a importar. - + Web Download Descarga Web - + Location: Ubicación: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Biblia: - + Download Options Opciones de descarga - + Server: Servidor: - + Username: Usuario: - + Password: Contraseña: - + Proxy Server (Optional) Servidor Proxy (Opcional) - + License Details Detalles de licencia - + Set up the Bible's license details. Establezca los detalles de licencia de la Biblia. - + Version name: Nombre de versión: - + Copyright: Copyright: - + Please wait while your Bible is imported. Por favor, espere mientras la Biblia es importada. - + You need to specify a file with books of the Bible to use in the import. Debe especificar un archivo que contenga los libros de la Biblia para importar. - + You need to specify a file of Bible verses to import. Debe especificar un archivo que contenga los versículos de la Biblia para importar. - + You need to specify a version name for your Bible. Debe ingresar un nombre de versión para esta Biblia. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Debe establecer los derechos de autor de su Biblia. Si es de Dominio Público, debe indicarlo. - + Bible Exists Ya existe la Biblia - + This Bible already exists. Please import a different Bible or first delete the existing one. Ya existe esta Biblia. Por favor importe una diferente o borre la anterior antes de continuar. - + Your Bible import failed. La importación de su Biblia falló. - + CSV File Archivo CSV - + Bibleserver Servidor - + Permissions: Permisos: - + Bible file: Archivo de biblia: - + Books file: Archivo de libros: - + Verses file: Archivo de versículos: - + Registering Bible... Registrando Biblia... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Biblia registrada. Note que los versículos se descargarán según +sea necesario, por lo que debe contar con una conexión a internet. + + + + Click to download bible list + Presione para descargar la lista de biblias + + + + Download bible list + Descargar lista de biblias + + + + Error during download + Error durante descarga + + + + An error occurred while downloading the list of bibles from %s. + Se produjo un error al descargar la lista de biblias de %s. @@ -1406,13 +1427,26 @@ Deberá reimportar esta Biblia para utilizarla de nuevo. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Eliminando etiquetas no utilizadas (esto puede tardar algunos minutos)... + + + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.UpgradeWizardForm @@ -1567,73 +1601,81 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + Archivo de Biblia incorrecto. Las Biblias Zefania pueden estar comprimidas. Debe descomprimirlas antes de importarlas. + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... CustomPlugin - + Custom Slide name singular Diapositiva - + Custom Slides name plural Diapositivas - + Custom Slides container title Diapositivas - + Load a new custom slide. Cargar nueva diapositiva. - + Import a custom slide. Importar nueva diapositiva. - + Add a new custom slide. Agregar nueva diapositiva. - + Edit the selected custom slide. Editar diapositiva seleccionada. - + Delete the selected custom slide. Eliminar diapositiva seleccionada. - + Preview the selected custom slide. Vista previa de la diapositiva seleccionada. - + Send the selected custom slide live. Proyectar diapositiva seleccionada. - + Add the selected custom slide to the service. Agregar diapositiva al servicio. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Diapositivas</strong><br />Este complemento le permite mostrar diapositivas de texto, de igual manera que se muestran las canciones. Ofrece una mayor libertad que el complemento de canciones. @@ -1653,7 +1695,7 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c Import missing custom slides from service files - + Importar diapositivas especiales faltantes desde el archivo de servicio @@ -1730,7 +1772,7 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? ¿Desea borrar %n diapositiva seleccionada? @@ -1741,60 +1783,60 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Complemento de Imagen</strong><br />Este complemento permite proyectar imágenes.<br />Una de sus características es que permite agrupar imágenes para facilitar su proyección. Este complemento puede utilizar el "bucle de tiempo" de OpenLP para crear una presentación que avance automáticamente. Además, las imágenes de este complemento se pueden utilizar para reemplazar la imagen de fondo del tema actual. - + Image name singular Imagen - + Images name plural Imágenes - + Images container title Imágenes - + Load a new image. Cargar una imagen nueva. - + Add a new image. Agregar una imagen nueva. - + Edit the selected image. Editar la imagen seleccionada. - + Delete the selected image. Eliminar la imagen seleccionada. - + Preview the selected image. Vista previa de la imagen seleccionada. - + Send the selected image live. Proyectar la imagen seleccionada. - + Add the selected image to the service. Agregar esta imagen al servicio. @@ -1822,12 +1864,12 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c Debe escribir un nombre para el grupo. - + Could not add the new group. No se pudo agregar el grupo nuevo. - + This group already exists. Este grupo ya existe. @@ -1876,34 +1918,34 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c Seleccionar imagen(es) - + You must select an image to replace the background with. Debe seleccionar una imagen para reemplazar el fondo. - + Missing Image(s) Imagen(es) faltante(s) - + The following image(s) no longer exist: %s La siguiente imagen(es) ya no está disponible: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? La siguiente imagen(es) ya no está disponible: %s ¿Desea agregar las demás imágenes? - + There was a problem replacing your background, the image file "%s" no longer exists. Ocurrió un problema al reemplazar el fondo, el archivo "%s" ya no existe. - + There was no display item to amend. Ningún elemento para corregir. @@ -1913,19 +1955,19 @@ Do you want to add the other images anyway? -- Grupo de nivel principal -- - + You must select an image or group to delete. - + Debe seleccionar una imagen o grupo para eliminar. - + Remove group Quitar grupo - + Are you sure you want to remove "%s" and everything in it? - + ¿Desea realmente eliminar "%s" y todo su contenido? @@ -1941,86 +1983,86 @@ Do you want to add the other images anyway? Phonon is a media player which interacts with the operating system to provide media capabilities. - + Phonon es un reproductor multimedia que interactua con el sistema operativo para permitirle reproducir medios. - + Audio Audio - + Video Video - + VLC is an external player which supports a number of different formats. VLC es un reproductor externo que soporta varios formatos diferentes. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. - + Webkit es un reproductor multimedia que se ejecuta en un explorador de internet. Le permite reproducir texto sobre el video. MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Complemento de Medios</strong><br />El complemento de medios permite reproducir audio y video. - + Media name singular Medios - + Media name plural Medios - + Media container title Medios - + Load new media. Cargar un medio nuevo. - + Add new media. Agregar un medio nuevo. - + Edit the selected media. Editar el medio seleccionado. - + Delete the selected media. Eliminar el medio seleccionado. - + Preview the selected media. Vista previa del medio seleccionado. - + Send the selected media live. Proyectar el medio seleccionado. - + Add the selected media to the service. Agregar este medio al servicio. @@ -2030,7 +2072,7 @@ Do you want to add the other images anyway? Select Media Clip - + Seleccione un Clip de Video @@ -2045,7 +2087,7 @@ Do you want to add the other images anyway? Select drive from list - + Seleccione una unidad de la lista @@ -2070,7 +2112,7 @@ Do you want to add the other images anyway? Subtitle track: - + Pista de subtítulos: @@ -2080,37 +2122,37 @@ Do you want to add the other images anyway? Clip Range - + Rango del Clip Start point: - + Punto inicial: Set start point - + Establecer el punto de inicio Jump to start point - + Ir al punto inicial End point: - + Punto final: Set end point - + Establecer el punto final Jump to end point - + Ir al punto final @@ -2118,7 +2160,7 @@ Do you want to add the other images anyway? No path was given - + No existe una ruta @@ -2158,17 +2200,17 @@ Do you want to add the other images anyway? Set name of mediaclip - + De un nombre al fragmento Name of mediaclip: - + Nombre de fragmento: Enter a valid name or cancel - + Ingrese un nombre válido o cancele @@ -2178,7 +2220,7 @@ Do you want to add the other images anyway? The name of the mediaclip must not contain the character ":" - + El nombre del fragmento de contener el caracter ":" @@ -2189,37 +2231,37 @@ Do you want to add the other images anyway? Seleccionar medios - + You must select a media file to delete. Debe seleccionar un archivo de medios para eliminar. - + You must select a media file to replace the background with. Debe seleccionar un archivo de medios para reemplazar el fondo. - + There was a problem replacing your background, the media file "%s" no longer exists. Ocurrió un problema al reemplazar el fondo, el archivo "%s" ya no existe. - + Missing Media File Archivo de medios faltante - + The file %s no longer exists. El archivo %s ya no está disponible. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Ningún elemento para corregir. @@ -2229,7 +2271,7 @@ Do you want to add the other images anyway? Archivo inválido - + Use Player: Usar reproductor: @@ -2244,29 +2286,29 @@ Do you want to add the other images anyway? El reproductor VLC es necesario para reproducir medios ópticos. - + Load CD/DVD Abrir CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled Abrir CD/DVD - disponible solo si VLC está instalado y habilitado - + The optical disc %s is no longer available. El medio óptico %s no está disponible. - + Mediaclip already saved - + Fragmento ya guardado - + This mediaclip has already been saved - + El fragmento ya ha sido guardado @@ -2279,7 +2321,7 @@ Do you want to add the other images anyway? Start Live items automatically - + Iniciar elementos En Vivo automaticamente @@ -2287,23 +2329,23 @@ Do you want to add the other images anyway? &Projector Manager - + Gestor de &Proyector OpenLP - + Image Files Archivos de Imagen - + Information Información - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -2314,7 +2356,7 @@ Debe actualizar las Biblias existentes. Backup - + Respaldo @@ -2324,12 +2366,12 @@ Debe actualizar las Biblias existentes. Backup of the data folder failed! - + ¡Falla en el respaldo de la carpeta de datos! A backup of the data folder has been created at %s - + Un respaldo de la carpeta de datos se creó en: %s @@ -2557,7 +2599,8 @@ Crédito Final Copyright © 2004-2015 %s Portions copyright © 2004-2015 %s - + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s @@ -2845,19 +2888,21 @@ El directorio se cambiará una vez que OpenLP se cierre. Display Workarounds - + Arreglos de Pantalla Use alternating row colours in lists - + Usar colores alternados en listas Are you sure you want to change the location of the OpenLP data directory to the default location? This location will be used after OpenLP is closed. - + ¿Desea cambiar la ubicación predeterminada del directorio de datos de OpenLP? + +Esta ubicación se utilizará luego de cerrar OpenLP. @@ -2868,7 +2913,13 @@ The location you have selected %s appears to contain OpenLP data files. Do you wish to replace these files with the current data files? - + ADVERTENCIA: + +La ubicación seleccionada + +%s + +aparentemente contiene archivos de datos de OpenLP. Desea reemplazar estos archivos con los actuales? @@ -3269,7 +3320,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename Cambiar nombre de archivo @@ -3279,7 +3330,7 @@ Version: %s Nombre nuevo: - + File Copy Copiar archivo @@ -3305,167 +3356,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Canciones - + First Time Wizard Asistente Inicial - + Welcome to the First Time Wizard Bienvenido al Asistente Inicial - + Activate required Plugins Activar complementos necesarios - + Select the Plugins you wish to use. Seleccione los complementos que desea usar. - + Bible Biblia - + Images Imágenes - + Presentations Presentaciones - + Media (Audio and Video) Medios (Audio y Video) - + Allow remote access Permitir acceso remoto - + Monitor Song Usage Historial de las canciones - + Allow Alerts Permitir alertas - + Default Settings Configuración predeterminada - + Downloading %s... Descargando %s... - + Enabling selected plugins... Habilitando complementos seleccionados... - + No Internet Connection Sin conexión a Internet - + Unable to detect an Internet connection. No se detectó una conexión a Internet. - + Sample Songs Canciones de muestra - + Select and download public domain songs. Seleccionar y descargar canciones de dominio público. - + Sample Bibles Biblias de muestra - + Select and download free Bibles. Seleccionar y descargar Biblias gratuitas. - + Sample Themes Temas de muestra - + Select and download sample themes. Seleccionar y descargar temas de muestra. - + Set up default settings to be used by OpenLP. Utilizar la configuración predeterminada. - + Default output display: Pantalla predeterminada: - + Select default theme: Tema por defecto: - + Starting configuration process... Iniciando proceso de configuración... - + Setting Up And Downloading Configurando y Descargando - + Please wait while OpenLP is set up and your data is downloaded. Por favor espere mientras OpenLP se configura e importa los datos. - + Setting Up Configurando - + Custom Slides Diapositivas - + Finish Finalizar - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3474,47 +3525,47 @@ To re-run the First Time Wizard and import this sample data at a later time, che Para abrir posteriormente este asistente e importar dicho material, revise su conexión a Internet y seleccione desde el menú "Herramientas/Abrir el Asistente Inicial" en OpenLP. - + Download Error Error de descarga - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. Descarga completa. Presione el botón %s para iniciar OpenLP. - + Download complete. Click the %s button to start OpenLP. Descarga completa. Presione el botón %s para iniciar OpenLP. - + Click the %s button to return to OpenLP. Presione el botón %s para regresar a OpenLP. - + Click the %s button to start OpenLP. Presione el botón %s para iniciar OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Ocurrió un problema con la conexión durante la descarga, las demás descargas no se realizarán. Intente abrir el Asistente Inicial luego. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. Este asistente le ayudará a configurar OpenLP para su uso inicial. Presione el botón %s para iniciar. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. @@ -3523,39 +3574,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s ahora. - + Downloading Resource Index - - - - - Please wait while the resource index is downloaded. - + Descargando Índice de Recursos + Please wait while the resource index is downloaded. + Por favor espere mientras se descarga el índice de recursos. + + + Please wait while OpenLP downloads the resource index file... - + Por favor espere mientras OpenLP descarga el archivo con el índice de recursos. - + Downloading and Configuring - + Descargando y Configurando - + Please wait while resources are downloaded and OpenLP is configured. - + Por favor espere mientras se descargan los recursos y se configura OpenLP. - + Network Error - + Error de Red - + There was a network error attempting to connect to retrieve initial configuration information - + Ocurrió un error en la red al accesar la información inicial de configuración. + + + + Cancel + Cancelar + + + + Unable to download some files + No se pudo descargar algunos archivos @@ -3588,12 +3649,12 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a Default Formatting - + Formato Predeterminado Custom Formatting - + Formato Personalizado @@ -3611,12 +3672,12 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a Description is missing - + Falta la descripción Tag is missing - + Falta etiqueta @@ -3626,6 +3687,16 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a Description %s already defined. + La descripción %s ya está definida. + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s @@ -3886,7 +3957,7 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a OpenLP.MainDisplay - + OpenLP Display Pantalla de OpenLP @@ -3941,7 +4012,7 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a Service Manager - Gestor del Servicio + Gestor de Servicio @@ -4193,7 +4264,7 @@ Puede descargar la última versión desde http://openlp.org/. La Pantalla Principal se ha puesto en blanco - + Default Theme: %s Tema predeterminado: %s @@ -4201,7 +4272,7 @@ Puede descargar la última versión desde http://openlp.org/. English Please add the name of your language here - Inglés + Spanish @@ -4209,12 +4280,12 @@ Puede descargar la última versión desde http://openlp.org/. Configurar &Atajos... - + Close OpenLP Cerrar OpenLP - + Are you sure you want to close OpenLP? ¿Desea salir de OpenLP? @@ -4288,13 +4359,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Abrir este asistente altera la configuración actual de OpenLP y posiblemente agregará canciones a su base de datos y cambiará el Tema predeterminado. - + Clear List Clear List of recent files Borrar Lista - + Clear the list of recent files. Borrar la lista de archivos recientes. @@ -4354,17 +4425,17 @@ Abrir este asistente altera la configuración actual de OpenLP y posiblemente ag Archivo de Preferencias OpenLP (*.conf) - + New Data Directory Error Error en el Nuevo Directorio de Datos - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Copiando datos OpenLP a una nueva ubicación - %s - Por favor espere a que finalice la copia - + OpenLP Data directory copy failed %s @@ -4385,7 +4456,7 @@ Abrir este asistente altera la configuración actual de OpenLP y posiblemente ag Jump to the search box of the current active plugin. - + Ir al cuadro de búsqueda del complemento activo actual. @@ -4394,50 +4465,61 @@ Abrir este asistente altera la configuración actual de OpenLP y posiblemente ag Importing settings will make permanent changes to your current OpenLP configuration. Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. - + ¿Desea importar las preferencias? + +Al importar preferencias la configuración actual de OpenLP cambiará permanentemente. + +Importar preferencias incorrectas puede causar un comportamiento errático y el cierre inesperado de OpenLP. The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. - + Aparentemente el archivo de preferencias OpenLP no es válido. + +Se ha detenido el procesamiento, no se realizaron cambios. Projector Manager - + Gestor de Proyector Toggle Projector Manager - + Alternar el Gestor de Proyector Toggle the visibility of the Projector Manager - + Alternar la visibilidad del gestor de proyector. - + Export setting error - + Error al exportar preferencias The key "%s" does not have a default value so it will be skipped in this export. - + La llave "%s" no tiene valor por defecto entonces se va a ignorar en esta exportación. + + + + An error occurred while exporting the settings: %s + Ocurrió un error mientras se exportaban las preferencias: %s OpenLP.Manager - + Database Error Error en Base de datos - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4446,7 +4528,7 @@ Database: %s Base de Datos: %s - + OpenLP cannot load your database. Database: %s @@ -4525,7 +4607,7 @@ Extensión no admitida &Duplicar - + Duplicate files were found on import and were ignored. Se encontraron archivos duplicados y se ignoraron. @@ -4553,17 +4635,17 @@ Extensión no admitida No message - + Ningún mensaje Error while sending data to projector - + Error al enviar los datos al proyector Undefined command: - + Comando indefinido: @@ -4571,7 +4653,7 @@ Extensión no admitida Players - + Reproductores @@ -4581,12 +4663,12 @@ Extensión no admitida Player Search Order - + Orden de Búsqueda de Reproductores Visible background for videos with aspect ratio different to screen. - + Fondo visible para videos con diferente aspecto que la pantalla. @@ -4798,7 +4880,7 @@ Extensión no admitida Invalid packet received - Paquete recibido no válido + Paquete recibido inválido @@ -4818,7 +4900,7 @@ Extensión no admitida Invalid prefix character - Caracter de prefijo no válido + Caracter de prefijo inválido @@ -4833,7 +4915,7 @@ Extensión no admitida The host address was not found - + No se encontró la dirección del anfitrión @@ -4848,7 +4930,7 @@ Extensión no admitida The socket operation timed out - + Tiempo de operación de socket agotado @@ -4883,7 +4965,7 @@ Extensión no admitida The SSL/TLS handshake failed - + La vinculación SSL/TLS falló @@ -4908,17 +4990,12 @@ Extensión no admitida The proxy address set with setProxy() was not found - - - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - + La dirección proxy con setProxy() no se encontró An unidentified error occurred - + Se produjo un error desconocido @@ -4948,32 +5025,32 @@ Extensión no admitida Initialize in progress - + Iniciando Power in standby - + Proyector en Espera Warmup in progress - + Calentando Power is on - + Proyector Encendido Cooldown in progress - + Enfriando Projector Information available - + Información de proyector disponible @@ -4985,23 +5062,28 @@ Extensión no admitida Received data Datos recibidos + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + OpenLP.ProjectorEdit Name Not Set - + Nombre No Establecido You must enter a name for this entry.<br />Please enter a new name for this entry. - + Debe ingresar un nombre para esta entrada.<br />Por favor ingrese un nombre nuevo para esta entrada. Duplicate Name - + Nombre Duplicado @@ -5009,7 +5091,7 @@ Extensión no admitida Add New Projector - + Agregar Nuevo Proyector @@ -5019,17 +5101,17 @@ Extensión no admitida IP Address - + Dirección IP Port Number - + Puerto Número PIN - + CLAVE @@ -5039,7 +5121,7 @@ Extensión no admitida Location - + Ubicación @@ -5054,7 +5136,7 @@ Extensión no admitida There was an error saving projector information. See the log for the error - + Se produjo un error al guardar la información del proyector. Vea el error en el registro @@ -5082,12 +5164,12 @@ Extensión no admitida Delete Projector - + Eliminar Projector Delete selected projector - + Eliminar el proyector seleccionado @@ -5112,102 +5194,102 @@ Extensión no admitida Connect to selected projector - + Conectar al proyector seleccionado Connect to selected projectors - + Conectar a los proyectores seleccionados Disconnect from selected projectors - + Desconectar de los proyectores seleccionados Disconnect from selected projector - + Desconectar del proyector seleccionado Power on selected projector - + Encender el proyector seleccionado Standby selected projector - + Apagar el proyector seleccionado Put selected projector in standby - + Poner el proyector seleccionado en reposo Blank selected projector screen - + Proyector seleccionado en negro Show selected projector screen - + Mostrar proyector seleccionado &View Projector Information - + &Ver Información del Proyector &Edit Projector - + Edi&tar Proyector &Connect Projector - + &Conectar Proyector D&isconnect Projector - + &Desconectar Proyector Power &On Projector - + &Apagar Proyector Power O&ff Projector - + &Encender Proyector Select &Input - + Seleccionar E&ntrada Edit Input Source - + Editar Fuente de Entrada &Blank Projector Screen - + Proyector Seleccionado en &Negro &Show Projector Screen - + &Mostrar Proyector Seleccionado &Delete Projector - + E&liminar Proyector @@ -5232,12 +5314,12 @@ Extensión no admitida Projector information not available at this time. - + Información del proyector no disponible en este momento. Projector Name - + Nombre del Proyector @@ -5257,22 +5339,22 @@ Extensión no admitida Power status - + Estado Shutter is - + El obturador está Closed - + Cerrado Current source input is - + Fuente de entrada actual @@ -5297,12 +5379,12 @@ Extensión no admitida No current errors or warnings - + No existen errores o advertencias Current errors/warnings - + Errores/advertencias @@ -5312,7 +5394,7 @@ Extensión no admitida No message - + Ningún mensaje @@ -5368,27 +5450,27 @@ Extensión no admitida Connect to projectors on startup - + Conectar a los proyectores al inicio Socket timeout (seconds) - + Socket timeout (segundos) Poll time (seconds) - + Tiempo de polling (segundos) Tabbed dialog box - + Cajas de diálogo con pestañas Single dialog box - + Cajas de diálogo individuales @@ -5396,17 +5478,17 @@ Extensión no admitida Duplicate IP Address - + Dirección IP Duplicada Invalid IP Address - + Dirección IP Inválida Invalid Port Number - + Numero de Puerto Inválido @@ -5531,22 +5613,22 @@ Extensión no admitida &Cambiar Tema de elemento - + File is not a valid service. El archivo de servicio es inválido. - + Missing Display Handler Controlador de Pantalla Faltante - + Your item cannot be displayed as there is no handler to display it No se puede mostrar el elemento porque no hay un controlador de pantalla disponible - + Your item cannot be displayed as the plugin required to display it is missing or inactive El elemento no se puede mostar porque falta el complemento requerido o esta desabilitado @@ -5626,12 +5708,12 @@ Extensión no admitida Notas Personales del Servicio: - + Notes: Notas: - + Playing time: Tiempo de reproducción: @@ -5641,22 +5723,22 @@ Extensión no admitida Servicio Sin nombre - + File could not be opened because it is corrupt. No se pudo abrir el archivo porque está corrompido. - + Empty File Archivo Vacio - + This service file does not contain any data. El archivo de servicio no contiene ningún dato. - + Corrupt File Archivo Corrompido @@ -5676,32 +5758,32 @@ Extensión no admitida Seleccione un tema para el servicio. - + Slide theme Tema de diapositiva - + Notes Notas - + Edit Editar - + Service copy only Copia unicamente - + Error Saving File Error al Guardar Archivo - + There was an error saving your file. Ocurrió un error al guardar su archivo. @@ -5710,46 +5792,35 @@ Extensión no admitida Service File(s) Missing Archivo(s) de Servicio Extraviado - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - El siguiente archivo(s) no está presente: -<byte value="x9"/>%s - -Si continua, el archivo(s) será removido al guardar. - &Rename... - + &Renombrar... Create New &Custom Slide - + Crear Nueva &Diapositiva &Auto play slides - + Reproducir diapositivas &autom. Auto play slides &Loop - + Reproducir en &Bucle Autom. Auto play slides &Once - + Reproducir diapositivas &autom. una vez - + &Delay between slides - + &Retardo entre diapositivas @@ -5757,64 +5828,76 @@ Si continua, el archivo(s) será removido al guardar. Archivos de Servicio OpenLP (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) Archivos de Servicio OpenLP (*.osz);; Archivos de Servicio OpenLP - lite (*.oszl) - + OpenLP Service Files (*.osz);; Archivos de Servicio OpenLP (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Archivo de servicio no válido. La codificación del contenido no es UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. El archivo de servicio que trata de abrir tiene un formato antiguo. Por favor guárdelo utilizando OpenLP 2.0.2 o uno más reciente. - + This file is either corrupt or it is not an OpenLP 2 service file. El archivo está dañado o no es un archivo de servicio de OpenLP 2. - + &Auto Start - inactive - + Inicio &Auto - inactivo - + &Auto Start - active - + Inicio &Auto - activo - + Input delay - + Retraso de entrada - + Delay between slides in seconds. Tiempo entre diapositivas en segundos. - + Rename item title - + Cambiar título del elemento - + Title: Título: + + + An error occurred while writing the service file: %s + Ocurrió un error al guardar el archivo de servicio: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + OpenLP.ServiceNoteForm @@ -6076,14 +6159,14 @@ Por favor guárdelo utilizando OpenLP 2.0.2 o uno más reciente. OpenLP.SourceSelectForm - + Select Projector Source - + Seleccione Entrada de Proyector - + Edit Projector Source Text - + Editar Nombre de Fuente @@ -6103,21 +6186,16 @@ Por favor guárdelo utilizando OpenLP 2.0.2 o uno más reciente. Save changes and return to OpenLP - + Guardar cambios y regresar a OpenLP. + + + + Delete entries for this projector + Eliminar entradas para este proyector - Delete entries for this projector - - - - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6281,7 +6359,7 @@ Por favor guárdelo utilizando OpenLP 2.0.2 o uno más reciente. &Global, por defecto - + %s (default) %s (predeterminado) @@ -6291,52 +6369,47 @@ Por favor guárdelo utilizando OpenLP 2.0.2 o uno más reciente. Debe seleccionar un tema para editar. - + You are unable to delete the default theme. No se puede eliminar el tema predeterminado. - + Theme %s is used in the %s plugin. El tema %s se usa en el complemento %s. - + You have not selected a theme. No ha seleccionado un tema. - + Save Theme - (%s) Guardar Tema - (%s) - + Theme Exported Tema Exportado - + Your theme has been successfully exported. Su tema a sido exportado exitosamente. - + Theme Export Failed La importación falló - - Your theme could not be exported due to an error. - No se pudo exportar el tema dedido a un error. - - - + Select Theme Import File Seleccione el Archivo de Tema a Importar - + File is not a valid theme. El archivo no es un tema válido. @@ -6386,20 +6459,15 @@ Por favor guárdelo utilizando OpenLP 2.0.2 o uno más reciente. ¿Eliminar el tema %s? - + Validation Error Error de Validación - + A theme with this name already exists. Ya existe un tema con este nombre. - - - OpenLP Themes (*.theme *.otz) - Tema OpenLP (*.theme *otz) - Copy of %s @@ -6407,15 +6475,25 @@ Por favor guárdelo utilizando OpenLP 2.0.2 o uno más reciente. Copia de %s - + Theme Already Exists Este Tema Ya Existe - + Theme %s already exists. Do you want to replace it? El Tema %s ya existe. Desea reemplazarlo? + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + Temas OpenLP (*.otz) + OpenLP.ThemeWizard @@ -6775,12 +6853,12 @@ Por favor guárdelo utilizando OpenLP 2.0.2 o uno más reciente. Universal Settings - + Preferencias Universales &Wrap footer text - + Ajustar &pié de página @@ -6851,7 +6929,7 @@ Por favor guárdelo utilizando OpenLP 2.0.2 o uno más reciente. Listo. - + Starting import... Iniciando importación... @@ -6862,7 +6940,7 @@ Por favor guárdelo utilizando OpenLP 2.0.2 o uno más reciente. Debe especificar un archivo %s para importar. - + Welcome to the Bible Import Wizard Bienvenido al Asistente para Biblias @@ -6956,7 +7034,7 @@ Por favor guárdelo utilizando OpenLP 2.0.2 o uno más reciente. Debe especificar una carpeta %s para importar. - + Importing Songs Importando Canciones @@ -6968,12 +7046,12 @@ Por favor guárdelo utilizando OpenLP 2.0.2 o uno más reciente. Written by - + Escrito por Author Unknown - + Autor desconocido @@ -7300,176 +7378,186 @@ Por favor intente seleccionarlo individualmente. Vista Previa - + Print Service Imprimir Servicio - + Projector Singular Proyector - + Projectors Plural Proyectores - + Replace Background Reemplazar Fondo - + Replace live background. Reemplazar el fondo proyectado. - + Reset Background Restablecer Fondo - + Reset live background. Restablecer el fondo proyectado. - + s The abbreviated unit for seconds s - + Save && Preview Guardar y Previsualizar - + Search Buscar - + Search Themes... Search bar place holder text Buscar Temas... - + You must select an item to delete. Debe seleccionar un elemento para eliminar. - + You must select an item to edit. Debe seleccionar un elemento para editar. - + Settings Preferencias - + Save Service Guardar Servicio - + Service Servicio - + Optional &Split &División Opcional - + Split a slide into two only if it does not fit on the screen as one slide. Dividir la diapositiva, solo si no se puede mostrar como una sola. - + Start %s Inicio %s - + Stop Play Slides in Loop Detener Bucle - + Stop Play Slides to End Detener presentación - + Theme Singular Tema - + Themes Plural Temas - + Tools Herramientas - + Top Superior - + Unsupported File Archivo inválido - + Verse Per Slide Versículo por Diapositiva - + Verse Per Line Versículo por Línea - + Version Versión - + View Vista - + View Mode Disposición CCLI song number: - + CCLI canción número: OpenLP 2.2 OpenLP 2.2 + + + Preview Toolbar + Barra de Vista Previa + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7509,50 +7597,50 @@ Por favor intente seleccionarlo individualmente. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Complemento de Presentaciones</strong><br />El complemento de presentaciones permite mostrar presentaciones usando diversos programas. La elección del programa se realiza por medio de una casilla de selección. - + Presentation name singular Presentación - + Presentations name plural Presentaciones - + Presentations container title Presentaciones - + Load a new presentation. Cargar una Presentación nueva. - + Delete the selected presentation. Eliminar la presentación seleccionada. - + Preview the selected presentation. Vista Previa de la presentación seleccionada. - + Send the selected presentation live. Proyectar la presentación seleccionada. - + Add the selected presentation to the service. Agregar esta presentación al servicio. @@ -7595,17 +7683,17 @@ Por favor intente seleccionarlo individualmente. Presentaciones (%s) - + Missing Presentation Presentación faltante - + The presentation %s is incomplete, please reload. La presentación %s está incompleta, cárgela nuevamente. - + The presentation %s no longer exists. La presentación %s ya no existe. @@ -7613,7 +7701,7 @@ Por favor intente seleccionarlo individualmente. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. @@ -7621,38 +7709,48 @@ Por favor intente seleccionarlo individualmente. PresentationPlugin.PresentationTab - + Available Controllers Controladores Disponibles - + %s (unavailable) %s (no disponible) - + Allow presentation application to be overridden Permitir tomar el control del programa de presentación - + PDF options Opciones de PDF - + Use given full path for mudraw or ghostscript binary: - + Select mudraw or ghostscript binary. + Seleccione el archivo binario mudraw o ghostscript. + + + + The program is not ghostscript or mudraw which is required. + El programa no es el ghostscript o mudraw necesario. + + + + PowerPoint options - - The program is not ghostscript or mudraw which is required. + + Clicking on a selected slide in the slidecontroller advances to next effect. @@ -7684,7 +7782,7 @@ Por favor intente seleccionarlo individualmente. Server Config Change - + Cambio en Configuración de Servidor @@ -7695,129 +7793,129 @@ Por favor intente seleccionarlo individualmente. RemotePlugin.Mobile - + Service Manager Gestor del Servicio - + Slide Controller Control de Diapositivas - + Alerts Alertas - + Search Buscar - + Home Inicio - + Refresh Refrezcar - + Blank En blanco - + Theme Tema - + Desktop Escritorio - + Show Mostrar - + Prev Anterior - + Next Siguiente - + Text Texto - + Show Alert Mostrar Alerta - + Go Live Proyectar - + Add to Service Agregar al Servicio - + Add &amp; Go to Service Agregar e Ir al Servicio - + No Results Sin Resultados - + Options Opciones - + Service Servicio - + Slides Diapositivas - + Settings Preferencias - + OpenLP 2.2 Remote - + OpenLP 2.2 Remoto - + OpenLP 2.2 Stage View - + OpenLP 2.2 Vista de Escenario - + OpenLP 2.2 Live View - + OpenLP 2.2 Vista del Escenario @@ -7850,7 +7948,7 @@ Por favor intente seleccionarlo individualmente. Display stage time in 12h format - Usar formato de 12h en pantalla de Administración + Usar formato de 12h en pantalla @@ -7865,7 +7963,7 @@ Por favor intente seleccionarlo individualmente. Live view URL: - + URL de Vista del Escenario: @@ -7875,17 +7973,17 @@ Por favor intente seleccionarlo individualmente. Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. - + No se encontró el certificado SSL. El servidor HTTPS no estará disponible a menos que se encuentre el certificado SSL. Por favor vea el manual para más información. User Authentication - + Autenticación de Usuario User id: - + Nombre de usuario: @@ -7901,85 +7999,85 @@ Por favor intente seleccionarlo individualmente. SongUsagePlugin - + &Song Usage Tracking &Historial de Uso - + &Delete Tracking Data &Eliminar datos de Historial - + Delete song usage data up to a specified date. Borrar los datos del historial hasta la fecha especificada. - + &Extract Tracking Data &Extraer datos de Historial - + Generate a report on song usage. Generar un reporte del historial de uso de las canciones. - + Toggle Tracking Activar Historial - + Toggle the tracking of song usage. Encender o apagar el historial del uso de las canciones. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Complemento de Historial</strong><br />Este complemento mantiene un registro del número de veces que se usa una canción en los servicios. - + SongUsage name singular Historial - + SongUsage name plural Historial - + SongUsage container title Historial - + Song Usage Historial - + Song usage tracking is active. Monitoreo de historial activo. - + Song usage tracking is inactive. Monitoreo de historial inactivo. - + display mostrar - + printed impreso @@ -8010,12 +8108,12 @@ Por favor intente seleccionarlo individualmente. Select the date up to which the song usage data should be deleted. All data recorded before this date will be permanently deleted. - + Seleccione la fecha desde la cual borrar el historial. Todos los datos guardados antes de esta fecha serán borrados permanentemente. All requested data has been deleted successfully. - + Todos los datos han sido borrados exitosamente. @@ -8041,22 +8139,22 @@ All data recorded before this date will be permanently deleted. Ubicación de Reporte - + Output File Location Archivo de Salida - + usage_detail_%s_%s.txt historial_%s_%s.txt - + Report Creation Crear Reporte - + Report %s has been successfully created. @@ -8065,46 +8163,56 @@ has been successfully created. se ha creado satisfactoriamente. - + Output Path Not Selected Ruta de salida no seleccionada - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. + No se ha establecido una ubicación válida para el archivo de reporte. Por favor seleccione una ubicación en su equipo. + + + + Report Creation Failed + Falló Creación de Reporte + + + + An error occurred while creating the report: %s SongsPlugin - + &Song &Canción - + Import songs using the import wizard. Importar canciones usando el asistente. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Complemento de Canciones</strong><br />El complemento de canciones permite mostar y editar canciones. - + &Re-index Songs &Re-indexar Canciones - + Re-index the songs database to improve searching and ordering. Reorganiza la base de datos para mejorar la busqueda y ordenamiento. - + Reindexing songs... Reindexando canciones... @@ -8200,82 +8308,82 @@ The encoding is responsible for the correct character representation. La codificación se encarga de la correcta representación de caracteres. - + Song name singular Canción - + Songs name plural Canciones - + Songs container title Canciones - + Exports songs using the export wizard. Exportar canciones usando el asistente. - + Add a new song. Agregar una canción nueva. - + Edit the selected song. Editar la canción seleccionada. - + Delete the selected song. Eliminar la canción seleccionada. - + Preview the selected song. Vista Previa de la canción seleccionada. - + Send the selected song live. Proyectar la canción seleccionada. - + Add the selected song to the service. Agregar esta canción al servicio. - + Reindexing songs Reindexando canciones - + CCLI SongSelect - + CCLI SongSelect - + Import songs from CCLI's SongSelect service. Importar canciones del servicio SongSelect de CCLI. - + Find &Duplicate Songs - + Buscar Canciones &Duplicadas - + Find and remove duplicate songs in the song database. - + Buscar y eliminar las canciones duplicadas en la base de datos. @@ -8356,7 +8464,7 @@ La codificación se encarga de la correcta representación de caracteres. Invalid DreamBeam song file. Missing DreamSong tag. - + Archivo de canción DreamBeam inválido. Falta la etiqueta de DreamBeam. @@ -8369,17 +8477,17 @@ La codificación se encarga de la correcta representación de caracteres. "%s" could not be imported. %s - + "%s" no se pudo importar. %s Unexpected data formatting. - + Formato de datos inesperado. No song text found. - + No se encontró el texto @@ -8391,7 +8499,7 @@ La codificación se encarga de la correcta representación de caracteres. This file does not exist. - + Este archivo no existe. @@ -8406,7 +8514,7 @@ La codificación se encarga de la correcta representación de caracteres. Could not retrieve encoding. - + No se pudo recuperar la codificación. @@ -8634,22 +8742,22 @@ Please enter the verses separated by spaces. Invalid Verse Order - + Orden de Versos Inválido &Edit Author Type - + &Editar Tipo de Autor Edit Author Type - + Editar el Tipo de Autor Choose type for this author - + Seleccione el tipo para este autor. @@ -8743,7 +8851,7 @@ Please enter the verses separated by spaces. Debe especificar un directorio. - + Select Destination Folder Seleccione Carpeta de Destino @@ -8755,7 +8863,7 @@ Please enter the verses separated by spaces. This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. - + Este asistente le ayudará a exportar sus canciones al formato gratuito y de código abierto<strong>OpenLyrics</strong>. @@ -8941,37 +9049,37 @@ Please enter the verses separated by spaces. WorshipCenter Pro Song Files - + Archivo WorshipCenter Pro The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. - + El importador WorshipCenter Pro se puede usar en windows únicamente. Se ha deshabilitado porque falta un módulo Python. Debe instalar el módulo "pyodbc" para usar este importador. PowerPraise Song Files - + Archivo PowerPraise PresentationManager Song Files - + Archivos de canción PresentationManager ProPresenter 4 Song Files - + Archivo ProPresenter 4 Worship Assistant Files - + Archivo Worship Assistant Worship Assistant (CSV) - + Worship Assistant (CSV) @@ -9088,7 +9196,7 @@ Please enter the verses separated by spaces. Invalid OpenSong song file. Missing song tag. - + Archivo de canción OpenSong inválido. Falta la etiqueta de canción. @@ -9150,15 +9258,20 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. La importación falló. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Exportación finalizada. Use el importador <strong>OpenLyrics</strong> para estos archivos. + + + Your song export failed because this error occurred: %s + + SongsPlugin.SongImport @@ -9301,7 +9414,7 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + Importador CCLI SongSelect @@ -9321,7 +9434,7 @@ Please enter the verses separated by spaces. Save username and password - + Guardar nombre de usuario y contraseña @@ -9339,9 +9452,9 @@ Please enter the verses separated by spaces. Buscar - + Found %s song(s) - + Se encontraron %s canción(es) @@ -9404,45 +9517,45 @@ Please enter the verses separated by spaces. Cerrando sesión... - + Save Username and Password - + Guardar Nombre de Usuario y Contraseña - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + ADVERTENCIA: guardar su nombre de usuario y contraseña NO ES SEGURO, su contraseña se guarda como TEXTO SIMPLE. Presione Si para guardar su contraseña o No para cancelar. - + Error Logging In - + Error al Iniciar Sesión - + There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported + Canción Importada + + + + Incomplete song + Canción incompleta + + + + This song is missing some information, like the lyrics, and cannot be imported. - - Your song has been imported, would you like to exit now, or import more songs? + + Your song has been imported, would you like to import more songs? - - - Import More Songs - - - - - Exit Now - Salir Ahora - SongsPlugin.SongsTab @@ -9474,7 +9587,7 @@ Please enter the verses separated by spaces. Display songbook in footer - + Mostrar himnario al pie diff --git a/resources/i18n/es_CL.ts b/resources/i18n/es_CL.ts new file mode 100644 index 000000000..5c3a07435 --- /dev/null +++ b/resources/i18n/es_CL.ts @@ -0,0 +1,9572 @@ + + + + AlertsPlugin + + + &Alert + + + + + Show an alert message. + + + + + Alert + name singular + + + + + Alerts + name plural + + + + + Alerts + container title + + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + + + + + Alert &text: + + + + + &New + + + + + &Save + + + + + Displ&ay + + + + + Display && Cl&ose + + + + + New Alert + + + + + &Parameter: + + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + + + + + AlertsPlugin.AlertsTab + + + Font + + + + + Font name: + + + + + Font color: + + + + + Background color: + + + + + Font size: + + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + + + + + Bible + name singular + + + + + Bibles + name plural + + + + + Bibles + container title + + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + + + + + Add a new Bible. + + + + + Edit the selected Bible. + + + + + Delete the selected Bible. + + + + + Preview the selected Bible. + + + + + Send the selected Bible live. + + + + + Add the selected Bible to the service. + + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + No Bibles Available + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Spanish (Chile) + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Spanish (Chile) + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Text Search + + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + Spanish (Chile) + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + + + + + &Open + + + + + Open an existing service. + + + + + &Save + + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Spanish (Chile) + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/es_CO.ts b/resources/i18n/es_CO.ts new file mode 100644 index 000000000..2b2949213 --- /dev/null +++ b/resources/i18n/es_CO.ts @@ -0,0 +1,9572 @@ + + + + AlertsPlugin + + + &Alert + + + + + Show an alert message. + + + + + Alert + name singular + + + + + Alerts + name plural + + + + + Alerts + container title + + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + + + + + Alert &text: + + + + + &New + + + + + &Save + + + + + Displ&ay + + + + + Display && Cl&ose + + + + + New Alert + + + + + &Parameter: + + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + + + + + AlertsPlugin.AlertsTab + + + Font + + + + + Font name: + + + + + Font color: + + + + + Background color: + + + + + Font size: + + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + + + + + Bible + name singular + + + + + Bibles + name plural + + + + + Bibles + container title + + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + + + + + Add a new Bible. + + + + + Edit the selected Bible. + + + + + Delete the selected Bible. + + + + + Preview the selected Bible. + + + + + Send the selected Bible live. + + + + + Add the selected Bible to the service. + + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + No Bibles Available + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Spanish (Colombia) + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Spanish (Colombia) + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Text Search + + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + + + + + &Open + + + + + Open an existing service. + + + + + &Save + + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Spanish (Colombia) + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/et.ts b/resources/i18n/et.ts index 1fe7d4a6a..25c52febc 100644 --- a/resources/i18n/et.ts +++ b/resources/i18n/et.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Teade - + Show an alert message. Teate kuvamine. - + Alert name singular Teade - + Alerts name plural Teated - + Alerts container title Teated - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Teadete plugin</strong><br />Teadete plugin juhib teadete näitamist ekraanil. @@ -154,85 +154,85 @@ Enne nupu Uus vajutamist sisesta mingi tekst. BiblesPlugin - + &Bible &Piibel - + Bible name singular Piibel - + Bibles name plural Piiblid - + Bibles container title Piiblid - + No Book Found Ühtegi raamatut ei leitud - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Sellest Piiblist ei leitud vastavat raamatut. Kontrolli, kas sa sisestasid raamatu nime õigesti. - + Import a Bible. Piibli importimine. - + Add a new Bible. Uue Piibli lisamine. - + Edit the selected Bible. Valitud Piibli muutmine. - + Delete the selected Bible. Valitud Piibli kustutamine. - + Preview the selected Bible. Valitud Piibli eelvaade. - + Send the selected Bible live. Valitud Piibli saatmine ekraanile. - + Add the selected Bible to the service. Valitud Piibli lisamine teenistusele. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Piibli plugin</strong><br />Piibli plugin võimaldab kuvada teenistuse ajal eri allikatest piiblisalme. - + &Upgrade older Bibles &Uuenda vanemad Piiblid - + Upgrade the Bible databases to the latest format. Piiblite andmebaaside uuendamine uusimasse vormingusse. @@ -660,61 +660,61 @@ Enne nupu Uus vajutamist sisesta mingi tekst. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + s V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + S verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + salm verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + salmid - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - kuni + kuni , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + ja end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + lõpp @@ -766,39 +766,39 @@ Numbrid võivad asuda ainult alguses ning nende järel peab olema mõni täht. BiblesPlugin.BibleManager - + Scripture Reference Error Kirjakohaviite tõrge - + Web Bible cannot be used Veebipiiblit pole võimalik kasutada - + Text Search is not available with Web Bibles. Tekstiotsing veebipiiblist pole võimalik. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Sa ei sisestanud otsingusõna. Sa võid eraldada võtmesõnad tühikuga, et otsida neid kõiki, või eraldada need komaga, et otsitaks ühte neist. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Praegu pole ühtegi Piiblit paigaldatud. Palun paigalda mõni Piibel importimise nõustaja abil. - + No Bibles Available Ühtegi Piiblit pole saadaval - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -988,12 +988,12 @@ otsingutulemustes ja ekraanil: BiblesPlugin.CSVBible - + Importing books... %s Raamatute importimine... %s - + Importing verses... done. Salmide importimine... valmis. @@ -1071,38 +1071,38 @@ Veebipiibli raamatute nimesid pole võimalik muuta. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Piibli registreerimine ja raamatute laadimine... - + Registering Language... Keele registreerimine... - + Importing %s... Importing <book name>... Raamatu %s importimine... - + Download Error Tõrge allalaadimisel - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Valitud salmide allalaadimisel esines viga. Kontrolli oma internetiühendust ning kui see viga kordub, teata sellest veast. - + Parse Error Parsimise viga - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Sinu salmide vahemiku analüüsimisel esines viga. Kui see viga kordub, siis palun teata sellest veast. @@ -1110,164 +1110,184 @@ Veebipiibli raamatute nimesid pole võimalik muuta. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Piibli importimise nõustaja - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. See nõustaja aitab erinevates vormingutes Piibleid importida. Klõpsa all asuvale edasi nupule, et alustada vormingu valimisest, millest importida. - + Web Download Veebist allalaadimine - + Location: Asukoht: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Piibel: - + Download Options Allalaadimise valikud - + Server: Server: - + Username: Kasutajanimi: - + Password: Parool: - + Proxy Server (Optional) Proksiserver (valikuline) - + License Details Litsentsi andmed - + Set up the Bible's license details. Määra Piibli litsentsi andmed. - + Version name: Versiooni nimi: - + Copyright: Autoriõigus: - + Please wait while your Bible is imported. Palun oota, kuni sinu Piiblit imporditakse. - + You need to specify a file with books of the Bible to use in the import. Pead määrama faili, mis sisaldab piibliraamatuid, mida tahad importida. - + You need to specify a file of Bible verses to import. Pead ette andma piiblisalmide faili, mida importida. - + You need to specify a version name for your Bible. Sa pead Piibli versioonile määrama nime. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Sa pead Piibli autoriõiguse omaniku määrama. Kui Piibel kuulub üldsuse omandisse (Public domain), siis märgi see vastavalt. - + Bible Exists Piibel on juba olemas - + This Bible already exists. Please import a different Bible or first delete the existing one. Piibel on juba olemas. Impordi Piibel teise nimega või kustuta enne olemasolev Piibel. - + Your Bible import failed. Piibli importimine nurjus. - + CSV File CSV fail - + Bibleserver Piibliserver - + Permissions: Lubatud: - + Bible file: Piibli fail: - + Books file: Raamatute fail: - + Verses file: Salmide fail: - + Registering Bible... Piibli registreerimine... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Registreeritud piibel. Pane tähele, et salmid laaditakse alla siis, kui neid vaja on, seetõttu on selle kasutamiseks vaja internetiühendust. + + + + Click to download bible list + Klõpsa piiblite nimekirja allalaadimiseks + + + + Download bible list + Laadi alla piiblite nimekiri + + + + Error during download + Viga allalaadimisel + + + + An error occurred while downloading the list of bibles from %s. + Piiblite nimekirja allalaadimisel serverist %s esines viga. @@ -1406,13 +1426,26 @@ Et jälle seda piiblit kasutada, pead selle uuesti importima. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Kasutamata siltide eemaldamine (võib võtta mõne minuti)... + + + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.UpgradeWizardForm @@ -1567,73 +1600,81 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + CustomPlugin - + Custom Slide name singular Kohandatud slaid - + Custom Slides name plural Kohandatud slaidid - + Custom Slides container title Kohandatud slaidid - + Load a new custom slide. Uue kohandatud slaidi laadimine. - + Import a custom slide. Kohandatud slaidi importimine. - + Add a new custom slide. Uue kohandatud slaidi lisamine. - + Edit the selected custom slide. Valitud kohandatud slaidi muutmine. - + Delete the selected custom slide. Valitud kohandatud slaidi kustutamine. - + Preview the selected custom slide. Valitud kohandatud slaidi eelvaatlus. - + Send the selected custom slide live. Valitud kohandatud slaidi saatmine ekraanile. - + Add the selected custom slide to the service. Valitud kohandatud slaidi lisamine teenistusele. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. @@ -1730,7 +1771,7 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1741,60 +1782,60 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Pildiplugin</strong><br />Pildiplugin võimaldab piltide kuvamise.<br />Üks selle plugina tähtsamaid võimalusi on piltide grupeerimine teenistuse halduris, muutes paljude piltide koos kuvamise lihtsamaks. See plugin võib kasutada ka ajastatud slaidivahetust automaatse slaidiesitluse tegemiseks. Lisaks sellele võib plugina pilte kasutada aktiivse kujunduse tausta asendamiseks. - + Image name singular Pilt - + Images name plural Pildid - + Images container title Pildid - + Load a new image. Uue pildi laadimine. - + Add a new image. Uue pildi lisamine. - + Edit the selected image. Valitud pildi muutmine. - + Delete the selected image. Valitud pildi kustutamine. - + Preview the selected image. Valitud pildi eelvaatlus. - + Send the selected image live. Valitud pildi saatmine ekraanile. - + Add the selected image to the service. Valitud pildi lisamine teenistusele. @@ -1804,32 +1845,32 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on Add group - + Lisa grupp Parent group: - + Ülemine grupp: Group name: - + Grupi nimi: You need to type in a group name. - + Pead sisestama grupi nime. - + Could not add the new group. - + Uut gruppi pole võimalik lisada. - + This group already exists. - + See grupp on juba olemas. @@ -1837,27 +1878,27 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on Select Image Group - + Pildi grupi valimine Add images to group: - + Piltide lisamine gruppi: No group - + Gruppi pole Existing group - + Olemasolev grupp New group - + Uus grupp @@ -1876,56 +1917,56 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on Piltide valimine - + You must select an image to replace the background with. Pead enne valima pildi, millega tausta asendada. - + Missing Image(s) Puuduvad pildid - + The following image(s) no longer exist: %s Järgnevaid pilte enam pole: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Järgnevaid pilte enam pole: %s Kas tahad teised pildid sellest hoolimata lisada? - + There was a problem replacing your background, the image file "%s" no longer exists. Tausta asendamisel esines viga, pildifaili "%s" enam pole. - + There was no display item to amend. Polnud ühtegi kuvatavat elementi, mida täiendada. -- Top-level group -- - + -- Ülemine grupp -- - + You must select an image or group to delete. - + Pead valima kõigepealt pildi või grupi, mida tahad kustutada. - + Remove group - + Eemalda grupp - + Are you sure you want to remove "%s" and everything in it? - + Kas sa kindlasti tahad eemaldada "%s" ja kõik selles grupis asuva? @@ -1944,22 +1985,22 @@ Kas tahad teised pildid sellest hoolimata lisada? - + Audio - + Audio - + Video Video - + VLC is an external player which supports a number of different formats. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. @@ -1967,60 +2008,60 @@ Kas tahad teised pildid sellest hoolimata lisada? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Meediaplugin</strong><br />Meediaplugin võimaldab audio- ja videofailide taasesitamise. - + Media name singular Meedia - + Media name plural Meedia - + Media container title Meedia - + Load new media. Uue meedia laadimine. - + Add new media. Uue meedia lisamine. - + Edit the selected media. Valitud meedia muutmine. - + Delete the selected media. Valitud meedia kustutamine. - + Preview the selected media. Valitud meedia eelvaatlus. - + Send the selected media live. Valitud meedia saatmine ekraanile. - + Add the selected media to the service. Valitud meedia lisamine teenistusele. @@ -2030,22 +2071,22 @@ Kas tahad teised pildid sellest hoolimata lisada? Select Media Clip - + Meedia valimine Source - + Allikas Media path: - + Meedia asukoht: Select drive from list - + Vali ketas nimekirjast @@ -2189,37 +2230,37 @@ Kas tahad teised pildid sellest hoolimata lisada? Meedia valimine - + You must select a media file to delete. Pead enne valima meedia, mida kustutada. - + You must select a media file to replace the background with. Pead enne valima meediafaili, millega tausta asendada. - + There was a problem replacing your background, the media file "%s" no longer exists. Tausta asendamisel esines viga, meediafaili "%s" enam pole. - + Missing Media File Puuduv meediafail - + The file %s no longer exists. Faili %s ei ole enam olemas. - + Videos (%s);;Audio (%s);;%s (*) Videod (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Polnud ühtegi kuvatavat elementi, mida täiendada. @@ -2229,7 +2270,7 @@ Kas tahad teised pildid sellest hoolimata lisada? Fail pole toetatud: - + Use Player: Kasutatav meediaesitaja: @@ -2244,27 +2285,27 @@ Kas tahad teised pildid sellest hoolimata lisada? Plaatide esitamiseks on vaja VLC mängijat - + Load CD/DVD Laadi CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled - + The optical disc %s is no longer available. - + Mediaclip already saved - + This mediaclip has already been saved @@ -2293,17 +2334,17 @@ Kas tahad teised pildid sellest hoolimata lisada? OpenLP - + Image Files Pildifailid - + Information Andmed - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -2822,242 +2863,242 @@ appears to contain OpenLP data files. Do you wish to replace these files with th Digital - + Digitaalne Storage - + Andmeruum Network - + Võrk RGB 1 - + RGB 1 RGB 2 - + RGB 2 RGB 3 - + RGB 3 RGB 4 - + RGB 4 RGB 5 - + RGB 5 RGB 6 - + RGB 6 RGB 7 - + RGB 7 RGB 8 - + RGB 8 RGB 9 - + RGB 9 Video 1 - + Video 1 Video 2 - + Video 2 Video 3 - + Video 3 Video 4 - + Video 4 Video 5 - + Video 5 Video 6 - + Video 6 Video 7 - + Video 7 Video 8 - + Video 8 Video 9 - + Video 9 Digital 1 - + Digitaalne 1 Digital 2 - + Digitaalne 2 Digital 3 - + Digitaalne 3 Digital 4 - + Digitaalne 4 Digital 5 - + Digitaalne 5 Digital 6 - + Digitaalne 6 Digital 7 - + Digitaalne 7 Digital 8 - + Digitaalne 8 Digital 9 - + Digitaalne 9 Storage 1 - + Andmeruum 1 Storage 2 - + Andmeruum 2 Storage 3 - + Andmeruum 3 Storage 4 - + Andmeruum 4 Storage 5 - + Andmeruum 5 Storage 6 - + Andmeruum 6 Storage 7 - + Andmeruum 7 Storage 8 - + Andmeruum 8 Storage 9 - + Andmeruum 9 Network 1 - + Võrk 1 Network 2 - + Võrk 2 Network 3 - + Võrk 3 Network 4 - + Võrk 4 Network 5 - + Võrk 5 Network 6 - + Võrk 6 Network 7 - + Võrk 7 Network 8 - + Võrk 8 Network 9 - + Võrk 9 @@ -3188,7 +3229,7 @@ Kui võimalik, kirjuta palun vearaport inglise keeles. OpenLP.FileRenameForm - + File Rename Faili ümbernimetamine @@ -3198,7 +3239,7 @@ Kui võimalik, kirjuta palun vearaport inglise keeles. Faili uus nimi: - + File Copy Faili kopeerimine @@ -3224,167 +3265,167 @@ Kui võimalik, kirjuta palun vearaport inglise keeles. OpenLP.FirstTimeWizard - + Songs Laulud - + First Time Wizard Esmakäivituse nõustaja - + Welcome to the First Time Wizard Tere tulemast esmakäivituse nõustajasse - + Activate required Plugins Vajalike pluginate sisselülitamine - + Select the Plugins you wish to use. Vali pluginad, mida tahad kasutada. - + Bible Piibel - + Images Pildid - + Presentations Esitlused - + Media (Audio and Video) Meedia (audio ja video) - + Allow remote access Kaugligipääs - + Monitor Song Usage Laulukasutuse monitooring - + Allow Alerts Teadaanded - + Default Settings Vaikimisi sätted - + Downloading %s... %s allalaadimine... - + Enabling selected plugins... Valitud pluginate sisselülitamine... - + No Internet Connection Internetiühendust pole - + Unable to detect an Internet connection. Internetiühendust ei leitud. - + Sample Songs Näidislaulud - + Select and download public domain songs. Vali ja laadi alla avalikku omandisse kuuluvaid laule. - + Sample Bibles Näidispiiblid - + Select and download free Bibles. Vabade Piiblite valimine ja allalaadimine. - + Sample Themes Näidiskujundused - + Select and download sample themes. Näidiskujunduste valimine ja allalaadimine. - + Set up default settings to be used by OpenLP. OpenLP jaoks vaikimisi sätete määramine. - + Default output display: Vaikimisi ekraani kuva: - + Select default theme: Vali vaikimisi kujundus: - + Starting configuration process... Seadistamise alustamine... - + Setting Up And Downloading Seadistamine ja allalaadimine - + Please wait while OpenLP is set up and your data is downloaded. Palun oota, kuni OpenLP-d seadistatakse ja andmeid allalaaditakse. - + Setting Up Seadistamine - + Custom Slides Kohandatud slaidid - + Finish Lõpp - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3393,85 +3434,95 @@ To re-run the First Time Wizard and import this sample data at a later time, che Esmakäivituse nõustaja hiljem uuesti käivitamiseks kontrolli oma internetiühendust ja käivita see nõustaja uuesti OpenLP menüüst "Tööriistad/Esmakäivituse nõustaja". - + Download Error Tõrge allalaadimisel - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. - + Download complete. Click the %s button to start OpenLP. - + Click the %s button to return to OpenLP. - + Click the %s button to start OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + Downloading Resource Index - + Please wait while the resource index is downloaded. - + Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring - + Please wait while resources are downloaded and OpenLP is configured. - + Network Error + Võrgu viga + + + + There was a network error attempting to connect to retrieve initial configuration information - - There was a network error attempting to connect to retrieve initial configuration information + + Cancel + Loobu + + + + Unable to download some files @@ -3505,12 +3556,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Default Formatting - + Vaikimisi vormindus Custom Formatting - + Muudetud vormindus @@ -3528,12 +3579,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description is missing - + Kirjeldus puudub Tag is missing - + Silt puudub @@ -3543,6 +3594,16 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. + Kirjeldus %s on juba määratud. + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s @@ -3803,7 +3864,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP kuva @@ -4110,7 +4171,7 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.Peakuva on tühi - + Default Theme: %s Vaikimisi kujundus: %s @@ -4118,7 +4179,7 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/. English Please add the name of your language here - Inglise + Estonian @@ -4126,12 +4187,12 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.&Kiirklahvide seadistamine... - + Close OpenLP OpenLP sulgemine - + Are you sure you want to close OpenLP? Kas oled kindel, et tahad OpenLP sulgeda? @@ -4205,13 +4266,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Selle nõustaja taaskäivitamine muudab sinu praegust OpenLP seadistust ja võib lisada laule olemasolevate laulude loetelusse ning muuta vaikimisi kujundust. - + Clear List Clear List of recent files Tühjenda loend - + Clear the list of recent files. Hiljutiste failide nimekirja tühjendamine. @@ -4271,17 +4332,17 @@ Selle nõustaja taaskäivitamine muudab sinu praegust OpenLP seadistust ja võib OpenLP eksporditud sätete fail (*.conf) - + New Data Directory Error Uue andmekausta viga - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish OpenLP andmete kopeerimine uude andmekataloogi - %s - palun oota, kuni kopeerimine lõpeb... - + OpenLP Data directory copy failed %s @@ -4336,7 +4397,7 @@ Processing has terminated and no changes have been made. - + Export setting error @@ -4345,16 +4406,21 @@ Processing has terminated and no changes have been made. The key "%s" does not have a default value so it will be skipped in this export. + + + An error occurred while exporting the settings: %s + + OpenLP.Manager - + Database Error Andmebaasi viga - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4363,7 +4429,7 @@ Database: %s Andmebaas: %s - + OpenLP cannot load your database. Database: %s @@ -4442,7 +4508,7 @@ Selle lõpuga fail ei ole toetatud &Klooni - + Duplicate files were found on import and were ignored. Importimisel tuvastati duplikaatfailid ning neid eirati. @@ -4470,7 +4536,7 @@ Selle lõpuga fail ei ole toetatud No message - + Teateid pole @@ -4488,7 +4554,7 @@ Selle lõpuga fail ei ole toetatud Players - + Esitajad @@ -4498,12 +4564,12 @@ Selle lõpuga fail ei ole toetatud Player Search Order - + Esitaja otsingu järjekord Visible background for videos with aspect ratio different to screen. - + Nähtav taust videotel, mis ei täida kogu ekraani. @@ -4650,82 +4716,82 @@ Selle lõpuga fail ei ole toetatud OK - + Olgu General projector error - + Üldine projektori viga Not connected error - + Viga, pole ühendatud Lamp error - + Lambi viga Fan error - + Ventilaatori viga High temperature detected - + Tuvastati liiga kõrge temperatuur Cover open detected - + Tuvastati, et luuk on avatud Check filter - + Kontrolli filtrit Authentication Error - + Autentimise viga Undefined Command - + Tundmatu käsk Invalid Parameter - + Sobimatu parameeter Projector Busy - + Projektor on hõivatud Projector/Display Error - + Projektori/kuvari viga Invalid packet received - + Saadi sobimatu pakett Warning condition detected - + Tuvastati ohtlik seisukord Error condition detected - + Tuvastati veaga seisukord @@ -4827,11 +4893,6 @@ Selle lõpuga fail ei ole toetatud The proxy address set with setProxy() was not found - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - - An unidentified error occurred @@ -4840,66 +4901,71 @@ Selle lõpuga fail ei ole toetatud Not connected - + Pole ühendatud Connecting - + Ühendumine Connected - + Ühendatud Getting status - + Oleku hankimine Off - + Väljas Initialize in progress - + Käivitamine on pooleli Power in standby - + Ootel (vool on järel) Warmup in progress - + Soojendamine pooleli Power is on - + Sisselülitatud Cooldown in progress - + Jahutamine on pooleli Projector Information available - + Projektori andmed on saadaval Sending data - + Andmete saatmine Received data + Saadi andmeid + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood @@ -4908,7 +4974,7 @@ Selle lõpuga fail ei ole toetatud Name Not Set - + Nimi pole määratud @@ -4918,7 +4984,7 @@ Selle lõpuga fail ei ole toetatud Duplicate Name - + Dubleeriv nimi @@ -4926,37 +4992,37 @@ Selle lõpuga fail ei ole toetatud Add New Projector - + Uue projektori lisamine Edit Projector - + Projektori muutmine IP Address - + IP-aadress Port Number - + Pordi nimi PIN - + PIN Name - + Nimi Location - + Asukoht @@ -4979,57 +5045,57 @@ Selle lõpuga fail ei ole toetatud Add Projector - + Lisa projektor Add a new projector - + Uue projektori lisamine Edit Projector - + Muuda projektorit Edit selected projector - + Valitud projektori muutmine Delete Projector - + Kustuta projektor Delete selected projector - + Valitud projektori kustutamine Select Input Source - + Sisendi valimine Choose input source on selected projector - + Valitud projektori videosisendi valimine View Projector - + Projektori andmed View selected projector information - + Valitud projektori andmete vaatamine Connect to selected projector - + Valitud projektoriga ühendumine @@ -5079,62 +5145,62 @@ Selle lõpuga fail ei ole toetatud &Edit Projector - + &Muuda projektorit &Connect Projector - + Ü&henda projektor D&isconnect Projector - + &Katkesta ühendus Power &On Projector - + Lülita projektor &sisse Power O&ff Projector - + Lülita projektor &välja Select &Input - + Vali s&isend Edit Input Source - + Sisendi muutmine &Blank Projector Screen - + &Tühi projektori ekraan &Show Projector Screen - + &Näita projektori ekraani &Delete Projector - + &Kustuta projektor Name - + Nimi IP - + IP @@ -5149,92 +5215,92 @@ Selle lõpuga fail ei ole toetatud Projector information not available at this time. - + Projektori andmed pole praegu saadaval Projector Name - + Projektori nimi Manufacturer - + Tootja Model - + Mudel Other info - + Muud andmed Power status - + Sisselülitamise olek Shutter is - + Katiku asend Closed - + Suletud Current source input is - + Praegune sisend on Lamp - + Lamp On - + Sees Off - + Väljas Hours - + Töötunnid No current errors or warnings - + Ühtegi viga või hoiatust pole Current errors/warnings - + Praegused vead/hoiatused Projector Information - + Projektori andmed No message - + Teateid pole Not Implemented Yet - + Pole toetatud @@ -5242,27 +5308,27 @@ Selle lõpuga fail ei ole toetatud Fan - + Ventilaator Lamp - + Lamp Temperature - + Temperatuur Cover - + Kaas Filter - + Filter @@ -5280,32 +5346,32 @@ Selle lõpuga fail ei ole toetatud Communication Options - + Ühenduse valikud Connect to projectors on startup - + Projektoritega ühendumine käivitumisel Socket timeout (seconds) - + Sokli aegumine (sekundites) Poll time (seconds) - + Pollimise sagedus (sekundites) Tabbed dialog box - + Sakkidega dialoogiaken Single dialog box - + Üks dialoogiaken @@ -5313,17 +5379,17 @@ Selle lõpuga fail ei ole toetatud Duplicate IP Address - + Dubleeriv IP-aadress Invalid IP Address - + Vigane IP-aadress Invalid Port Number - + Vigane pordi number @@ -5354,7 +5420,7 @@ Selle lõpuga fail ei ole toetatud [slide %d] - + [slaid %d] @@ -5448,22 +5514,22 @@ Selle lõpuga fail ei ole toetatud &Muuda elemendi kujundust - + File is not a valid service. Fail pole sobiv teenistus. - + Missing Display Handler Puudub kuvakäsitleja - + Your item cannot be displayed as there is no handler to display it Seda elementi pole võimalik näidata ekraanil, kuna puudub seda käsitsev programm - + Your item cannot be displayed as the plugin required to display it is missing or inactive Seda elementi pole võimalik näidata, kuna vajalik plugin on puudu või pole aktiivne @@ -5543,12 +5609,12 @@ Selle lõpuga fail ei ole toetatud Kohandatud teenistuse märkmed: - + Notes: Märkmed: - + Playing time: Kestus: @@ -5558,22 +5624,22 @@ Selle lõpuga fail ei ole toetatud Pealkirjata teenistus - + File could not be opened because it is corrupt. Faili pole võimalik avada, kuna see on rikutud. - + Empty File Tühi fail - + This service file does not contain any data. Selles teenistuse failis pole andmeid. - + Corrupt File Rikutud fail @@ -5593,32 +5659,32 @@ Selle lõpuga fail ei ole toetatud Teenistuse jaoks kujunduse valimine. - + Slide theme Slaidi kujundus - + Notes Märkmed - + Edit Muuda - + Service copy only Ainult teenistuse koopia - + Error Saving File Viga faili salvestamisel - + There was an error saving your file. Sinu faili salvestamisel esines tõrge. @@ -5627,108 +5693,110 @@ Selle lõpuga fail ei ole toetatud Service File(s) Missing Teenistuse failid on puudu - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - Järgnevad failid on teenistusest puudu: -<byte value="x9"/>%s - -Need failid eemaldatakse, kui sa otsustad siiski salvestada. - &Rename... - + &Muuda nime... Create New &Custom Slide - + Loo uus &kohandatud slaid &Auto play slides - + Slaidide &automaatesitus Auto play slides &Loop - + Slaidide automaatne &kordamine Auto play slides &Once - + Slaidide ü&ks automaatesitus - + &Delay between slides - + &Viivitus slaidide vahel OpenLP Service Files (*.osz *.oszl) - + OpenLP teenistuse failid (*osz *oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + OpenLP teenistuse failid (*.osz);; OpenLP teenistuse failid - kerge (*.oszl) - + OpenLP Service Files (*.osz);; - + OpenLP teenistuse failid (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. - + Fail pole sobiv teenistus. +Sisu pole kodeeritud UTF-8 vormingus. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + This file is either corrupt or it is not an OpenLP 2 service file. - + Fail on kas rikutud või see pole OpenLP 2 teenistuse fail. - + &Auto Start - inactive - + &Automaatesitus - pole aktiivne - + &Auto Start - active - + &Automaatesitus - aktiivne - + Input delay - + Sisendi viivitus - + Delay between slides in seconds. Viivitus slaidide vahel sekundites. - + Rename item title + Muuda kirje pealkirja + + + + Title: + Pealkiri: + + + + An error occurred while writing the service file: %s - - Title: - Pealkiri: + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + @@ -5991,12 +6059,12 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. OpenLP.SourceSelectForm - + Select Projector Source - + Edit Projector Source Text @@ -6021,18 +6089,13 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. - + Delete entries for this projector - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? + + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6196,7 +6259,7 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Määra &globaalseks vaikeväärtuseks - + %s (default) %s (vaikimisi) @@ -6206,52 +6269,47 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Pead valima kujunduse, mida muuta. - + You are unable to delete the default theme. Vaikimisi kujundust pole võimalik kustutada. - + Theme %s is used in the %s plugin. Kujundust %s kasutatakse pluginas %s. - + You have not selected a theme. Sa ei ole kujundust valinud. - + Save Theme - (%s) Salvesta kujundus - (%s) - + Theme Exported Kujundus eksporditud - + Your theme has been successfully exported. Sinu kujundus on edukalt eksporditud. - + Theme Export Failed Kujunduse eksportimine nurjus - - Your theme could not be exported due to an error. - Sinu kujundust polnud võimalik eksportida, kuna esines viga. - - - + Select Theme Import File Importimiseks kujunduse faili valimine - + File is not a valid theme. See fail ei ole sobilik kujundus. @@ -6301,20 +6359,15 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Kas kustutada kujundus %s? - + Validation Error Valideerimise viga - + A theme with this name already exists. Sellenimeline teema on juba olemas. - - - OpenLP Themes (*.theme *.otz) - OpenLP kujundused (*.theme *.otz) - Copy of %s @@ -6322,15 +6375,25 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. %s (koopia) - + Theme Already Exists Kujundus on juba olemas - + Theme %s already exists. Do you want to replace it? Kujundus %s on juba olemas. Kas tahad selle asendada? + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + OpenLP kujundused (*.otz) + OpenLP.ThemeWizard @@ -6622,17 +6685,17 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Solid color - + Ühtlane värv color: - + värv: Allows you to change and move the Main and Footer areas. - + Võimaldab muuta ja liigutada peamise teksti ja jaluse ala. @@ -6690,7 +6753,7 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Universal Settings - + Universaalsed sätted @@ -6766,7 +6829,7 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Valmis. - + Starting import... Importimise alustamine... @@ -6777,7 +6840,7 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Pead määrama vähemalt ühe %s faili, millest importida. - + Welcome to the Bible Import Wizard Tere tulemast Piibli importimise nõustajasse @@ -6871,7 +6934,7 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Pead valima ühe %s kausta, millest importida. - + Importing Songs Laulude importimine @@ -6883,12 +6946,12 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Written by - + Autor Author Unknown - + Autor teadmata @@ -6903,7 +6966,7 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Add group - + Lisa grupp @@ -7103,25 +7166,25 @@ Palun vali see eraldi. Manufacturer Singular - + Tootja Manufacturers Plural - + Tootjad Model Singular - + Mudel Models Plural - + Mudelid @@ -7187,7 +7250,7 @@ Palun vali see eraldi. OpenLP 2 - + OpenLP 2 @@ -7215,174 +7278,184 @@ Palun vali see eraldi. Eelvaade - + Print Service Teenistuse printimine - + Projector Singular Projektor - + Projectors Plural Projektorid - + Replace Background Tausta asendamine - + Replace live background. Ekraanil tausta asendamine. - + Reset Background Tausta lähtestamine - + Reset live background. Ekraanil esialgse tausta taastamine. - + s The abbreviated unit for seconds s - + Save && Preview Salvesta && eelvaatle - + Search Otsi - + Search Themes... Search bar place holder text Teemade otsing... - + You must select an item to delete. Pead valima elemendi, mida tahad kustutada. - + You must select an item to edit. Pead valima elemendi, mida tahad muuta. - + Settings Sätted - + Save Service Teenistuse salvestamine - + Service Teenistus - + Optional &Split Valikuline &slaidivahetus - + Split a slide into two only if it does not fit on the screen as one slide. Slaidi kaheks tükeldamine ainult juhul, kui see ei mahu tervikuna ekraanile. - + Start %s Algus %s - + Stop Play Slides in Loop Slaidide kordamise lõpetamine - + Stop Play Slides to End Slaidide ühekordse näitamise lõpetamine - + Theme Singular Kujundus - + Themes Plural Kujundused - + Tools Tööriistad - + Top Üleval - + Unsupported File Fail pole toetatud: - + Verse Per Slide Iga salm eraldi slaidil - + Verse Per Line Iga salm eraldi real - + Version Versioon - + View Vaade - + View Mode Vaate režiim CCLI song number: - + CCLI laulunumber: OpenLP 2.2 + OpenLP 2.2 + + + + Preview Toolbar + Tööriistariba eelvaade + + + + Replace live background is not available on this platform in this version of OpenLP. @@ -7424,50 +7497,50 @@ Palun vali see eraldi. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Esitluse plugin</strong><br />Esitluse plugin võimaldab näidata esitlusi erinevate programmidega. Saadaolevate esitlusprogrammide valik on saadaval valikukastis. - + Presentation name singular Esitlus - + Presentations name plural Esitlused - + Presentations container title Esitlused - + Load a new presentation. Uue esitluse laadimine. - + Delete the selected presentation. Valitud esitluse kustutamine. - + Preview the selected presentation. Valitud esitluse eelvaade. - + Send the selected presentation live. Valitud esitluse saatmine ekraanile. - + Add the selected presentation to the service. Valitud esitluse lisamine teenistusele. @@ -7510,17 +7583,17 @@ Palun vali see eraldi. Esitlused (%s) - + Missing Presentation Puuduv esitlus - + The presentation %s is incomplete, please reload. Esitlus %s pole täielik, palun laadi uuesti. - + The presentation %s no longer exists. Esitlust %s pole enam olemas. @@ -7528,7 +7601,7 @@ Palun vali see eraldi. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. @@ -7536,40 +7609,50 @@ Palun vali see eraldi. PresentationPlugin.PresentationTab - + Available Controllers Saadaolevad juhtijad - + %s (unavailable) %s (pole saadaval) - + Allow presentation application to be overridden Esitluste rakendust saab käsitsi muuta - + PDF options PDFi valikud - + Use given full path for mudraw or ghostscript binary: - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7610,129 +7693,129 @@ Palun vali see eraldi. RemotePlugin.Mobile - + Service Manager Teenistuse haldur - + Slide Controller Slaidikontroller - + Alerts Teated - + Search Otsi - + Home Kodu - + Refresh Värskenda - + Blank Tühjenda - + Theme Kujundus - + Desktop Töölaud - + Show Näita - + Prev Eelm - + Next Järgmine - + Text Tekst - + Show Alert Kuva teade - + Go Live Ekraanile - + Add to Service Lisa teenistusele - + Add &amp; Go to Service Lisa ja liigu teenistusse - + No Results Tulemusi pole - + Options Valikud - + Service Teenistus - + Slides Slaidid - + Settings Sätted - + OpenLP 2.2 Remote - + OpenLP 2.2 pult - + OpenLP 2.2 Stage View - + OpenLP 2.2 lavavaade - + OpenLP 2.2 Live View - + OpenLP 2.2 ekraan @@ -7780,12 +7863,12 @@ Palun vali see eraldi. Live view URL: - + Ekraanivaate UR: HTTPS Server - + HTTPS server @@ -7795,12 +7878,12 @@ Palun vali see eraldi. User Authentication - + Kasutaja autentimine User id: - + Kasutaja ID: @@ -7816,85 +7899,85 @@ Palun vali see eraldi. SongUsagePlugin - + &Song Usage Tracking &Laulude kasutuse jälgimine - + &Delete Tracking Data &Kustuta kogutud andmed - + Delete song usage data up to a specified date. Laulukasutuse andmete kustutamine kuni antud kuupäevani. - + &Extract Tracking Data &Eralda laulukasutuse andmed - + Generate a report on song usage. Genereeri raport laulude kasutuse kohta. - + Toggle Tracking Laulukasutuse jälgimine - + Toggle the tracking of song usage. Laulukasutuse jälgimise sisse- ja väljalülitamine. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Laulude plugin</strong><br />See plugin võimaldab laulude kuvamise ja haldamise. - + SongUsage name singular Laulukasutus - + SongUsage name plural Laulukasutus - + SongUsage container title Laulukasutus - + Song Usage Laulude kasutus - + Song usage tracking is active. Laulukasutuse jälgimine on aktiivne - + Song usage tracking is inactive. Laulukasutuse jälgimine pole aktiivne. - + display kuva - + printed prinditud @@ -7956,22 +8039,22 @@ All data recorded before this date will be permanently deleted. Raporti asukoht - + Output File Location Väljundfaili asukoht - + usage_detail_%s_%s.txt laulukasutuse_andmed_%s_%s.txt - + Report Creation Raporti koostamine - + Report %s has been successfully created. @@ -7980,46 +8063,56 @@ has been successfully created. on edukalt loodud. - + Output Path Not Selected Sihtkohta pole valitud - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + Report Creation Failed + Raporti koostamine nurjus + + + + An error occurred while creating the report: %s + + SongsPlugin - + &Song &Laul - + Import songs using the import wizard. Laulude importimine importimise nõustajaga. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Laulude plugin</strong><br />See plugin võimaldab laulude kuvamise ja haldamise. - + &Re-index Songs &Indekseeri laulud uuesti - + Re-index the songs database to improve searching and ordering. Laulude andmebaasi kordusindekseerimine, et parendada otsimist ja järjekorda. - + Reindexing songs... Laulude kordusindekseerimine... @@ -8114,82 +8207,82 @@ The encoding is responsible for the correct character representation. Kodeering on vajalik märkide õige esitamise jaoks. - + Song name singular Laul - + Songs name plural Laulud - + Songs container title Laulud - + Exports songs using the export wizard. Eksportimise nõustaja abil laulude eksportimine. - + Add a new song. Uue laulu lisamine. - + Edit the selected song. Valitud laulu muutmine. - + Delete the selected song. Valitud laulu kustutamine. - + Preview the selected song. Valitud laulu eelvaade. - + Send the selected song live. Valitud laulu saatmine ekraanile. - + Add the selected song to the service. Valitud laulu lisamine teenistusele. - + Reindexing songs Laulude uuesti indekseerimine - + CCLI SongSelect - + CCLI SongSelect - + Import songs from CCLI's SongSelect service. - + Laulude importimine CCLI SongSelect teenusest. - + Find &Duplicate Songs - + Leia &dubleerivad laulud - + Find and remove duplicate songs in the song database. - + Dubleerivate laulude otsimine ja eemaldamine laulude andmebaasist. @@ -8656,7 +8749,7 @@ Please enter the verses separated by spaces. Pead määrama kataloogi. - + Select Destination Folder Sihtkausta valimine @@ -8869,27 +8962,27 @@ Please enter the verses separated by spaces. PresentationManager Song Files - + PresentationManager'i laulufailid ProPresenter 4 Song Files - + ProPresenter 4 laulufailid Worship Assistant Files - + Worship Assistant failid Worship Assistant (CSV) - + Worship Assistant (CSV) In Worship Assistant, export your Database to a CSV file. - + Worship Assistant'is ekspordi oma andmebaas CSV faili. @@ -8930,9 +9023,9 @@ Please enter the verses separated by spaces. Are you sure you want to delete the %n selected song(s)? - - - + + Kas tahad kindlasti kustutada %n valitud laulu? + Kas tahad kindlasti kustutada %n valitud laulu? @@ -9001,7 +9094,7 @@ Please enter the verses separated by spaces. Invalid OpenSong song file. Missing song tag. - + Vigane OpenSong laulufail. Selles puudub silt "song". @@ -9063,15 +9156,20 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. Laulude eksportimine nurjus. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Eksportimine lõpetati. Nende failide importimiseks kasuta <strong>OpenLyrics</strong> importijat. + + + Your song export failed because this error occurred: %s + Sinu laulu eksportimine nurjus, kuna esines viga: %s + SongsPlugin.SongImport @@ -9214,12 +9312,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + CCLI SongSelect'i importija <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + <strong>Märkus:</strong> Laulude importimiseks CCLI SongSelect'ist on vajalik internetiühendus. @@ -9234,7 +9332,7 @@ Please enter the verses separated by spaces. Save username and password - + Salvesta kasutajanimi ja parool @@ -9252,7 +9350,7 @@ Please enter the verses separated by spaces. Otsi - + Found %s song(s) Leiti %s laul(u) @@ -9309,7 +9407,7 @@ Please enter the verses separated by spaces. Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. - + Sinu otsing tagastas üle 1000 tulemuse, see peatati. Palun täpsusta otsingut, et saada paremad tulemused. @@ -9317,44 +9415,44 @@ Please enter the verses separated by spaces. Väljalogimine... - + Save Username and Password Salvesta kasutajanimi ja parool - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + HOIATUS: Sinu kasutajanime ja parooli salvestamine on EBATURVALINE, sinu parool salvestatakse LIHTTEKSTINA. Klõpsa jah, et parool siiski salvestada või ei, et sellest loobuda. - + Error Logging In Viga sisselogimisel - + There was a problem logging in, perhaps your username or password is incorrect? - + Sisselogimisel esines viga, võib-olla on kasutajanimi või parool valed? - + Song Imported Laul imporditud - - Your song has been imported, would you like to exit now, or import more songs? - Sinu laul on nüüd imporditud, kas tahad nüüd väljuda või importida veel laule? + + Incomplete song + Poolik laul - - Import More Songs - Impordi veel laule + + This song is missing some information, like the lyrics, and cannot be imported. + Laulust puudub osa andmeid, näiteks sõnad, seda ei saa importida. - - Exit Now - Lõpeta + + Your song has been imported, would you like to import more songs? + Sinu laul imporditi. Kas tahad veel laule importida? @@ -9451,12 +9549,12 @@ Please enter the verses separated by spaces. Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. - + Vigane Words of Worship laulufail. Puudu on "CSongDoc::CBlock" sõne. Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. - + Vigane Words of Worship laulufail. Puudu on "WoW File\nSong Words" sõne. @@ -9548,12 +9646,12 @@ Please enter the verses separated by spaces. Here you can decide which songs to remove and which ones to keep. - + Siin saad valida, millised laulud salvestada ja millised eemaldada. Review duplicate songs (%s/%s) - + Eemalda dubleerivad laulud (%s/%s) @@ -9563,7 +9661,7 @@ Please enter the verses separated by spaces. No duplicate songs have been found in the database. - + Andmebaasist ei leitud ühtegi dubleerivat laulu. diff --git a/resources/i18n/fi.ts b/resources/i18n/fi.ts index e0ca9193d..a8aca9789 100644 --- a/resources/i18n/fi.ts +++ b/resources/i18n/fi.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Hälytys - + Show an alert message. Näytä hälytysviesti. - + Alert name singular Hälytys - + Alerts name plural Hälytykset - + Alerts container title Hälytykset - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Hälytykset lisäosa</strong><br />Hälytykset lisäosa huolehtii infoviestien näyttämisestä esityksen aikana. @@ -154,85 +154,85 @@ Ole hyvä ja kirjoita teksti ennen kuin painat Uusi. BiblesPlugin - + &Bible &Raamattu - + Bible name singular Raamattu - + Bibles name plural Raamatut - + Bibles container title Raamatut - + No Book Found Kirjaa ei löydy - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Annettua kirjaa ei ole tässä Raamatussa. Ole hyvä ja tarkista kirjan nimen oikeinkirjoitus. - + Import a Bible. Tuo Raamattu. - + Add a new Bible. Lisää uusi Raamattu. - + Edit the selected Bible. Muokkaa valittua Raamattua. - + Delete the selected Bible. Poista valittu Raamattu. - + Preview the selected Bible. Esikatsele valittua Raamatun tekstiä. - + Send the selected Bible live. Lähetä valittu Raamatun teksti live-esitykseen. - + Add the selected Bible to the service. Lisää valittu Raamatun teksti ajolistalle. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Raamattu-lisäosa</strong><br />Raamattu-lisäosalla voi näyttää Raamatun jakeita suoraan Raamatusta tilaisuuden aikana. - + &Upgrade older Bibles &Päivitä vanhempia Raamattuja - + Upgrade the Bible databases to the latest format. Päivitä Raamattutietokannat uusimpaan tiedostomuotoon. @@ -660,61 +660,61 @@ Ole hyvä ja kirjoita teksti ennen kuin painat Uusi. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + j V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + J verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + jae verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + jakeet - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - - + - , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + * and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + ja end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + loppu @@ -767,39 +767,39 @@ seuraata ainakin yksi tai useampia ei-numeerisia merkkejä. BiblesPlugin.BibleManager - + Scripture Reference Error Virhe jaeviitteessä - + Web Bible cannot be used Nettiraamattua ei voi käyttää - + Text Search is not available with Web Bibles. Tekstihaku ei ole käytettävissä nettiraamatuista. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Et ole antanut hakusanaa. Voit antaa useita eri hakusanoja välilyönnillä erotettuna, jos etsit niitä yhtenä lauseena. Jos sanat on erotettu pilkulla, etsitään niistä mitä tahansa. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Raamattuja ei ole asennettuna. Ole hyvä ja käytä ohjattua toimintoa asentaaksesi yhden tai useampia Raamattuja. - + No Bibles Available Raamattuja ei ole saatavilla - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -989,12 +989,12 @@ hakutuloksissa ja näytöllä. BiblesPlugin.CSVBible - + Importing books... %s Tuodaan kirjoja... %s - + Importing verses... done. Tuodaan jakeita... valmis. @@ -1072,38 +1072,38 @@ Sen kirjan nimiä ei voi mukauttaa. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Rekisteröidään Raamattu ja ladataan kirjoja... - + Registering Language... Rekisteröidään kieli... - + Importing %s... Importing <book name>... Tuodaan %s... - + Download Error Virhe latauksessa - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Ohjelma havaitsi ongelmia valittujen jakeiden lataamisessa. Ole hyvä ja tarkasta internet-yhteyden toimivuus. Jos ongelma ei poistu, harkitse raportointia virheestä kehittäjille. - + Parse Error Jäsennysvirhe - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Ohjelma havaitsi ongelmia valittujen jakeiden purkamisessa. Jos ongelma ei poistu, harkitse raportointia virheestä kehittäjille. @@ -1111,164 +1111,185 @@ Sen kirjan nimiä ei voi mukauttaa. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Raamatun ohjattu tuonti - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Tämä ohjattu toiminto helpottaa Raamattujen tuomista ohjelmaan eri formaateissa. Paina 'Seuraava'-painiketta aloittaaksesi tuonnin valitsemalla formaatin, josta teksti tuodaan. - + Web Download Lataaminen netistä - + Location: Sijainti: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Raamattu: - + Download Options Laamisen asetukset - + Server: Palvelin: - + Username: Käyttäjätunnus: - + Password: Salasana: - + Proxy Server (Optional) Välityspalvelin (valinnainen) - + License Details Lisenssin tiedot - + Set up the Bible's license details. Aseta Raamatun tekstin käyttöoikeuden tiedot. - + Version name: Käännöksen nimi: - + Copyright: Tekijäinoikeudet: - + Please wait while your Bible is imported. Ole hyvä ja odota kunnes Raamattu on tuotu järjestelmään. - + You need to specify a file with books of the Bible to use in the import. Valitse tiedosto tuotavaksi, jossa on Raamatun tekstissä käytetyt kirjojen nimet. - + You need to specify a file of Bible verses to import. Valitse tiedosto tuotavaksi, jossa on Raamatun teksti jakeittain. - + You need to specify a version name for your Bible. Sinun pitää määritellä käännöksen nimi Raamatulle - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Sinun pitää määritellä tekijäinoikeudet Raamatulle. Myös tekijäinoikeusvapaat Raamatut tulee merkitä sellaisiksi. - + Bible Exists Raamattu on olemassa - + This Bible already exists. Please import a different Bible or first delete the existing one. Raamattu on jo olemassa. Ole hyvä ja tuo jokin toinen Raamattu tai poista ensin nykyinen versio. - + Your Bible import failed. Raamatun tuonti epäonnistui. - + CSV File CSV-tiedosto - + Bibleserver Raamattupalvelin - + Permissions: Luvat: - + Bible file: Raamattutiedosto: - + Books file: Kirjatiedosto: - + Verses file: Jaetiedosto: - + Registering Bible... Rekisteröidään Raamattua... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Raamattu rekisteröity. Huomaathan, että jakeet ladataan palvelimelta +tarpeen mukaan, joten internet yhteys tarvitaan käyttöä varten. + + + + Click to download bible list + Klikkaa ladataksesi luettelon Raamatuista + + + + Download bible list + Lataa raamattuluettelo + + + + Error during download + Virhe ladattaessa + + + + An error occurred while downloading the list of bibles from %s. + Virhe ladattaessa raamattuluetteloa sivustolta %s. @@ -1407,13 +1428,26 @@ Sinun pitää tuoda Raamattu uudelleen käyttääksesi sitä jälleen.Virheellinen raamattu-tiedostotyyppi. Tämä vaikuttaa Zefania XML-raamatulta, ole hyvä ja käytä Zefania tuontia. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + Tuodaan %(bookname) %(chapter)... + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Poistetaan käyttämättömiä tageja (tämä voi kestää muutamia minuutteja)... + + + Importing %(bookname)s %(chapter)s... + Tuodaan %(bookname) %(chapter)... + BiblesPlugin.UpgradeWizardForm @@ -1568,73 +1602,81 @@ Ole hyvä ja huomaa, että jakeet nettiraamatuista ladataan käytettäessä, jot BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Virheellinen raamattu-tiedostotyyppi. Tämä vaikuttaa pakatulta Zefania XML-raamatulta, ole hyvä ja pura tiedosto ennen tuontia. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + Tuodaan %(bookname) %(chapter)... + + CustomPlugin - + Custom Slide name singular Mukautettu dia - + Custom Slides name plural Mukautetut diat - + Custom Slides container title Mukautetut diat - + Load a new custom slide. Lataa uusi mukautettu dia. - + Import a custom slide. Tuo mukautettu dia. - + Add a new custom slide. Lisää uusi mukautettu dia. - + Edit the selected custom slide. Muokkaa valitsemaasi mukautettua diaa. - + Delete the selected custom slide. Poista valitsemasi mukautettu dia. - + Preview the selected custom slide. Esikatsele valitsemaasi mukautettua diaa. - + Send the selected custom slide live. Lähetä valittu mukautettu dia live-esitykseen. - + Add the selected custom slide to the service. Lisää valittu mukautettu dia ajolistalle. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Mukautetut diat</strong><br />Mukautetut diat lisäosa mahdollistaa yksittäisten diojen näyttämisen laulujen tapaan. Mukautetut diat sen sijaan voi muokata lauluja vapaammin omiin tarkoituksiin sopiviksi. @@ -1731,7 +1773,7 @@ Ole hyvä ja huomaa, että jakeet nettiraamatuista ladataan käytettäessä, jot CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Oletko varma, että tahdot poistaa %n valittua mukautettua dia(a)? @@ -1742,60 +1784,60 @@ Ole hyvä ja huomaa, että jakeet nettiraamatuista ladataan käytettäessä, jot ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Kuvankatselu-lisäosa</strong><br />Kuvankatselu toteuttaa helpon kuvien näyttämisen.<br />Lisäosa mahdollistaa kokonaisen kuvajoukon näyttämisen yhdessä ajolistalla, mikä tekee useiden kuvien näyttämisestä hallitumpaa. Kuvia voi myös ajaa slideshowna OpenLP:n ajastusta hyödyntäen. Lisäksi kuvia voi käyttää jumalanpalvelukselle valitun taustakuvan sijaan, mikä mahdollistaa kuvien käyttämisen taustakuvana teksteille teeman sijaan. - + Image name singular Kuva - + Images name plural Kuvat - + Images container title Kuvat - + Load a new image. Lataa uusi kuva. - + Add a new image. Lisää uusi kuva. - + Edit the selected image. Muokkaa valittua kuvaa. - + Delete the selected image. Poista valittu kuva. - + Preview the selected image. Esikatsele valittua kuvaa. - + Send the selected image live. Lähetä valittu kuva live-esitykseen. - + Add the selected image to the service. Lisää valittu kuva ajolistalle. @@ -1823,12 +1865,12 @@ Ole hyvä ja huomaa, että jakeet nettiraamatuista ladataan käytettäessä, jot Sinun pitää syöttää ryhmälle nimi. - + Could not add the new group. Ryhmää ei voida lisätä. - + This group already exists. Ryhmä on jo olemassa. @@ -1877,34 +1919,34 @@ Ole hyvä ja huomaa, että jakeet nettiraamatuista ladataan käytettäessä, jot Valitse kuva(t) - + You must select an image to replace the background with. Sinun pitää valita kuva, jolla korvaa taustan. - + Missing Image(s) Puuttuvat kuva(t) - + The following image(s) no longer exist: %s Seuraavaa kuvaa (kuvia) ei enää ole olemassa: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Seuraavaa kuvaa (kuvia) ei ole enää olemassa: %s Haluatko lisätä toisia kuvia siitä huolimatta? - + There was a problem replacing your background, the image file "%s" no longer exists. Taustakuvan korvaaminen ei onnistunut. Kuvatiedosto "%s" ei ole enää olemassa. - + There was no display item to amend. Muutettavaa näyttöotsaketta ei ole. @@ -1914,17 +1956,17 @@ Haluatko lisätä toisia kuvia siitä huolimatta? -- Päätason ryhmä -- - + You must select an image or group to delete. Sinun pitää valita kuva tai ryhmä, jonka poistat. - + Remove group Poista ryhmä - + Are you sure you want to remove "%s" and everything in it? Oletko varma, että haluat poistaa "%s" ja kaikki sen tiedot? @@ -1945,22 +1987,22 @@ Haluatko lisätä toisia kuvia siitä huolimatta? Phonon on media soitin, joka kommunikoi käyttöjärjestelmään kanssa tuottaakseen mediaa. - + Audio Audio - + Video Video - + VLC is an external player which supports a number of different formats. VLC on ulkoinen soitin, joka tukee lukuista joukkoa eri tiedostomuotoja. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit on nettiselaimessa toimiva mediasoitin. Soitin sallii tekstin tulostamisen videon päälle. @@ -1968,60 +2010,60 @@ Haluatko lisätä toisia kuvia siitä huolimatta? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media-lisäosa</strong><br /> Media-lisäosa mahdollistaa audio ja video lähteiden toistamisen. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Lataa uusi media. - + Add new media. Lisää uusi media. - + Edit the selected media. Muokkaa valittua mediaa. - + Delete the selected media. Poista valittu media. - + Preview the selected media. Esikatsele valittua mediaa. - + Send the selected media live. Lähetä valittu media live-esitykseen. - + Add the selected media to the service. Lisää valittu media ajolistalle. @@ -2190,37 +2232,37 @@ Haluatko lisätä toisia kuvia siitä huolimatta? Valitse media - + You must select a media file to delete. Sinun täytyy valita mediatiedosto poistettavaksi. - + You must select a media file to replace the background with. Sinun täytyy valita mediatiedosto, jolla taustakuva korvataan. - + There was a problem replacing your background, the media file "%s" no longer exists. Taustakuvan korvaamisessa on ongelmia, mediatiedosto '%s" ei ole enää saatavilla. - + Missing Media File Puuttuva mediatiedosto - + The file %s no longer exists. Tiedosto %s ei ole enää olemassa. - + Videos (%s);;Audio (%s);;%s (*) Videoita (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Muutettavaa näyttöotsaketta ei ole. @@ -2230,7 +2272,7 @@ Haluatko lisätä toisia kuvia siitä huolimatta? Ei-tuettu tiedosto - + Use Player: Käytä soitinta: @@ -2245,27 +2287,27 @@ Haluatko lisätä toisia kuvia siitä huolimatta? VLC-soitin vaaditaan optisten medioiden soittamiseksi - + Load CD/DVD Lataa CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled Lataa CD/DVD - on tuettu ainoastaan, kun VLC on asennettu ja käytössä - + The optical disc %s is no longer available. Optinen levy %s ei ole käytettävissä. - + Mediaclip already saved Medialeike on jo tallennettu - + This mediaclip has already been saved Medialeike on tallennettu aiemmin @@ -2294,17 +2336,17 @@ Haluatko lisätä toisia kuvia siitä huolimatta? OpenLP - + Image Files Kuvatiedostot - + Information Tiedot - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3250,7 +3292,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename Tiedoston uudelleennimeäminen @@ -3260,7 +3302,7 @@ Version: %s Uusi tiedostonimi: - + File Copy Tiedoston kopiointi @@ -3286,167 +3328,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Laulut - + First Time Wizard Ensikäynnistyksen ohjattu toiminto - + Welcome to the First Time Wizard Tervetuloa ensikäynnistyksen ohjattuun toimintoon - + Activate required Plugins Aktivoi tarvittavat lisäosat - + Select the Plugins you wish to use. Valitse lisäosat, joita haluat käyttää. - + Bible Raamattu - + Images Kuvat - + Presentations Esitykset - + Media (Audio and Video) Media (audio ja video) - + Allow remote access Salli etäkäyttö - + Monitor Song Usage Tilastoi laulujen käyttöä - + Allow Alerts Salli hälytykset - + Default Settings Oletusasetukset - + Downloading %s... Ladataan %s... - + Enabling selected plugins... Otetaan käyttöön valittuja lisäosia... - + No Internet Connection Ei internetyhteyttä - + Unable to detect an Internet connection. Toimivaa internetyhteyttä ei saatavilla. - + Sample Songs Esimerkkejä lauluista - + Select and download public domain songs. Valitse ja lataa tekijäinoikeusvapaita lauluja. - + Sample Bibles Esimerkkejä Raamatuista - + Select and download free Bibles. Valitse ja lataa ilmaisia Raamattuja. - + Sample Themes Esimerkkiteemat - + Select and download sample themes. Valitse ja lataa esimerkkiteemoja. - + Set up default settings to be used by OpenLP. Määritä oletusasetukset, joita OpenLP käyttää. - + Default output display: Oletusarvoinen näyttölaite: - + Select default theme: Valitse oletusarvoinen teema: - + Starting configuration process... Konfigurointiprosessi alkaa... - + Setting Up And Downloading Määritetään asetuksia ja ladataan - + Please wait while OpenLP is set up and your data is downloaded. Ole hyvä ja odota kunnes OpenLP on määrittänyt asetukset ja kaikki tiedostot on ladattu. - + Setting Up Määritetään asetuksia - + Custom Slides Mukautetut diat - + Finish Loppu - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3455,47 +3497,47 @@ To re-run the First Time Wizard and import this sample data at a later time, che Suorittaaksesi ohjatun toiminnon uudelleen myöhemmin, tarkista internetyhteys ja suorita toiminto uudelleen valitsemalla "Työkalut/Käynnistä ensiasennuksen ohjattu toiminto" OpenLP:stä. - + Download Error Virhe latauksessa - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. Oli yhteysongelmia lataamisen aikana, minkä tähden seuraavat lataukset jätetään välistä. Yritä ajaa uudelleen Ensimmäisen käynnistyksen avustaja myöhemmin. - + Download complete. Click the %s button to return to OpenLP. Lataus on valmis. Paina %s painiketta palataksesi OpenLP-ohjelmaan. - + Download complete. Click the %s button to start OpenLP. Lataus valmis. Paina %s painiketta käynnistääksesi OpenLP:n. - + Click the %s button to return to OpenLP. Paina %s painiketta palataksesi OpenLP:hen. - + Click the %s button to start OpenLP. Paina %s painiketta käynnistääksesi OpenLP:n. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Oli yhteysongelmia lataamisen aikana, minkä tähden seuraavat lataukset jätetään välistä. Yritä ajaa Ensimmäisen käynnistyksen avustaja uudelleen myöhemmin. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. Tämä avustustoiminto ohjeistaa sinut OpenLP:n käyttöönotossa. Paina %s aloittaaksesi. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. @@ -3504,39 +3546,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Keskeyttääksesi ensiasennuksen ohjatun toiminnon kokonaan (ei käynnistetä OpenLP:tä), paina %s -painiketta nyt. - + Downloading Resource Index Ladataan resurssien indeksi - + Please wait while the resource index is downloaded. Ole hyvä ja odota, kunnes indeksi on latautunut,. - + Please wait while OpenLP downloads the resource index file... Ole hyvä ja odota kunnes OpenLP on ladannut indeksi tiedoston... - + Downloading and Configuring Lataaminen ja konfigurointi - + Please wait while resources are downloaded and OpenLP is configured. Ole hyvä ja odota kunnes resurssit ovat latautuneet ja OpenLP on konfiguroitu. - + Network Error Verkkovirhe - + There was a network error attempting to connect to retrieve initial configuration information - + Verkkovirhe ladatessa oletusasetuksia palvelimelta + + + + Cancel + Peruuta + + + + Unable to download some files + Joitain tiedostoja ei voitu ladata @@ -3609,6 +3661,16 @@ Keskeyttääksesi ensiasennuksen ohjatun toiminnon kokonaan (ei käynnistetä Op Description %s already defined. Kuvaus %s on jo määritelty. + + + Start tag %s is not valid HTML + Aloitustagi %s ei ole kelvollista HTML:ää + + + + End tag %s does not match end tag for start tag %s + Lopetustagi %s ei täsmää aloitus tagin %s lopetustagiin + OpenLP.FormattingTags @@ -3867,7 +3929,7 @@ Keskeyttääksesi ensiasennuksen ohjatun toiminnon kokonaan (ei käynnistetä Op OpenLP.MainDisplay - + OpenLP Display OpenLP Näyttö @@ -4174,7 +4236,7 @@ Voit ladata viimeisimmän version osoittesta http://openlp.org/. Pääasiallinen näyttö on pimennetty - + Default Theme: %s Oletusteema: %s @@ -4182,7 +4244,7 @@ Voit ladata viimeisimmän version osoittesta http://openlp.org/. English Please add the name of your language here - Englanti + Finish @@ -4190,12 +4252,12 @@ Voit ladata viimeisimmän version osoittesta http://openlp.org/. Määrittele &Näppäinoikotiet... - + Close OpenLP Sulje OpenLP - + Are you sure you want to close OpenLP? Oletko varma, että haluat sulkea OpenLP:n? @@ -4269,13 +4331,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Uudelleensuorittaminen voi muuttaa jälkeenpäin tehtyjä muutoksia nykyiseen OpenLP:n asetuksiin ja mahdollisesti lisätä lauluja olemassoleviin luetteloihin ja muuttaa oletusteemaa. - + Clear List Clear List of recent files Tyhjennä luettelo - + Clear the list of recent files. Tyhjentää viimeksi käytettyjen tiedostojen luettelon. @@ -4335,17 +4397,17 @@ Uudelleensuorittaminen voi muuttaa jälkeenpäin tehtyjä muutoksia nykyiseen Op OpenLP:n viedyt asetustiedostot (*.conf) - + New Data Directory Error Uuden datahakemiston virhe - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Kopioidaan OpenLP:n tietoja uuteen datahakemiston sijaintiin - %s - Ole hyvä ja odota kopioinnin loppumista. - + OpenLP Data directory copy failed %s @@ -4406,7 +4468,7 @@ Käsittely on keskeytetty eikä muutoksia ole tehty. Näytä tai piilota projektorin hallinta - + Export setting error Asetusten vienti epäonnistui @@ -4415,16 +4477,21 @@ Käsittely on keskeytetty eikä muutoksia ole tehty. The key "%s" does not have a default value so it will be skipped in this export. Painikkeella "%s" ei ole oletusarvoa, joten se jätetään välistä tietoja vietäessä. + + + An error occurred while exporting the settings: %s + Virhe asetusten viennin aikana: %s + OpenLP.Manager - + Database Error Tietokantavirhe - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4433,7 +4500,7 @@ Database: %s Tietokanta: %s. - + OpenLP cannot load your database. Database: %s @@ -4512,7 +4579,7 @@ Tiedostopäätettä ei tueta. &Monista - + Duplicate files were found on import and were ignored. Duplikaatteeja tiedostoja löytyi tuotaessa ja ne ohitettiin. @@ -4825,152 +4892,152 @@ Tiedostopäätettä ei tueta. The socket operation failed because the application lacked the required privileges - + Ohjelmalla ei ole riittäviä oikeuksia socket-rajanpinnan käyttämiseksi The local system ran out of resources (e.g., too many sockets) - + Paikallisen järjestelmän resurssit loppuivat (esim. liikaa socketteja) The socket operation timed out - + Aikakatkaisu socket käytössä The datagram was larger than the operating system's limit - + Datagrammi oli suurempi kuin käyttöjärjestelmän rajoitus sallii An error occurred with the network (Possibly someone pulled the plug?) - + Verkkovirhe (Mahdollisesti joku irroitti verkkojohdon?) The address specified with socket.bind() is already in use and was set to be exclusive - + Annettu socket.bind() on jo käytössä eikä sitä ole sallittu jaettava The address specified to socket.bind() does not belong to the host - + Socket.bind() osoite on määritelty kuuluvaksi toiselle palvelulle The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) - + Socket -toiminto ei ole tuettu paikallisessa käyttöjärjestelmässä (esim. IPV6-tuki puuttuu) The socket is using a proxy, and the proxy requires authentication - + Socket käyttää välityspalvelinta ja se vaatii tunnistautumisen The SSL/TLS handshake failed - + SSL/TLS kättely epäonnistui The last operation attempted has not finished yet (still in progress in the background) - + Viimeisin yritetty toiminto ei ole vielä loppunut (yhä käynnissä taustalla) Could not contact the proxy server because the connection to that server was denied - + Ei saada yhteyttä välityspalvelimeen, koska yhteys palvelimeen on kielletty The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) - + Yhteys välityspalvelimeen on katkaistu odottamattomasti (ennen kuin yhteys on muodostunut toiseen koneeseen) The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. - + Yhteys välityspalvelimeen on aikakatkaistu tai välityspalvelin on lakannut vastaamasta tunnistautumisvaiheessa. The proxy address set with setProxy() was not found - - - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - + Välityspalvelimen setProxy() osoitetta ei löytynyt An unidentified error occurred - + Määrittelemätön virhe on tapahtunut Not connected - + Ei yhteyttä Connecting - + Yhdistetään Connected - + Yhdistetty Getting status - + Vastaanotettaan tila Off - + Pois Initialize in progress - + Alustus käynnissä Power in standby - + Standby -tila Warmup in progress - + Lämpenee Power is on - + Virta on päällä Cooldown in progress - + Jäähdytellään Projector Information available - + Projektorin tiedot on saatavilla Sending data - + Lähetetään tietoja Received data - + Vastaanotettaan tietoa + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + Yhteyden muodostaminen välityspalvelimeen epäonnistui, koska palvelin ei ymmärtänyt pyyntöä @@ -4978,17 +5045,17 @@ Tiedostopäätettä ei tueta. Name Not Set - + Nimeä ei ole asetettu You must enter a name for this entry.<br />Please enter a new name for this entry. - + Sinun pitää antaa nimi syötteellesi.<br />Ole hyvä ja anna uusi nimi. Duplicate Name - + Nimi on jo käytössä @@ -4996,37 +5063,37 @@ Tiedostopäätettä ei tueta. Add New Projector - + Lisää uusi projektori Edit Projector - + Muokkaa projektoria IP Address - + IP-osoite Port Number - + Portti PIN - + PIN Name - + Nimi Location - + Sijainti @@ -5041,7 +5108,7 @@ Tiedostopäätettä ei tueta. There was an error saving projector information. See the log for the error - + Tapahtui virhe projektorin tietojen tallennuksessa. Katso logista virhettä @@ -5049,162 +5116,162 @@ Tiedostopäätettä ei tueta. Add Projector - + Lisää projektori Add a new projector - + Lisää uusi projektori Edit Projector - + Muokkaa projektoria Edit selected projector - + Muokkaa valittua projektoria Delete Projector - + Poista projektori Delete selected projector - + Poista valittu projektori Select Input Source - + Valitse sisääntulon lähde Choose input source on selected projector - + Valitse sisääntulo valitulle projektorille View Projector - + Näytä projektori View selected projector information - + Näytä valitun projektorin tiedot Connect to selected projector - + Yhdistä valittu projektori Connect to selected projectors - + Yhdistä valitut projektorit Disconnect from selected projectors - + Lopeta yhteys valittuihin projektoreihin Disconnect from selected projector - + Lopeta yhteys valittuun projektoriin Power on selected projector - + Kytke valittu projektori päälle Standby selected projector - + Projektori standby -tilaan Put selected projector in standby - + Aseta valittu projektori standby -tilaan Blank selected projector screen - + Pimennä valittu projektorinäyttö Show selected projector screen - + Näytä valittu projektorinäyttö &View Projector Information - + &Näytä projektorin tiedot &Edit Projector - + &Muokkaa projektoria &Connect Projector - + &Yhdistä projektori D&isconnect Projector - + K&ytke projektori pois Power &On Projector - + Käynnistä projektori Power O&ff Projector - + Sammuta projektori Select &Input - + &Valitse tulo Edit Input Source - + Muokkaa tuloa &Blank Projector Screen - + &Pimennä projektorin näyttö &Show Projector Screen - + &Näytä projektorin näyttö &Delete Projector - + P&oista projektori Name - + Nimi IP - + IP @@ -5219,82 +5286,82 @@ Tiedostopäätettä ei tueta. Projector information not available at this time. - + Projektorin tiedot eivät ole saatavilla juuri nyt Projector Name - + Projektorin nimi Manufacturer - + Valmistaja Model - + Malli Other info - + Muut tiedot Power status - + Virran tila Shutter is - + Sulkija on Closed - + suljettu Current source input is - + Nykyinen tulo on Lamp - + Lamppu On - + Päällä Off - + Pois Hours - + Tuntia No current errors or warnings - + Ei virheitä tai varoituksia Current errors/warnings - + Nykyiset virheet/varoiutukset Projector Information - + Projektorin tiedot @@ -5304,7 +5371,7 @@ Tiedostopäätettä ei tueta. Not Implemented Yet - + Ei ole vielä toteutettu @@ -5312,27 +5379,27 @@ Tiedostopäätettä ei tueta. Fan - + Tuuletin Lamp - + Lamppu Temperature - + Lämpötila Cover - + Peite Filter - + Suodin @@ -5345,37 +5412,37 @@ Tiedostopäätettä ei tueta. Projector - + Projektori Communication Options - + Tiedonsiirron asetukset Connect to projectors on startup - + Yhdistä projektorit käynnistyksessä Socket timeout (seconds) - + Socketin aikakatkaisu (sekuntia) Poll time (seconds) - + Virkistysaika (sekuntia) Tabbed dialog box - + Välilehdin varustettu viesti-ikkuna Single dialog box - + Yksinkertainen viesti-ikkuna @@ -5383,17 +5450,17 @@ Tiedostopäätettä ei tueta. Duplicate IP Address - + Päällekkäinen IP-osoite Invalid IP Address - + Virheellinen IP-osoite Invalid Port Number - + Virheellinen porttinumero @@ -5424,7 +5491,7 @@ Tiedostopäätettä ei tueta. [slide %d] - + [dia %d] @@ -5518,22 +5585,22 @@ Tiedostopäätettä ei tueta. &Muuta rivin teemaa - + File is not a valid service. Tiedosto ei ole kelvollinen ajolista. - + Missing Display Handler Puuttuva näytön käsittelijä - + Your item cannot be displayed as there is no handler to display it Näyttöelementtiä ei voi näyttää, koska sen näyttämiseen ei ole määritelty näyttöä. - + Your item cannot be displayed as the plugin required to display it is missing or inactive Näyttöelementtiä ei voi näyttää, koska sen vaatimaa lisäosaa ei ole asennettu tai aktivoitu. @@ -5613,12 +5680,12 @@ Tiedostopäätettä ei tueta. Mukautetun ajolistan muistiinpanot: - + Notes: Muistiinpanot: - + Playing time: Toistoaika: @@ -5628,22 +5695,22 @@ Tiedostopäätettä ei tueta. Nimetön ajolista - + File could not be opened because it is corrupt. Tiedostoa ei voida avata, koska sen sisältö on turmeltunut. - + Empty File Tyhjä tiedosto - + This service file does not contain any data. Tässä ajolistassa ei ole lainkaan sisältöä. - + Corrupt File Turmeltunut tiedosto @@ -5663,32 +5730,32 @@ Tiedostopäätettä ei tueta. Valitse teema ajolistalle. - + Slide theme Dian teema - + Notes Muistiinpanot - + Edit Muokkaa - + Service copy only Vain ajoilstan kopio - + Error Saving File Virhe tallennettaessa tiedostoa - + There was an error saving your file. Tiedoston tallentamisessa tapahtui virhe. @@ -5697,17 +5764,6 @@ Tiedostopäätettä ei tueta. Service File(s) Missing Jumalanpalveluksen tiedosto(t) puuttuvat - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - Seuraavat tiedosto(t) puuttuvat jumalanpalveluksesta. -<byte value="x9"/>%s - -Nämä tiedostot poistetaan jos jatkat tallentamalla. - &Rename... @@ -5734,7 +5790,7 @@ Nämä tiedostot poistetaan jos jatkat tallentamalla. Toista diat automaattisesti &kertaalleen - + &Delay between slides &Viive diojen välissä. @@ -5744,64 +5800,78 @@ Nämä tiedostot poistetaan jos jatkat tallentamalla. OpenLP ajolistat (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP ajolistat (*.osz);; OpenLP ajolistat - lite (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP ajolistat (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Tiedosto ei ole kelvollinen ajolista. Sisältö ei ole UTF-8 muodossa. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. Ajolista, jota yrität käyttää, on vanhempaa muotoa. Tallenna se käyttäen OpenLP versiota 2.0.2. tai uudempaa. - + This file is either corrupt or it is not an OpenLP 2 service file. Tämä tiedosto on joko vahingoittunut tai se ei ole OpenLP 2 ajolista. - + &Auto Start - inactive &Automaattinen toisto - pois päältä - + &Auto Start - active &Automaattinen toisto - päällä - + Input delay Sisääntulon viive - + Delay between slides in seconds. Viive sekunteina diojen välissä. - + Rename item title &Uudelleennimeä otsikko - + Title: Otsikko: + + + An error occurred while writing the service file: %s + Virhe kirjoitettaessa ajolistan tiedostoa: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + Seuraavat tiedosto(t) puuttuvat ajolistalta: %s + +Nämä tiedostot poistetaan jos tallennat. + OpenLP.ServiceNoteForm @@ -6063,49 +6133,44 @@ Tallenna se käyttäen OpenLP versiota 2.0.2. tai uudempaa. OpenLP.SourceSelectForm - + Select Projector Source - + Valitse projektorin lähtö - + Edit Projector Source Text - + Muokkaa projektorin lähdön tekstiä Ignoring current changes and return to OpenLP - + Ohitetaan nykyiset muutokset ja palataan OpenLP:hen Delete all user-defined text and revert to PJLink default text - + Poista kaikki käyttäjän määrittelemät teksti ja palauta PJLink oletustekstit Discard changes and reset to previous user-defined text - + Hylkää muutokset ja palaa edeltäviin käyttäjän määrittelemiin teksteihin Save changes and return to OpenLP - + Tallenna muutokset ja palaa OpenLP:hen + + + + Delete entries for this projector + Poista tämän projektorin tiedot - Delete entries for this projector - - - - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? - + Are you sure you want to delete ALL user-defined source input text for this projector? + Oletko varma, että haluat poistaa KAIKKI käyttäjän määrittelemät tekstit tälle projektorille? @@ -6268,7 +6333,7 @@ Tallenna se käyttäen OpenLP versiota 2.0.2. tai uudempaa. Aseta &globaali oletusarvo - + %s (default) %s (oletusarvo) @@ -6278,52 +6343,47 @@ Tallenna se käyttäen OpenLP versiota 2.0.2. tai uudempaa. Sinun pitää valita muokattava teema. - + You are unable to delete the default theme. Et voi poistaa oletusteemaa. - + Theme %s is used in the %s plugin. Teemaa %s käytetään %s -lisäosassa. - + You have not selected a theme. Et ole valinnut teemaa. - + Save Theme - (%s) Tallenna teema - (%s) - + Theme Exported Teema viety - + Your theme has been successfully exported. Valitsemasi teeman vienti onnistui. - + Theme Export Failed Teeman vienti epäonnistui - - Your theme could not be exported due to an error. - Valitsemasi teemaan vienti keskeytyi virheeseen. - - - + Select Theme Import File Valitse tuotavan teeman tiedosto - + File is not a valid theme. Tiedosto ei ole kelvollinen teema. @@ -6373,20 +6433,15 @@ Tallenna se käyttäen OpenLP versiota 2.0.2. tai uudempaa. Poistetaanko %s teema? - + Validation Error Virhe validoinnissa - + A theme with this name already exists. Teema tällä nimellä on jo olemassa. - - - OpenLP Themes (*.theme *.otz) - OpenLP teemat (*theme *otz) - Copy of %s @@ -6394,15 +6449,25 @@ Tallenna se käyttäen OpenLP versiota 2.0.2. tai uudempaa. Kopio %s:sta - + Theme Already Exists Teema on jo olemassa - + Theme %s already exists. Do you want to replace it? Teema %s on jo olemassa. Tahdotko korvata sen? + + + The theme export failed because this error occurred: %s + Teeman vienti epäonnistui, koska tämä virhe tapahtui: %s + + + + OpenLP Themes (*.otz) + OpenLP Teemat (*.otz) + OpenLP.ThemeWizard @@ -6762,12 +6827,12 @@ Tallenna se käyttäen OpenLP versiota 2.0.2. tai uudempaa. Universal Settings - + Yleiseet asetukset &Wrap footer text - + &Rivitä alatunnisteen teksti @@ -6838,7 +6903,7 @@ Tallenna se käyttäen OpenLP versiota 2.0.2. tai uudempaa. Valmis. - + Starting import... Aloitetaan tuontia... @@ -6849,7 +6914,7 @@ Tallenna se käyttäen OpenLP versiota 2.0.2. tai uudempaa. Sinun pitää määritellä vähintää yksi %s tiedosto tuotavaksi. - + Welcome to the Bible Import Wizard Tervetuloa Raamattujen tuonnin ohjattuun toimintoon. @@ -6943,7 +7008,7 @@ Tallenna se käyttäen OpenLP versiota 2.0.2. tai uudempaa. Sinun tulee määritellä ainakin yksi %s hakemisto tuotavaksi. - + Importing Songs Tuodaan lauluja @@ -7175,25 +7240,25 @@ Ole hyvä ja yritä valita se erikseen. Manufacturer Singular - + Valmistaja Manufacturers Plural - + Valmistajat Model Singular - + Malli Models Plural - + Mallit @@ -7259,7 +7324,7 @@ Ole hyvä ja yritä valita se erikseen. OpenLP 2 - + OpenLP 2 @@ -7287,174 +7352,184 @@ Ole hyvä ja yritä valita se erikseen. Esikatselu - + Print Service Tulosta ajolista - + Projector Singular - - - - - Projectors - Plural - + Projektori + Projectors + Plural + Projektorit + + + Replace Background Korvaa tausta - + Replace live background. Korvaa live-esityksen tausta. - + Reset Background Nollaa tausta - + Reset live background. Nollaa live-esityksen tausta. - + s The abbreviated unit for seconds s - + Save && Preview Tallenna && Esikatsele - + Search Etsi - + Search Themes... Search bar place holder text Etsi teemoja... - + You must select an item to delete. Sinun pitää valita poistettava kohta. - + You must select an item to edit. Siniun pitää valita muokattava kohta. - + Settings Asetukset - + Save Service Tallenna ajolista - + Service Palvelu - + Optional &Split Vaihtoehtoinen &jakaja - + Split a slide into two only if it does not fit on the screen as one slide. Puolita dia kahteen osaan vain, jos se ei mahdu näytölle yhtenä diana. - + Start %s Käynnistä %s - + Stop Play Slides in Loop Keskeytä diojen toisto silmukassa - + Stop Play Slides to End Keskeytä diojen toisto alusta loppuun - + Theme Singular Teema - + Themes Plural Teemat - + Tools Työkalut - + Top Ylös - + Unsupported File Ei-tuettu tiedosto - + Verse Per Slide Jae per dia - + Verse Per Line Jae per rivi - + Version Versio - + View Näytä - + View Mode Näyttötila CCLI song number: - + CCLI laulun numero: OpenLP 2.2 + OpenLP 2.2 + + + + Preview Toolbar + Esikatselun työkalurivi + + + + Replace live background is not available on this platform in this version of OpenLP. @@ -7490,56 +7565,56 @@ Ole hyvä ja yritä valita se erikseen. Source select dialog interface - + Lähdön valinnan käyttöliittymä PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Esitysgrafiikka-lisäosa</strong></br>Esitysgrafiikka-lisäosa mahdollistaa valmiiden esitysten käyttämisen ajolistalla. Käytettävissä olevat esitysgrafiikkaohjelmat voi valita alasvetolistalta. - + Presentation name singular Esitys - + Presentations name plural Esitykset - + Presentations container title Esitykset - + Load a new presentation. Lataa uusi esitys. - + Delete the selected presentation. Poista valittu esitys. - + Preview the selected presentation. Esikatsele valittua esitystä. - + Send the selected presentation live. Lähetä valittu esitys live-esitykseen. - + Add the selected presentation to the service. Lisää valittu esitys ajolistalle. @@ -7582,17 +7657,17 @@ Ole hyvä ja yritä valita se erikseen. Esitykset (%s) - + Missing Presentation Puuttuva esitys - + The presentation %s is incomplete, please reload. Esitys %s on keskeneräinen, ole hyvä ja lataa uudelleen. - + The presentation %s no longer exists. Esitystä %s ei ole enää olemassa. @@ -7600,48 +7675,58 @@ Ole hyvä ja yritä valita se erikseen. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - + Tapahtui virhe Powerpoint integraatiossa ja esitys keskeytettiin. Käynnistä esitys uudellee, jos tahdot esittää sen. PresentationPlugin.PresentationTab - + Available Controllers Saatavilla olevat ohjaimet - + %s (unavailable) %s (ei saatavilla) - + Allow presentation application to be overridden Salli ylimääritellä esitysgrafiikan sovellus - + PDF options PDF asetukset - + Use given full path for mudraw or ghostscript binary: Käytä koko hakemistopolkuar mudraw tai ghostscript ohjelmaan: - + Select mudraw or ghostscript binary. Valitse mudraw tai ghostscript ohjelman sijainti. - + The program is not ghostscript or mudraw which is required. Ohjelma ei ole ghostscript eikä mudraw, mitä tarvitaan. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7682,129 +7767,129 @@ Ole hyvä ja yritä valita se erikseen. RemotePlugin.Mobile - + Service Manager Ajolistan hallinta - + Slide Controller Diojen ohjaus - + Alerts Hälytykset - + Search Etsi - + Home Koti - + Refresh Päivitä - + Blank Pimennä - + Theme Teema - + Desktop Työpöytä - + Show Näytä - + Prev Edellinen - + Next Seuraava - + Text Teksti - + Show Alert Näytä hälytys - + Go Live Siirry live-tilaan - + Add to Service Lisää ajolistalle - + Add &amp; Go to Service Lisää &amp;Siirry ajolistalle - + No Results Ei tuloksia - + Options Asetukset - + Service Palvelu - + Slides Diat - + Settings Asetukset - + OpenLP 2.2 Remote - + OpenLP 2.2 Kaukosäädin - + OpenLP 2.2 Stage View - + OpenLP 2.2 näyttämönäkymä - + OpenLP 2.2 Live View - + OpenLP 2.2. livenäkymä @@ -7882,91 +7967,91 @@ Ole hyvä ja yritä valita se erikseen. Show thumbnails of non-text slides in remote and stage view. - + Näytä pienet kuvat tekstittömistä dioista kaukosäätimessä ja näyttämönäkymässä. SongUsagePlugin - + &Song Usage Tracking &Laulujen tilastointi - + &Delete Tracking Data &Poista tilastot - + Delete song usage data up to a specified date. Poista laulujen tilastotiedot tiettyyn päivään saakka. - + &Extract Tracking Data Pura tilastotiedot - + Generate a report on song usage. Tee raportti laulujen käytöstä. - + Toggle Tracking Tilastointi päälle/pois - + Toggle the tracking of song usage. Laulujen käyttötilastointi päälle / pois. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Laulujen käyttötilastointi -lisäosa</strong></br>Tämä lisäosa pitää yllä tilastoa jumalanpalveluksissa käytetyistä lauluista. - + SongUsage name singular Soittotilasto - + SongUsage name plural Soittotilasto - + SongUsage container title Soittotilasto - + Song Usage Laulun käyttötilasto - + Song usage tracking is active. Soittotilastointi on aktiivinen. - + Song usage tracking is inactive. Laulujen käyttötilastointi ei ole päällä. - + display näyttö - + printed tulostettu @@ -8029,22 +8114,22 @@ Kaikki tallennetut tiedot ennen tätä päivää poistetaan pysyvästi.Raportin sijainti - + Output File Location Kohdetiedoston sijainti - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Raportin luominen - + Report %s has been successfully created. @@ -8053,47 +8138,57 @@ has been successfully created. on onnistuneesti luotu. - + Output Path Not Selected Kohdetiedostoa ei ole valittu - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Et ole antanut kelvollista sijaintia kohteeksi laulujen käyttötilastolle. Ole hyvä ja valitse olemassaoleva kansio tietokoneestasi. + + + Report Creation Failed + Raportin luominen epäonnistui + + + + An error occurred while creating the report: %s + Tapahtui virhe, kun luotiin raporttia: %s + SongsPlugin - + &Song &Laulu - + Import songs using the import wizard. Tuo lauluja käyttäen tuonnin ohjattua toimintoa. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Laulut -lisäosa</strong><br />Laulut -lisäosalla voidaan näyttää ja hallinnoida laulujen sanoja. - + &Re-index Songs &Uudelleen-indeksoi laulut - + Re-index the songs database to improve searching and ordering. Laulujen uudelleen-indeksointi parantaa tietokannan nopeutta etsimisessä ja järjestämisessä. - + Reindexing songs... &Uudelleen-indeksoidaan lauluja... @@ -8189,80 +8284,80 @@ The encoding is responsible for the correct character representation. Enkoodaus määrittelee tekstille oikean merkistöesityksen. - + Song name singular Laulu - + Songs name plural Laulut - + Songs container title Laulut - + Exports songs using the export wizard. Vie lauluja käyttäen tuonnin ohjattua toimintoa. - + Add a new song. Lisää uusi laulu. - + Edit the selected song. Muokkaa valittua lalulua. - + Delete the selected song. Poista valittu laulu. - + Preview the selected song. Esikatsele valittua laulua. - + Send the selected song live. Lähetä valittu laulu live-esitykseen. - + Add the selected song to the service. Lisää valittu laulu ajolistalle. - + Reindexing songs Uudelleenindeksoidaan lauluja - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. Tuo laulut CCLI SongSelect ajolistan tiedostoista. - + Find &Duplicate Songs Etsi &duplikaatit laulut - + Find and remove duplicate songs in the song database. Etsi ja poista duplikaatit laulut tietokannasta. @@ -8380,22 +8475,22 @@ Enkoodaus määrittelee tekstille oikean merkistöesityksen. This file does not exist. - + Tätä tiedostoa ei ole olemassa. Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. - + Tiedostoa "Songs.MB" ei löydy. Se täytyy olla samassa hakemistossa kuin "Songs.DB" -tiedosto. This file is not a valid EasyWorship database. - + Tämä tiedosto ei ole kelvollinen EasyWorship tietokanta. Could not retrieve encoding. - + Enkoodattua sisältöä ei voida vastaanottaa. @@ -8630,17 +8725,17 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. &Edit Author Type - + &Muokkaa tekijän tyyppiä Edit Author Type - + Muokkaa tekijän tyyppiä Choose type for this author - + Valitse tyyppi tällä tekijälle @@ -8734,7 +8829,7 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. Sinun pitää määritellä hakemisto. - + Select Destination Folder Valitse kohdehakemisto @@ -8942,32 +9037,32 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. PowerPraise Song Files - + PowerPraise laulutiedostot PresentationManager Song Files - + PresentationManager laulutiedostot ProPresenter 4 Song Files - + ProPresenter 4 laulutiedostot Worship Assistant Files - + Worship Assistant tiedostot Worship Assistant (CSV) - + Worship Assistant (CSV) In Worship Assistant, export your Database to a CSV file. - + Worship Assistantista tuo tietokantasi CSV tiedostona. @@ -9141,15 +9236,20 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. SongsPlugin.SongExportForm - + Your song export failed. Laulun vienti epäonnistui. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Vienti valmistui. Tuodaksesi nämä tiedostot käytä <strong>OpenLyrics</strong> tuontia. + + + Your song export failed because this error occurred: %s + Laulujen vienti epäonnistui, koska tämä virhe tapahtui: %s + SongsPlugin.SongImport @@ -9292,12 +9392,12 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. CCLI SongSelect Importer - + CCLI SongSelect tuonti <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + <strong>Huomaa:</strong> Internet yhteys vaaditaan, jotta voidaan tuoda lauluja CCLI SongSelectistä. @@ -9312,17 +9412,17 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. Save username and password - + Tallenna käyttäjätunnus ja salasana Login - + Kirjautuminen Search Text: - + Etsi tekstiä: @@ -9330,14 +9430,14 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. Etsi - + Found %s song(s) - + Löytyi %s laulu(a) Logout - + Kirjaudu ulos @@ -9352,7 +9452,7 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. Author(s): - + Tekijä(t): @@ -9362,17 +9462,17 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. CCLI Number: - + CCLI numero: Lyrics: - + Sanoitus: Back - + Takaisin @@ -9382,57 +9482,57 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. More than 1000 results - + Yli 1000 hakuosumaa Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. - + Haku palautti enemmän kuin 1000 osumaa, joten se pysäytettiin. Ole hyvä ja tarkenna hakua saadaksesi tarkemmat tulokset. Logging out... - + Kirjaudutaan ulos... - + Save Username and Password - + Tallenna käyttäjänimi ja salasana - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + VAROITUS: Käyttäjätunnuksen ja salasanan tallentaminen on TURVATONTA, salsana tallennetaan tekstinä. Klikkaa Kyllä tallentaaksesi salasana ja Ei peruaksesi sen. - + Error Logging In - + Virhe kirjautuessa - + There was a problem logging in, perhaps your username or password is incorrect? - + Kirjautumisessa oli ongelmia, ehkä käyttäjätunnus tai salasana on virheellinen? - + Song Imported - + Laulu on tuotu - - Your song has been imported, would you like to exit now, or import more songs? - + + Incomplete song + Keskeneräinen laulu - - Import More Songs - + + This song is missing some information, like the lyrics, and cannot be imported. + Tästä laulusta puuttuu osa tiedoista, kuten sanoitus ja sitä ei voi täten tuoda. - - Exit Now - + + Your song has been imported, would you like to import more songs? + Laulusi on tuotu, haluaisitko tuoda lisää lauluja? @@ -9534,7 +9634,7 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. - + Virheellinen Words of Worship tiedosto. Puuttuva "WoW File\nSong Words" otsikko. @@ -9557,7 +9657,7 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. File not valid WorshipAssistant CSV format. - + Tiedosto ei ole kelvollista WorshipAssistant CSV muotoa. diff --git a/resources/i18n/fr.ts b/resources/i18n/fr.ts index d9222c833..96e744511 100644 --- a/resources/i18n/fr.ts +++ b/resources/i18n/fr.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Alerte - + Show an alert message. Affiche un message d'alerte. - + Alert name singular Alerte - + Alerts name plural Alertes - + Alerts container title Alertes - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Module Alertes</strong><br />Le module d'alerte permet l'affichage de messages d'avertissements sur l'écran de présentation. @@ -153,85 +153,85 @@ Please type in some text before clicking New. BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Bibles - + Bibles container title Bibles - + No Book Found Aucun livre trouvé - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Aucun livre correspondant n'a été trouvé dans cette Bible. Vérifiez que vous avez correctement écrit le nom du livre. - + Import a Bible. Importe une Bible. - + Add a new Bible. Ajoute une nouvelle Bible. - + Edit the selected Bible. Édite la bible sélectionnée. - + Delete the selected Bible. Supprime la Bible sélectionnée. - + Preview the selected Bible. Prévisualise la Bible sélectionnée. - + Send the selected Bible live. Envoie la Bible sélectionnée au direct. - + Add the selected Bible to the service. Ajoute la Bible sélectionnée au service. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Module Bible</strong><br />Le Module Bible permet d'afficher des versets bibliques de différentes sources pendant le service. - + &Upgrade older Bibles Mettre à &jour les anciennes Bibles - + Upgrade the Bible databases to the latest format. Mettre à jour les bases de données de Bible au nouveau format. @@ -659,61 +659,61 @@ Please type in some text before clicking New. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + verset verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + versets - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - à + à , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + et end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + fin @@ -765,39 +765,39 @@ Les nombres peuvent être utilisés uniquement au début et doivent être suivis BiblesPlugin.BibleManager - + Scripture Reference Error Écriture de référence erronée - + Web Bible cannot be used Les Bible Web ne peut être utilisée - + Text Search is not available with Web Bibles. La recherche textuelle n'est pas disponible avec les Bibles Web. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Vous n'avez pas spécifié de mot clé de recherche. Vous pouvez séparer vos mots clés par un espace afin de tous les rechercher ou les séparer par une virgule afin de rechercher l'un d'entre eux. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Il n'y a pas de Bibles actuellement installée. Veuillez utiliser l'assistant d'importation pour installer une ou plusieurs Bibles. - + No Bibles Available Aucune Bible disponible - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -987,12 +987,12 @@ résultats de recherche et à l'affichage : BiblesPlugin.CSVBible - + Importing books... %s Import des livres... %s - + Importing verses... done. Import des versets... terminé. @@ -1070,38 +1070,38 @@ Ce n'est pas possible de personnaliser le nom des livres. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Enregistrement de la Bible et chargement des livres... - + Registering Language... Enregistrement des langues... - + Importing %s... Importing <book name>... Importation %s... - + Download Error Erreur de téléchargement - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Un problème de téléchargement de votre sélection de verset a été rencontré. Vérifiez votre connexion Internet et si cette erreur persiste merci de signaler ce dysfonctionnement. - + Parse Error Erreur syntaxique - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Un problème a été rencontré durant l'extraction de votre sélection de verset. Si cette erreur persiste merci de signaler ce dysfonctionnement. @@ -1109,165 +1109,185 @@ Ce n'est pas possible de personnaliser le nom des livres. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Assistant d'import de Bible - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Cet assistant vous permet d'importer des bibles de différents formats. Cliquez sur le bouton suivant si dessous pour démarrer le processus en sélectionnant le format à importer. - + Web Download Téléchargement Web - + Location: Emplacement : - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bible : - + Download Options Options de téléchargement - + Server: Serveur : - + Username: Nom d'utilisateur : - + Password: Mot de passe : - + Proxy Server (Optional) Serveur Proxy (Facultatif) - + License Details Détails de la licence - + Set up the Bible's license details. Mise en place des details de la licence de la Bible. - + Version name: Nom de la version : - + Copyright: Droits d'auteur : - + Please wait while your Bible is imported. Merci de patienter durant l'importation de la Bible. - + You need to specify a file with books of the Bible to use in the import. Veuillez sélectionner un fichier contenant les livres de la Bible à utiliser dans l'import. - + You need to specify a file of Bible verses to import. Veuillez sélectionner un fichier de versets bibliques à importer. - + You need to specify a version name for your Bible. Vous devez spécifier le nom de la version de votre Bible. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Vous devez définir un copyright pour votre Bible. Les Bibles dans le Domaine Publique doivent être indiquées comme telle. - + Bible Exists Bible existante - + This Bible already exists. Please import a different Bible or first delete the existing one. Cette Bible existe déjà. Veuillez importer une autre Bible ou supprimer la Bible existante. - + Your Bible import failed. L'import de votre Bible à échoué. - + CSV File Fichier CSV - + Bibleserver Bibleserver - + Permissions: Autorisations : - + Bible file: Fichier Bible : - + Books file: Fichier de livres : - + Verses file: Fichier de versets : - + Registering Bible... Enregistrement de la Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + Click to download bible list + Cliquer pour télécharger la liste des bibles + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + BiblesPlugin.LanguageDialog @@ -1405,13 +1425,26 @@ Vous devrez réimporter cette Bible avant de pouvoir l'utiliser de nouveau. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + Import de %(bookname)s %(chapter)s... + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... + + + Importing %(bookname)s %(chapter)s... + Import de %(bookname)s %(chapter)s... + BiblesPlugin.UpgradeWizardForm @@ -1566,73 +1599,81 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + Import de %(bookname)s %(chapter)s... + + CustomPlugin - + Custom Slide name singular Diapositive personnalisée - + Custom Slides name plural Diapositives personnalisées - + Custom Slides container title Diapositives personnalisées - + Load a new custom slide. Charge une nouvelle diapositive personnalisée. - + Import a custom slide. Importe une diapositive personnalisée. - + Add a new custom slide. Ajoute la diapositive personnalisée sélectionnée. - + Edit the selected custom slide. Édite la diapositive personnalisée sélectionnée. - + Delete the selected custom slide. Supprime la diapositive personnalisée sélectionnée. - + Preview the selected custom slide. Prévisualise la diapositive personnalisée sélectionnée. - + Send the selected custom slide live. Envoie la diapositive personnalisée sélectionnée au direct. - + Add the selected custom slide to the service. Ajoute la diapositive personnalisée sélectionnée au service. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. @@ -1729,7 +1770,7 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1740,60 +1781,60 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Module Image</strong><br />Le module Image permet l'affichage d'images.<br />L'une des particularités de ce module est la possibilité de regrouper plusieurs images en un seul élément dans le gestionnaire de services, ce qui facilite son affichage. Ce module permet également de faire défiler les images en boucle avec une pause entre chacune d'elles. Les images du module peuvent également être utilisées pour remplacer l'arrière-plan du thème en cours. - + Image name singular Image - + Images name plural Images - + Images container title Images - + Load a new image. Charge une nouvelle image. - + Add a new image. Ajoute une nouvelle image. - + Edit the selected image. Édite l'image sélectionnée. - + Delete the selected image. Supprime l'image sélectionnée. - + Preview the selected image. Prévisualise l'image sélectionnée. - + Send the selected image live. Envoie l'image sélectionnée au direct. - + Add the selected image to the service. Ajoute l'image sélectionnée au service. @@ -1803,7 +1844,7 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand Add group - + Ajouter un groupe @@ -1821,12 +1862,12 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand - + Could not add the new group. - + This group already exists. @@ -1846,17 +1887,17 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand No group - + Aucun groupe Existing group - + Groupe existant New group - + Nouveau groupe @@ -1875,34 +1916,34 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand Sélectionne une (des) Image(s) - + You must select an image to replace the background with. Vous devez sélectionner une image pour remplacer le fond. - + Missing Image(s) Image(s) manquante - + The following image(s) no longer exist: %s L(es) image(s) suivante(s) n'existe(nt) plus : %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? L(es) image(s) suivante(s) n'existe(nt) plus : %s Voulez-vous ajouter les autres images malgré tout ? - + There was a problem replacing your background, the image file "%s" no longer exists. Impossible de remplacer votre fond, le fichier image "%s" n'existe plus. - + There was no display item to amend. Il n'y a aucun élément d'affichage à modifier. @@ -1912,17 +1953,17 @@ Voulez-vous ajouter les autres images malgré tout ? - + You must select an image or group to delete. - + Remove group - + Retirer un groupe - + Are you sure you want to remove "%s" and everything in it? @@ -1943,22 +1984,22 @@ Voulez-vous ajouter les autres images malgré tout ? - + Audio - + Audio - + Video - + Vidéo - + VLC is an external player which supports a number of different formats. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. @@ -1966,60 +2007,60 @@ Voulez-vous ajouter les autres images malgré tout ? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Module Média</strong><br />Le module Média permet de lire des fichiers audio et vidéo. - + Media name singular Médias - + Media name plural Médias - + Media container title Médias - + Load new media. Charge un nouveau média. - + Add new media. Ajoute un nouveau média. - + Edit the selected media. Édite le média sélectionné. - + Delete the selected media. Supprime le média sélectionné. - + Preview the selected media. Prévisualise le média sélectionné. - + Send the selected media live. Envoie le média sélectionné au direct. - + Add the selected media to the service. Ajoute le média sélectionné au service. @@ -2034,12 +2075,12 @@ Voulez-vous ajouter les autres images malgré tout ? Source - + Source Media path: - + Chemin du média : @@ -2064,7 +2105,7 @@ Voulez-vous ajouter les autres images malgré tout ? Audio track: - + Piste audio : @@ -2172,7 +2213,7 @@ Voulez-vous ajouter les autres images malgré tout ? Invalid character - + Caractère invalide @@ -2188,37 +2229,37 @@ Voulez-vous ajouter les autres images malgré tout ? Média sélectionné - + You must select a media file to delete. Vous devez sélectionner un fichier média à supprimer. - + You must select a media file to replace the background with. Vous devez sélectionner un fichier média pour qu'il puisse remplacer le fond. - + There was a problem replacing your background, the media file "%s" no longer exists. Impossible de remplacer le fond du direct, le fichier média "%s" n'existe plus. - + Missing Media File Fichier média manquant - + The file %s no longer exists. Le fichier %s n'existe plus. - + Videos (%s);;Audio (%s);;%s (*) Vidéos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Il n'y a aucun élément d'affichage à modifier. @@ -2228,7 +2269,7 @@ Voulez-vous ajouter les autres images malgré tout ? Fichier non supporté - + Use Player: Utiliser le lecteur : @@ -2243,27 +2284,27 @@ Voulez-vous ajouter les autres images malgré tout ? - + Load CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled - + The optical disc %s is no longer available. - + Mediaclip already saved - + This mediaclip has already been saved @@ -2292,17 +2333,17 @@ Voulez-vous ajouter les autres images malgré tout ? OpenLP - + Image Files Fichiers image - + Information Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -2313,7 +2354,7 @@ Voulez-vous que OpenLP effectue la mise à jour maintenant ? Backup - + Sauvegarde @@ -2333,7 +2374,7 @@ Voulez-vous que OpenLP effectue la mise à jour maintenant ? Open - + Ouvrir @@ -2756,7 +2797,7 @@ Le répertoire de données changera lorsque vous fermerez OpenLP. Thursday - + Jeudi @@ -2810,117 +2851,117 @@ appears to contain OpenLP data files. Do you wish to replace these files with th RGB - + RVB Video - + Vidéo Digital - + Numérique Storage - + Stockage Network - + Réseau RGB 1 - + RVB 1 RGB 2 - + RVB 2 RGB 3 - + RVB 3 RGB 4 - + RVB 4 RGB 5 - + RVB 5 RGB 6 - + RVB 6 RGB 7 - + RVB 7 RGB 8 - + RVB 8 RGB 9 - + RVB 9 Video 1 - + Vidéo 1 Video 2 - + Vidéo 2 Video 3 - + Vidéo 3 Video 4 - + Vidéo 4 Video 5 - + Vidéo 5 Video 6 - + Vidéo 6 Video 7 - + Vidéo 7 Video 8 - + Vidéo 8 Video 9 - + Vidéo 9 @@ -2970,92 +3011,92 @@ appears to contain OpenLP data files. Do you wish to replace these files with th Storage 1 - + Stockage 1 Storage 2 - + Stockage 2 Storage 3 - + Stockage 3 Storage 4 - + Stockage 4 Storage 5 - + Stockage 5 Storage 6 - + Stockage 6 Storage 7 - + Stockage 7 Storage 8 - + Stockage 8 Storage 9 - + Stockage 9 Network 1 - + Réseau 1 Network 2 - + Réseau 2 Network 3 - + Réseau 3 Network 4 - + Réseau 4 Network 5 - + Réseau 5 Network 6 - + Réseau 6 Network 7 - + Réseau 7 Network 8 - + Réseau 8 Network 9 - + Réseau 9 @@ -3184,7 +3225,7 @@ Version : %s OpenLP.FileRenameForm - + File Rename Renomme le fichier @@ -3194,7 +3235,7 @@ Version : %s Nouveau nom de fichier : - + File Copy Copie le fichier @@ -3220,167 +3261,167 @@ Version : %s OpenLP.FirstTimeWizard - + Songs Chants - + First Time Wizard Assistant de démarrage - + Welcome to the First Time Wizard Bienvenue dans l'assistant de démarrage - + Activate required Plugins Activer les modules requis - + Select the Plugins you wish to use. Sélectionnez les modules que vous souhaitez utiliser. - + Bible Bible - + Images Images - + Presentations Présentations - + Media (Audio and Video) Média (Audio et Vidéo) - + Allow remote access Permettre l’accès à distance - + Monitor Song Usage Suivre l'utilisation des chants - + Allow Alerts Permettre l'utilisation d'Alertes - + Default Settings Paramètres par défaut - + Downloading %s... Téléchargement %s... - + Enabling selected plugins... Active les modules sélectionnés... - + No Internet Connection Pas de connexion à Internet - + Unable to detect an Internet connection. Aucune connexion à Internet. - + Sample Songs Chants d'exemple - + Select and download public domain songs. Sélectionne et télécharge des chants du domaine public. - + Sample Bibles Bibles d'exemple - + Select and download free Bibles. Sélectionne et télécharge des Bibles gratuites. - + Sample Themes Exemple de Thèmes - + Select and download sample themes. Sélectionne et télécharge des exemples de thèmes. - + Set up default settings to be used by OpenLP. Définir les paramètres par défaut pour être utilisé par OpenLP. - + Default output display: Sortie d'écran par défaut : - + Select default theme: Sélectionne le thème pas défaut : - + Starting configuration process... Démarrage du processus de configuration... - + Setting Up And Downloading Paramétrage et téléchargement - + Please wait while OpenLP is set up and your data is downloaded. Merci de patienter durant le paramétrage d'OpenLP et le téléchargement de vos données. - + Setting Up Paramétrage - + Custom Slides Diapositives personnalisées - + Finish Fini - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3389,85 +3430,95 @@ To re-run the First Time Wizard and import this sample data at a later time, che Pour relancer l'assistant de démarrage et importer ces données exemplaires plus tard, vérifiez votre connexion internet et relancez cet assistant en sélectionnant "Outils/Relancer l'assistant de démarrage" dans OpenLP. - + Download Error Erreur de téléchargement - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. - + Download complete. Click the %s button to start OpenLP. - + Click the %s button to return to OpenLP. - + Click the %s button to start OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + Downloading Resource Index - + Please wait while the resource index is downloaded. - + Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring - + Please wait while resources are downloaded and OpenLP is configured. - + Network Error + Erreur réseau + + + + There was a network error attempting to connect to retrieve initial configuration information - - There was a network error attempting to connect to retrieve initial configuration information + + Cancel + Annuler + + + + Unable to download some files @@ -3541,6 +3592,16 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + OpenLP.FormattingTags @@ -3799,7 +3860,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Affichage OpenLP @@ -4106,7 +4167,7 @@ Vous pouvez télécharger la dernière version à partir de http://openlp.org/.< L'affichage principal a été noirci - + Default Theme: %s Thème par défaut : %s @@ -4114,7 +4175,7 @@ Vous pouvez télécharger la dernière version à partir de http://openlp.org/.< English Please add the name of your language here - Anglais + French @@ -4122,12 +4183,12 @@ Vous pouvez télécharger la dernière version à partir de http://openlp.org/.< Personnalise les &raccourcis... - + Close OpenLP Ferme OpenLP - + Are you sure you want to close OpenLP? Êtes vous sur de vouloir fermer OpenLP ? @@ -4201,13 +4262,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Re-démarrer cet assistant peut apporter des modifications à votre configuration actuelle d'OpenLP, éventuellement ajouter des chants à votre liste de chants existante et changer votre thème par défaut. - + Clear List Clear List of recent files Vide la liste - + Clear the list of recent files. Vide la liste des fichiers récents. @@ -4267,17 +4328,17 @@ Re-démarrer cet assistant peut apporter des modifications à votre configuratio Fichier d'export de la configuration d'OpenLP (*.conf) - + New Data Directory Error Erreur du nouveau dossier de données - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Copie des données OpenLP au nouvel emplacement - %s - Veuillez attendre que la copie se termine - + OpenLP Data directory copy failed %s @@ -4332,7 +4393,7 @@ Processing has terminated and no changes have been made. - + Export setting error @@ -4341,16 +4402,21 @@ Processing has terminated and no changes have been made. The key "%s" does not have a default value so it will be skipped in this export. + + + An error occurred while exporting the settings: %s + + OpenLP.Manager - + Database Error Erreur de base de données - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4359,7 +4425,7 @@ Database: %s Base de données: %s - + OpenLP cannot load your database. Database: %s @@ -4438,7 +4504,7 @@ Extension non supportée %Clone - + Duplicate files were found on import and were ignored. Des fichiers dupliqués on été trouvé dans l'import et ont été ignorés. @@ -4823,11 +4889,6 @@ Extension non supportée The proxy address set with setProxy() was not found - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - - An unidentified error occurred @@ -4898,6 +4959,11 @@ Extension non supportée Received data + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + OpenLP.ProjectorEdit @@ -4927,12 +4993,12 @@ Extension non supportée Edit Projector - + Modifier projecteur IP Address - + Adresse IP @@ -4942,7 +5008,7 @@ Extension non supportée PIN - + NIP @@ -4985,7 +5051,7 @@ Extension non supportée Edit Projector - + Modifier projecteur @@ -5444,22 +5510,22 @@ Extension non supportée &Change le thème de l'élément - + File is not a valid service. Le fichier n'est pas un fichier de service valide. - + Missing Display Handler Composant d'affichage manquant - + Your item cannot be displayed as there is no handler to display it Votre élément ne peut pas être affiché parce qu'il n'y a pas de composant pour l'afficher - + Your item cannot be displayed as the plugin required to display it is missing or inactive Votre élément ne peut pas être affiché parce que le module nécessaire est manquant ou désactivé @@ -5539,12 +5605,12 @@ Extension non supportée Notes de service : - + Notes: Notes : - + Playing time: Durée du service : @@ -5554,22 +5620,22 @@ Extension non supportée Service sans titre - + File could not be opened because it is corrupt. Le fichier ne peux être ouvert car il est corrompu. - + Empty File Fichier vide - + This service file does not contain any data. Ce fichier de service ne contient aucune donnée. - + Corrupt File Fichier corrompu @@ -5589,32 +5655,32 @@ Extension non supportée Sélectionne un thème pour le service. - + Slide theme Thème de diapositive - + Notes Notes - + Edit Édite - + Service copy only Copie de service uniquement - + Error Saving File Erreur de sauvegarde du fichier - + There was an error saving your file. Une erreur est survenue lors de la sauvegarde de votre fichier. @@ -5623,17 +5689,6 @@ Extension non supportée Service File(s) Missing Fichier(s) service manquant - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - Les fichiers suivants sont absents du service: -<byte value="x9"/>%s - -Ces fichiers seront supprimés si vous continuez la sauvegarde. - &Rename... @@ -5660,7 +5715,7 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. - + &Delay between slides @@ -5670,62 +5725,74 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + OpenLP Service Files (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + This file is either corrupt or it is not an OpenLP 2 service file. - + &Auto Start - inactive - + &Auto Start - active - + Input delay - + Delay between slides in seconds. Intervalle entre les diapositives en secondes. - + Rename item title - + Title: Titre : + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + OpenLP.ServiceNoteForm @@ -5987,12 +6054,12 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. OpenLP.SourceSelectForm - + Select Projector Source - + Edit Projector Source Text @@ -6017,18 +6084,13 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. - + Delete entries for this projector - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? + + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6192,7 +6254,7 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Définir comme défaut &Global - + %s (default) %s (défaut) @@ -6202,52 +6264,47 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Vous devez sélectionner un thème à éditer. - + You are unable to delete the default theme. Vous ne pouvez pas supprimer le thème par défaut. - + Theme %s is used in the %s plugin. Le Thème %s est utilisé par le module %s. - + You have not selected a theme. Vous n'avez pas sélectionner de thème. - + Save Theme - (%s) Enregistre le thème - (%s) - + Theme Exported Thème exporté - + Your theme has been successfully exported. Votre thème a été exporté avec succès. - + Theme Export Failed L'export du thème a échoué - - Your theme could not be exported due to an error. - Votre thème ne peut pas être exporté à cause d'une erreur. - - - + Select Theme Import File Sélectionner le fichier thème à importer - + File is not a valid theme. Le fichier n'est pas un thème valide. @@ -6297,20 +6354,15 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Supprime le thème %s ? - + Validation Error Erreur de validation - + A theme with this name already exists. Un autre thème porte déjà ce nom. - - - OpenLP Themes (*.theme *.otz) - Thèmes OpenLP (*.theme *.otz) - Copy of %s @@ -6318,15 +6370,25 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Copie de %s - + Theme Already Exists Le thème existe déjà - + Theme %s already exists. Do you want to replace it? Le thème %s existe déjà. Voulez-vous le remplacer? + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + OpenLP.ThemeWizard @@ -6762,7 +6824,7 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Prêt. - + Starting import... Commence l'import... @@ -6773,7 +6835,7 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Vous devez spécifier au moins un fichier de %s à importer. - + Welcome to the Bible Import Wizard Bienvenue dans l'assistant d'import de Bible @@ -6867,7 +6929,7 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Vous devez spécifier un dossier %s à importer. - + Importing Songs Import de chansons en cours @@ -6899,7 +6961,7 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Add group - + Ajouter un groupe @@ -7210,163 +7272,163 @@ Please try selecting it individually. Prévisualisation - + Print Service Imprime le service - + Projector Singular - + Projectors Plural - + Replace Background Remplace le fond - + Replace live background. Remplace le fond du direct. - + Reset Background Réinitialiser le fond - + Reset live background. Restaure le fond du direct. - + s The abbreviated unit for seconds s - + Save && Preview Enregistre && prévisualise - + Search Recherche - + Search Themes... Search bar place holder text Recherche dans les thèmes... - + You must select an item to delete. Vous devez sélectionner un élément à supprimer. - + You must select an item to edit. Vous devez sélectionner un élément à éditer. - + Settings Paramètres - + Save Service Enregistre le service - + Service Service - + Optional &Split Optionnel &Partager - + Split a slide into two only if it does not fit on the screen as one slide. Divisez la diapositive en deux seulement si elle ne loge pas sur l'écran. - + Start %s Début %s - + Stop Play Slides in Loop Arrête la boucle de diapositive - + Stop Play Slides to End Arrête la boucle de diapositive à la fin - + Theme Singular Thème - + Themes Plural Thèmes - + Tools Outils - + Top Haut - + Unsupported File Fichier non supporté - + Verse Per Slide Un verset par diapositive - + Verse Per Line Un verset par ligne - + Version Version - + View Affiche - + View Mode Mode d'affichage @@ -7380,6 +7442,16 @@ Please try selecting it individually. OpenLP 2.2 + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7419,50 +7491,50 @@ Please try selecting it individually. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Module de présentation</strong><br />Le module de présentation permet d'afficher des présentations issues d'autres logiciels. La liste des logiciels disponibles se trouve dans les options d'OpenLP rubrique Présentation. - + Presentation name singular Présentation - + Presentations name plural Présentations - + Presentations container title Présentations - + Load a new presentation. Charge une nouvelle présentation. - + Delete the selected presentation. Supprime la présentation sélectionnée. - + Preview the selected presentation. Prévisualise la présentation sélectionnée. - + Send the selected presentation live. Envoie la présentation sélectionnée au direct. - + Add the selected presentation to the service. Ajoute la présentation sélectionnée au service. @@ -7505,17 +7577,17 @@ Please try selecting it individually. Présentations (%s) - + Missing Presentation Présentation manquante - + The presentation %s is incomplete, please reload. La présentation %s est incomplète, veuillez la recharger. - + The presentation %s no longer exists. La présentation %s n'existe plus. @@ -7523,7 +7595,7 @@ Please try selecting it individually. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. @@ -7531,40 +7603,50 @@ Please try selecting it individually. PresentationPlugin.PresentationTab - + Available Controllers Logiciels de présentation disponibles - + %s (unavailable) %s (non disponible) - + Allow presentation application to be overridden Autoriser l'application de présentation à être surcharger - + PDF options - + Use given full path for mudraw or ghostscript binary: - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7605,127 +7687,127 @@ Please try selecting it individually. RemotePlugin.Mobile - + Service Manager Gestionnaire de services - + Slide Controller Contrôleur de diapositive - + Alerts Alertes - + Search Recherche - + Home Accueil - + Refresh Rafraîchir - + Blank Vide - + Theme Thème - + Desktop Bureau - + Show Affiche - + Prev Préc - + Next Suivant - + Text Texte - + Show Alert Affiche une alerte - + Go Live Lance le direct - + Add to Service Ajouter au service - + Add &amp; Go to Service Ajouter &amp; Se rendre au Service - + No Results Pas de résultats - + Options Options - + Service Service - + Slides Diapos - + Settings Paramètres - + OpenLP 2.2 Remote - + OpenLP 2.2 Stage View - + OpenLP 2.2 Live View @@ -7811,85 +7893,85 @@ Please try selecting it individually. SongUsagePlugin - + &Song Usage Tracking Suivre de l'utilisation des &chants - + &Delete Tracking Data &Supprime les données de suivi - + Delete song usage data up to a specified date. Supprime les données de l'utilisation des chants jusqu'à une date donnée. - + &Extract Tracking Data &Extraire les données de suivi - + Generate a report on song usage. Génère un rapport de l'utilisation des chants. - + Toggle Tracking Activer/Désactiver le suivi - + Toggle the tracking of song usage. Active/Désactive le suivi de l'utilisation des chants. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Module de suivi des chants</strong><br />Ce module permet d'effectuer des statistiques sur la projection des chants. - + SongUsage name singular Suivi de l'utilisation des chants - + SongUsage name plural Suivi de l'utilisation des chants - + SongUsage container title Suivi de l'utilisation des chants - + Song Usage Suivi de l'utilisation des chants - + Song usage tracking is active. Le suivi de l'utilisation des chants est actif. - + Song usage tracking is inactive. Le suivi de l'utilisation des chants est inactif. - + display affiche - + printed imprimé @@ -7951,22 +8033,22 @@ All data recorded before this date will be permanently deleted. Emplacement du rapport - + Output File Location Emplacement du fichier de sortie - + usage_detail_%s_%s.txt rapport_d_utilisation_%s_%s.txt - + Report Creation Création du rapport - + Report %s has been successfully created. @@ -7975,46 +8057,56 @@ has been successfully created. à été crée avec succès. - + Output Path Not Selected Répertoire de destination non sélectionné - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + SongsPlugin - + &Song &Chant - + Import songs using the import wizard. Import des chants en utilisant l'assistant d'import. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Module Chants</strong><br />Le module Chants permet d'afficher et de gérer des chants. - + &Re-index Songs &Ré-indexation des Chants - + Re-index the songs database to improve searching and ordering. Ré-indexation de la base de données des chants pour accélérer la recherche et le tri. - + Reindexing songs... Ré-indexation des chants en cours... @@ -8110,80 +8202,80 @@ The encoding is responsible for the correct character representation. L'encodage permet un affichage correct des caractères. - + Song name singular Chant - + Songs name plural Chants - + Songs container title Chants - + Exports songs using the export wizard. Export des chants en utilisant l'assistant d'export. - + Add a new song. Ajoute un nouveau chant. - + Edit the selected song. Édite le chant sélectionné. - + Delete the selected song. Supprime le chant sélectionné. - + Preview the selected song. Prévisualise le chant sélectionné. - + Send the selected song live. Envoie le chant sélectionné au direct. - + Add the selected song to the service. Ajoute le chant sélectionné au service. - + Reindexing songs Réindexation des chansons en cours - + CCLI SongSelect - + Import songs from CCLI's SongSelect service. - + Find &Duplicate Songs - + Find and remove duplicate songs in the song database. @@ -8652,7 +8744,7 @@ Please enter the verses separated by spaces. Vous devez spécifier un répertoire. - + Select Destination Folder Sélectionne le répertoire de destination @@ -9059,15 +9151,20 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. Votre export de chant a échoué. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Export terminé. Pour importer ces fichiers utilisez l’outil d'import <strong>OpenLyrics</strong>. + + + Your song export failed because this error occurred: %s + + SongsPlugin.SongImport @@ -9248,7 +9345,7 @@ Please enter the verses separated by spaces. Recherche - + Found %s song(s) @@ -9313,43 +9410,43 @@ Please enter the verses separated by spaces. - + Save Username and Password - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + Error Logging In - + There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported - - Your song has been imported, would you like to exit now, or import more songs? + + Incomplete song - - Import More Songs + + This song is missing some information, like the lyrics, and cannot be imported. - - Exit Now + + Your song has been imported, would you like to import more songs? diff --git a/resources/i18n/hu.ts b/resources/i18n/hu.ts index 31514d645..7dad33f43 100644 --- a/resources/i18n/hu.ts +++ b/resources/i18n/hu.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Riasztás - + Show an alert message. Riasztási üzenetet jelenít meg. - + Alert name singular Riasztás - + Alerts name plural Riasztások - + Alerts container title Riasztások - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Riasztás bővítmény</strong><br />A riasztás bővítmény kezeli a figyelmeztetéseket és a felhívásokat a vetítőn. @@ -154,85 +154,85 @@ Adj meg valamilyen szöveget az Új gombra való kattintás előtt. BiblesPlugin - + &Bible &Biblia - + Bible name singular Biblia - + Bibles name plural Bibliák - + Bibles container title Bibliák - + No Book Found Nincs ilyen könyv - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. A kért könyv nem található ebben a Bibliában. Kérlek, ellenőrizd a könyv nevének helyesírását. - + Import a Bible. Biblia importálása. - + Add a new Bible. Biblia hozzáadása. - + Edit the selected Bible. A kijelölt Biblia szerkesztése. - + Delete the selected Bible. A kijelölt Biblia törlése. - + Preview the selected Bible. A kijelölt Biblia előnézete. - + Send the selected Bible live. A kijelölt Biblia élő adásba küldése. - + Add the selected Bible to the service. A kijelölt Biblia hozzáadása a szolgálati sorrendhez. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Biblia bővítmény</strong><br />A Biblia bővítmény különféle forrásokból származó igehelyek vetítését teszi lehetővé a szolgálat alatt. - + &Upgrade older Bibles &Régebbi Bibliák frissítése - + Upgrade the Bible databases to the latest format. Frissíti a Biblia adatbázisokat a legutolsó formátumra. @@ -660,61 +660,61 @@ Adj meg valamilyen szöveget az Új gombra való kattintás előtt. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + , v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + vers verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + versek - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + . and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + és end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + vége @@ -767,39 +767,39 @@ Szám csak az elején lehet és ezt követni kell BiblesPlugin.BibleManager - + Scripture Reference Error Igehely-hivatkozási hiba - + Web Bible cannot be used Online Biblia nem használható - + Text Search is not available with Web Bibles. A keresés nem érhető el online Biblián. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Nincs megadva keresési kifejezés. Több kifejezés is megadható. Szóközzel történő elválasztás esetén minden egyes kifejezésre történik a keresés, míg vesszővel való elválasztás esetén csak az egyikre. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Jelenleg nincs telepített Biblia. Kérlek, használd a Bibliaimportáló tündért Bibliák telepítéséhez. - + No Bibles Available Nincsenek elérhető Bibliák - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -989,12 +989,12 @@ megjelenő könyvnevek alapértelmezett nyelve: BiblesPlugin.CSVBible - + Importing books... %s Könyvek importálása… %s - + Importing verses... done. Versek importálása… kész. @@ -1072,38 +1072,38 @@ Nincs lehetőség a könyvnevek módosítására. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Biblia regisztrálása és a könyvek betöltése… - + Registering Language... Nyelv regisztrálása… - + Importing %s... Importing <book name>... Importálás: %s… - + Download Error Letöltési hiba - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Probléma történt a kijelölt versek letöltésekor. Kérem, ellenőrizd a az internetkapcsolatot, és ha a hiba nem oldódik meg, fontold meg a hiba bejelentését. - + Parse Error Feldolgozási hiba - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Probléma történt a kijelölt versek kicsomagolásakor. Ha a hiba nem oldódik meg, fontold meg a hiba bejelentését. @@ -1111,164 +1111,185 @@ Nincs lehetőség a könyvnevek módosítására. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bibliaimportáló tündér - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. A tündér segít a különféle formátumú bibliák importálásában. Kattints az alábbi Következő gombra a folyamat első lépésének indításhoz, a formátum kiválasztásához. - + Web Download - Letöltés webről + Webes letöltés - + Location: Hely: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Biblia: - + Download Options Letöltési beállítások - + Server: Szerver: - + Username: Felhasználói név: - + Password: Jelszó: - + Proxy Server (Optional) Proxy szerver (választható) - + License Details Licenc részletei - + Set up the Bible's license details. Állítsd be a Biblia licenc részleteit. - + Version name: Verziónév: - + Copyright: Szerzői jog: - + Please wait while your Bible is imported. Kérlek, várj, míg a Biblia importálás alatt áll. - + You need to specify a file with books of the Bible to use in the import. Meg kell adni egy fájlt a bibliai könyvekről az importáláshoz. - + You need to specify a file of Bible verses to import. Meg kell adni egy fájlt a bibliai versekről az importáláshoz. - + You need to specify a version name for your Bible. Meg kell adni a Biblia verziószámát. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Meg kell adni a Biblia szerzői jogait. A közkincsű Bibliákat meg kell jelölni ilyennek. - + Bible Exists Létező Biblia - + This Bible already exists. Please import a different Bible or first delete the existing one. Ez a Biblia már létezik. Kérlek, importálj egy másik Bibliát vagy előbb töröld a meglévőt. - + Your Bible import failed. A Biblia importálása nem sikerült. - + CSV File CSV fájl - + Bibleserver Bibleserver - + Permissions: Engedélyek: - + Bible file: Biblia-fájl: - + Books file: Könyvfájl: - + Verses file: Versfájl: - + Registering Bible... Biblia regisztrálása… - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Biblia regisztrálva. Megjegyzés: a versek csak kérésre lesznek letöltve +és akkor is internet kapcsolat szükségeltetik. + + + + Click to download bible list + Biblia-lista letöltése + + + + Download bible list + Letöltés + + + + Error during download + Hiba a letöltés során + + + + An error occurred while downloading the list of bibles from %s. + Hiba történt az alábbi helyről való Biblia-lista letöltése során: %s. @@ -1407,13 +1428,26 @@ Az esetleges újbóli alkalmazásához újra be kell majd importálni.A megadott Biblia-fájl hibás. Úgy tűnik, ez egy Zefania XML biblia, alkalmazd a Zefania importálási beállítást. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + %(bookname) %(chapter) fejezetének importálása... + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Nem használt címkék eltávolítása (ez eltarthat pár percig)… + + + Importing %(bookname)s %(chapter)s... + %(bookname) %(chapter) fejezetének importálása... + BiblesPlugin.UpgradeWizardForm @@ -1568,73 +1602,81 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. A megadott Biblia-fájl hibás. A Zefania bibliák tömörítve lehetnek. Ki kell csomagolni őket az importálásuk előtt. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + %(bookname) %(chapter) fejezetének importálása... + + CustomPlugin - + Custom Slide name singular Speciális dia - + Custom Slides name plural Speciális diák - + Custom Slides container title Speciális diák - + Load a new custom slide. Új speciális dia betöltése. - + Import a custom slide. Speciális dia importálása. - + Add a new custom slide. Új speciális dia hozzáadása. - + Edit the selected custom slide. A kijelölt speciális dia szerkesztése. - + Delete the selected custom slide. A kijelölt speciális dia törlése. - + Preview the selected custom slide. A kijelölt speciális dia előnézete. - + Send the selected custom slide live. A kijelölt speciális dia élő adásba küldése. - + Add the selected custom slide to the service. A kijelölt speciális dia hozzáadása a szolgálati sorrendhez. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Speciális dia bővítmény</strong><br />A speciális dia bővítmény dalokhoz hasonló egyéni diasor vetítését teszi lehetővé. Ugyanakkor több szabadságot enged meg, mint a dal bővítmény. @@ -1731,7 +1773,7 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Valóban törölhető a kijelölt %n speciális dia? @@ -1741,60 +1783,60 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Kép bővítmény</strong><br />A kép a bővítmény különféle képek vetítését teszi lehetővé.<br />A bővítmény egyik különös figyelmet érdemlő képessége az, hogy képes a sorrendkezelőn csoportba foglalni a képeket, így könnyebbé téve képek tömeges vetítését. A bővítmény képes az OpenLP „időzített körkörös” lejátszásra is, amivel a diasort automatikusan tudjuk léptetni. Továbbá, a bővítményben megadott képekkel felülírhatjuk a téma háttérképét, így a szöveg alapú elemek ‒ mint pl. a dalok ‒ a megadott háttérképpel jelennek meg, a témában beállított háttérkép helyett. - + Image name singular Kép - + Images name plural Képek - + Images container title Képek - + Load a new image. Új kép betöltése. - + Add a new image. Új kép hozzáadása. - + Edit the selected image. A kijelölt kép szerkesztése. - + Delete the selected image. A kijelölt kép törlése. - + Preview the selected image. A kijelölt kép előnézete. - + Send the selected image live. A kijelölt kép élő adásba küldése. - + Add the selected image to the service. A kijelölt kép hozzáadása a szolgálati sorrendhez. @@ -1822,12 +1864,12 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor Meg kell adni egy csoportnevet. - + Could not add the new group. A csoportot nem lehet hozzáadni. - + This group already exists. Ez a csoport már létezik. @@ -1876,34 +1918,34 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor Képek kijelölése - + You must select an image to replace the background with. Ki kell jelölni egy képet a háttér cseréjéhez. - + Missing Image(s) Hiányzó képek - + The following image(s) no longer exist: %s A következő képek már nem léteznek: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? A következő képek már nem léteznek: %s Szeretnél más képeket megadni? - + There was a problem replacing your background, the image file "%s" no longer exists. Probléma történt a háttér cseréje során, a kép nem létezik: %s - + There was no display item to amend. Nem volt módosított megjelenő elem. @@ -1913,17 +1955,17 @@ Szeretnél más képeket megadni? -- Legfelsőbb szintű csoport -- - + You must select an image or group to delete. Ki kell jelölni egy képet vagy csoportot a törléshez. - + Remove group Csoport eltávolítása - + Are you sure you want to remove "%s" and everything in it? %s valóban törölhető teljes tartalmával együtt? @@ -1944,22 +1986,22 @@ Szeretnél más képeket megadni? A Phonon egy médialejátszó, amely együttműködik az operációs rendszerrel a média képességek érdekében. - + Audio Hang - + Video Videó - + VLC is an external player which supports a number of different formats. A VLC egy külső lejátszó, amely több különböző formátumot támogat. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. A Webkit egy a böngészőben futó médialejátszó, amely lehetővé teszi, hogy a szöveg videó felett jelenjen meg. @@ -1967,60 +2009,60 @@ Szeretnél más képeket megadni? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Média bővítmény</strong><br />A média bővítmény hangok és videók lejátszását teszi lehetővé. - + Media name singular Média - + Media name plural Média - + Media container title Média - + Load new media. Új médiafájl betöltése. - + Add new media. Új médiafájl hozzáadása. - + Edit the selected media. A kijelölt médiafájl szerkesztése. - + Delete the selected media. A kijelölt médiafájl törlése. - + Preview the selected media. A kijelölt médiafájl előnézete. - + Send the selected media live. A kijelölt médiafájl élő adásba küldése. - + Add the selected media to the service. A kijelölt médiafájl hozzáadása a szolgálati sorrendhez. @@ -2189,37 +2231,37 @@ Szeretnél más képeket megadni? Médiafájl kijelölése - + You must select a media file to delete. Ki kell jelölni egy médiafájlt a törléshez. - + You must select a media file to replace the background with. Ki kell jelölni médiafájlt a háttér cseréjéhez. - + There was a problem replacing your background, the media file "%s" no longer exists. Probléma történt a háttér cseréje során, a médiafájl nem létezik: %s - + Missing Media File Hiányzó médiafájl - + The file %s no longer exists. A fájl nem létezik: %s - + Videos (%s);;Audio (%s);;%s (*) Videók (%s);;Hang (%s);;%s (*) - + There was no display item to amend. Nem volt módosított megjelenő elem. @@ -2229,7 +2271,7 @@ Szeretnél más képeket megadni? Nem támogatott fájl - + Use Player: Lejátszó alkalmazása: @@ -2244,27 +2286,27 @@ Szeretnél más képeket megadni? VLC lejátszó szükséges az optikai eszközök lejátszásához - + Load CD/DVD CD/DVD betöltése - + Load CD/DVD - only supported when VLC is installed and enabled CD/DVD betöltése ‒ csak telepített és engedélyezett VLC esetén támogatott - + The optical disc %s is no longer available. Az optikai lemez már nem elérhető: %s - + Mediaclip already saved A médiaklip el van mentve - + This mediaclip has already been saved A médiaklip már el volt mentve @@ -2293,17 +2335,17 @@ Szeretnél más képeket megadni? OpenLP - + Image Files Képfájlok - + Information Információ - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -2470,13 +2512,96 @@ Final Credit on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + Projektvezetés +%s + +Fejlesztők +%s + +Hozzájárulók +%s + +Tesztelők +%s + +Csomagkészítők +%s + +Fordítók +Búr (af) +%s +Cseh (cs) +%s +Dán (da) +%s +Német (de) +%s +Görög (el) +%s +Angol, Egyesült Királyság (en_GB) +%s +Angol, Dél-Afrikai Köztársaság (en_ZA) +%s +Spanyol (es) +%s +Észt (et) +%s +Finn (fi) +%s +Francia (fr) +%s +Magyar (hu) +%s +Indonéz (id) +%s +Japán (ja) +%s +Norvég bokmål (nb) +%s +Holland (nl) +%s +Lengyel (pl) +%s +Brazíliai portugál (pt_BR) +%s +Orosz (ru) +%s +Svéd (sv) +%s +Tamil (Srí Lanka) (ta_LK) +%s +Kínai (Kína) (zh_CN) +%s + +Dokumentáció +%s + +Fordítás +Python: http://www.python.org/ +Qt4: http://qt.io +PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro +Oxygen ikonok: http://techbase.kde.org/Projects/Oxygen/ +MuPDF: http://www.mupdf.com/ + +Végső köszönet +„Úgy szerette Isten a világot, hogy +egyszülött Fiát adta oda, hogy egyetlen +benne hívő se vesszen el, hanem +örök élete legyen.” Jn 3,16 + +És végül, de nem utolsósorban, a végső köszönet +Istené, Atyánké, mert elküldte a Fiát, +hogy meghaljon a kereszten, megszabadítva +bennünket a bűntől. Ezért ezt a programot +szabadnak és ingyenesnek készítettük, +mert Ő tett minket szabaddá. Copyright © 2004-2015 %s Portions copyright © 2004-2015 %s - + Szerzői jog © 2004-2015 %s +Részleges szerzői jog © 2004-2015 %s @@ -3194,7 +3319,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename Fájl átnevezése @@ -3204,7 +3329,7 @@ Version: %s Új fájl neve: - + File Copy Fájl másolása @@ -3230,167 +3355,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Dalok - + First Time Wizard Első indítás tündér - + Welcome to the First Time Wizard Üdvözlet az első indítás tündérben - + Activate required Plugins Igényelt bővítmények aktiválása - + Select the Plugins you wish to use. Jelöld ki az alkalmazni kívánt bővítményeket. - + Bible Biblia - + Images Képek - + Presentations Bemutatók - + Media (Audio and Video) Média (hang és videó) - + Allow remote access Távirányító - + Monitor Song Usage Dalstatisztika - + Allow Alerts Riasztások engedélyezése - + Default Settings Alapértelmezett beállítások - + Downloading %s... Letöltés %s… - + Enabling selected plugins... Kijelölt bővítmények engedélyezése… - + No Internet Connection Nincs internet kapcsolat - + Unable to detect an Internet connection. Nem sikerült internet kapcsolatot észlelni. - + Sample Songs Példa dalok - + Select and download public domain songs. Közkincs dalok kijelölése és letöltése. - + Sample Bibles Példa bibliák - + Select and download free Bibles. Szabad bibliák kijelölése és letöltése. - + Sample Themes Példa témák - + Select and download sample themes. Példa témák kijelölése és letöltése. - + Set up default settings to be used by OpenLP. Az OpenLP alapértelmezett beállításai. - + Default output display: Alapértelmezett kimeneti képernyő: - + Select default theme: Alapértelmezett téma kijelölése: - + Starting configuration process... Beállítási folyamat kezdése… - + Setting Up And Downloading Beállítás és letöltés - + Please wait while OpenLP is set up and your data is downloaded. Várj, amíg az OpenLP beállítások érvényre jutnak és míg az adatok letöltődnek. - + Setting Up Beállítás - + Custom Slides Speciális diák - + Finish Befejezés - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3399,47 +3524,47 @@ To re-run the First Time Wizard and import this sample data at a later time, che Az Első indítás tündér újbóli indításához és a példaadatok későbbi betöltéséhez ellenőrizd az internetkapcsolatot és futtasd újra ezt a tündért az OpenLP Eszközök > Első indítás tündér menüpontjával. - + Download Error Letöltési hiba - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. Kapcsolódási hiba történt a letöltés közben, ezért a letöltés megszakadt. Ajánlott az Első indítás tündér újbóli futtatása. - + Download complete. Click the %s button to return to OpenLP. A letöltés befejeződött. Visszatérés az OpeLP-be az alábbi %s gombbal. - + Download complete. Click the %s button to start OpenLP. A letöltés befejeződött. Az OpeLP indítása az alábbi %s gombbal. - + Click the %s button to return to OpenLP. Visszatérés az OpenLP-be az alábbi %s gombbal. - + Click the %s button to start OpenLP. Az OpenLP indításaó az alábbi %s gombbal. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Kapcsolódási hiba történt a letöltés közben, ezért a letöltés megszakadt. Ajánlott az Első indítás tündér újbóli futtatása. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. A tündér segít elkezdeni az OpenLP használatát. Kattints az alábbi %s gombra az indításhoz. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. @@ -3448,39 +3573,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s A tündér teljes leállításához (és az OpenLP bezárásához) kattints az alábbi %s gombra. - + Downloading Resource Index - - - - - Please wait while the resource index is downloaded. - + Forrás tartalomjegyzékének letöltése + Please wait while the resource index is downloaded. + Kérlek, várj, míg a forrás tartalomjegyzéke letöltődik. + + + Please wait while OpenLP downloads the resource index file... - + Kérlek, várj, míg az OpenLP letölti a forrás tartalomjegyzékét… - + Downloading and Configuring - + Letöltés és beállítás - + Please wait while resources are downloaded and OpenLP is configured. - + Kérlek, várj, míg a források letöltődnek és az OpenLP beállításra kerül. - + Network Error - + Hálózati hiba - + There was a network error attempting to connect to retrieve initial configuration information - + Hálózati hiba történt a kezdő beállító információk letöltése közben + + + + Cancel + Mégsem + + + + Unable to download some files + Nem sikerült letölteni néhány fájlt. @@ -3553,6 +3688,16 @@ A tündér teljes leállításához (és az OpenLP bezárásához) kattints az a Description %s already defined. A leírás már létezik: %s. + + + Start tag %s is not valid HTML + A kezdő %s címke nem érvényes HTML + + + + End tag %s does not match end tag for start tag %s + A záró %s címke nem egyezik a %s kezdő címkével. + OpenLP.FormattingTags @@ -3811,7 +3956,7 @@ A tündér teljes leállításához (és az OpenLP bezárásához) kattints az a OpenLP.MainDisplay - + OpenLP Display OpenLP megjelenítés @@ -4118,7 +4263,7 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.A fő képernyő el lett sötétítve - + Default Theme: %s Alapértelmezett téma: %s @@ -4134,12 +4279,12 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.&Gyorsbillentyűk beállítása… - + Close OpenLP OpenLP bezárása - + Are you sure you want to close OpenLP? Valóban bezárható az OpenLP? @@ -4213,13 +4358,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and A tündér újbóli futtatása során megváltozhatnak az OpenLP aktuális beállításai, az alapértelmezett téma és új dalok adhatók hozzá a jelenlegi dallistákhoz. - + Clear List Clear List of recent files Lista törlése - + Clear the list of recent files. Törli a legutóbbi fájlok listáját. @@ -4279,17 +4424,17 @@ A tündér újbóli futtatása során megváltozhatnak az OpenLP aktuális beál OpenLP exportált beállító fájl (*.conf) - + New Data Directory Error Új adatmappa hiba - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Az OpenLP adatok új helyre való másolása folyamatban - %s - Várj a folyamat befejeződéséig - + OpenLP Data directory copy failed %s @@ -4350,7 +4495,7 @@ A folyamat megszakad és a változások nem lesznek elmentve. Projektorkezelő láthatóságának átváltása. - + Export setting error Exportbeállítási hiba @@ -4359,16 +4504,21 @@ A folyamat megszakad és a változások nem lesznek elmentve. The key "%s" does not have a default value so it will be skipped in this export. A következő kulcsnak nincs alapértelmezett értéke, ezért ki lesz hagyva az exportálásból: „%s”. + + + An error occurred while exporting the settings: %s + Hiba történt a beállítás exportálása közben: %s + OpenLP.Manager - + Database Error Adatbázis hiba - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4377,7 +4527,7 @@ Database: %s Adatbázis: %s - + OpenLP cannot load your database. Database: %s @@ -4456,7 +4606,7 @@ Az utótag nem támogatott &Klónozás - + Duplicate files were found on import and were ignored. Importálás közben duplikált fájl bukkant elő, figyelmen kívül lett hagyva. @@ -4841,11 +4991,6 @@ Az utótag nem támogatott The proxy address set with setProxy() was not found A setProxy() által megadott proxy cím nem található - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - A kapcsolódás egyeztetése sikertelen a proxy szerverrel, mivel a proxy szerver válasza értelmezhetetlen - An unidentified error occurred @@ -4916,6 +5061,11 @@ Az utótag nem támogatott Received data Adatok fogadása + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + A kapcsolódás egyeztetése sikertelen a proxy szerverrel, mivel a proxy szerver válasza értelmezhetetlen + OpenLP.ProjectorEdit @@ -5462,22 +5612,22 @@ Az utótag nem támogatott Elem témájának &módosítása - + File is not a valid service. A fájl nem érvényes sorrend. - + Missing Display Handler Hiányzó képernyőkezelő - + Your item cannot be displayed as there is no handler to display it Az elemet nem lehet megjeleníteni, mert nincs kezelő, amely megjelenítené - + Your item cannot be displayed as the plugin required to display it is missing or inactive Az elemet nem lehet megjeleníteni, mert a bővítmény, amely kezelné, hiányzik vagy inaktív @@ -5557,12 +5707,12 @@ Az utótag nem támogatott Egyedi sorrendelem-jegyzetek: - + Notes: Jegyzetek: - + Playing time: Lejátszási idő: @@ -5572,22 +5722,22 @@ Az utótag nem támogatott Névtelen sorrend - + File could not be opened because it is corrupt. A fájl nem nyitható meg, mivel sérült. - + Empty File Üres fájl - + This service file does not contain any data. A szolgálati sorrendfájl nem tartalmaz semmilyen adatot. - + Corrupt File Sérült fájl @@ -5607,32 +5757,32 @@ Az utótag nem támogatott Jelöljön ki egy témát a sorrendhez. - + Slide theme Dia témája - + Notes Jegyzetek - + Edit Szerkesztés - + Service copy only A sorrend csak másolható - + Error Saving File Állománymentési hiba - + There was an error saving your file. Hiba történt az állomány mentésekor. @@ -5641,17 +5791,6 @@ Az utótag nem támogatott Service File(s) Missing Hiányzó sorrendfájl - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - A következő fájlok hiányoznak a sorrendből: -<byte value="x9"/>%s - -Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. - &Rename... @@ -5678,7 +5817,7 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. Automatikus &egyszeri diavetítés - + &Delay between slides &Diák közötti késleltetés @@ -5688,64 +5827,78 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. OpenLP sorrendfájlok (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP sorrendfájlok (*.osz *.oszl);; OpenLP sorrendfájlok - egyszerű (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP sorrendfájlok (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. A fájl nem érvényes sorrend. A tartalom kódolása nem UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. A megnyitni próbált sorrendfájl régi formátumú. Legalább OpenLP 2.0.2-val kell elmenteni. - + This file is either corrupt or it is not an OpenLP 2 service file. A fájl vagy sérült vagy nem OpenLP 2 szolgálati sorrendfájl. - + &Auto Start - inactive &Automatikus indítás - inaktív - + &Auto Start - active &Automatikus indítás - aktív - + Input delay Bemeneti késleltetés - + Delay between slides in seconds. Diák közötti késleltetés másodpercben. - + Rename item title Elem címének átnevezése - + Title: Cím: + + + An error occurred while writing the service file: %s + Hiba történt a szolgálati sorrendfájl mentése közben: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + A következő fájlok hiányoznak a sorrendből: %s + +Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. + OpenLP.ServiceNoteForm @@ -6007,49 +6160,44 @@ Legalább OpenLP 2.0.2-val kell elmenteni. OpenLP.SourceSelectForm - + Select Projector Source Projektor forrás kijelölése - + Edit Projector Source Text Projektor forrásszöveg szerkesztése Ignoring current changes and return to OpenLP - + Aktuális módosítások elvetése és visszatérés az OpenLP-be. Delete all user-defined text and revert to PJLink default text - + Minden felhasználó által definiált szöveg törlése és visszatérés a PJLink alapértelmezett szövegéhez Discard changes and reset to previous user-defined text - + Módosítások elvetése és visszatérés az előző, felhasználó által definiált szöveghez Save changes and return to OpenLP - + Módosítások mentése és visszatérés az OpenLP-be + + + + Delete entries for this projector + A projektor bejegyzéseinek törlése - Delete entries for this projector - - - - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? - + Are you sure you want to delete ALL user-defined source input text for this projector? + Valóban törölhető MINDEN felhasználó által definiált forrás bementi szöveg ehhez a projektorhoz? @@ -6212,7 +6360,7 @@ Legalább OpenLP 2.0.2-val kell elmenteni. Beállítás &globális alapértelmezetté - + %s (default) %s (alapértelmezett) @@ -6222,52 +6370,47 @@ Legalább OpenLP 2.0.2-val kell elmenteni. Ki kell jelölni egy témát a szerkesztéshez. - + You are unable to delete the default theme. Az alapértelmezett témát nem lehet törölni. - + Theme %s is used in the %s plugin. A(z) %s témát a(z) %s bővítmény használja. - + You have not selected a theme. Nincs kijelölve egy téma sem. - + Save Theme - (%s) Téma mentése – (%s) - + Theme Exported Téma exportálva - + Your theme has been successfully exported. A téma sikeresen exportálásra került. - + Theme Export Failed A téma exportálása nem sikerült - - Your theme could not be exported due to an error. - A témát nem sikerült exportálni egy hiba miatt. - - - + Select Theme Import File Importálandó téma fájl kijelölése - + File is not a valid theme. Nem érvényes témafájl. @@ -6317,20 +6460,15 @@ Legalább OpenLP 2.0.2-val kell elmenteni. Törölhető ez a téma: %s? - + Validation Error Érvényességi hiba - + A theme with this name already exists. Ilyen fájlnéven már létezik egy téma. - - - OpenLP Themes (*.theme *.otz) - OpenLP témák (*.theme *.otz) - Copy of %s @@ -6338,15 +6476,25 @@ Legalább OpenLP 2.0.2-val kell elmenteni. %s másolata - + Theme Already Exists A téma már létezik - + Theme %s already exists. Do you want to replace it? Ez a téma már létezik: %s. Szeretnéd felülírni? + + + The theme export failed because this error occurred: %s + A téma exportja sikertelen a következő hiba miatt: %s + + + + OpenLP Themes (*.otz) + OpenLP témák (*.otz) + OpenLP.ThemeWizard @@ -6782,7 +6930,7 @@ Legalább OpenLP 2.0.2-val kell elmenteni. Kész. - + Starting import... Importálás indítása… @@ -6793,7 +6941,7 @@ Legalább OpenLP 2.0.2-val kell elmenteni. Meg kell adni legalább egy %s fájlt az importáláshoz. - + Welcome to the Bible Import Wizard Üdvözlet a Bibliaimportáló tündérben @@ -6887,7 +7035,7 @@ Legalább OpenLP 2.0.2-val kell elmenteni. Meg kell adni egy %s mappát az importáláshoz. - + Importing Songs Dalok importálása @@ -7231,174 +7379,184 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Előnézet - + Print Service Szolgálati sorrend nyomtatása - + Projector Singular Projektor - + Projectors Plural Projektorok - + Replace Background Háttér cseréje - + Replace live background. Élő adás hátterének cseréje. - + Reset Background Háttér visszaállítása - + Reset live background. Élő adás hátterének visszaállítása. - + s The abbreviated unit for seconds mp - + Save && Preview Mentés és előnézet - + Search Keresés - + Search Themes... Search bar place holder text Témák keresése… - + You must select an item to delete. Ki kell jelölni egy törlendő elemet. - + You must select an item to edit. Ki kell jelölni egy szerkesztendő elemet. - + Settings Beállítások - + Save Service Sorrend mentése - + Service Sorrend - + Optional &Split &Feltételes törés - + Split a slide into two only if it does not fit on the screen as one slide. Diák kettéválasztása csak akkor, ha nem fér ki a képernyőn egy diaként. - + Start %s Kezdés %s - + Stop Play Slides in Loop Ismétlődő vetítés megállítása - + Stop Play Slides to End Vetítés megállítása - + Theme Singular Téma - + Themes Plural Témák - + Tools Eszközök - + Top Felülre - + Unsupported File Nem támogatott fájl - + Verse Per Slide Egy vers diánként - + Verse Per Line Egy vers soronként - + Version Verzió - + View Nézet - + View Mode Nézetmód CCLI song number: - + CCLI dal száma: OpenLP 2.2 + OpenLP 2.2 + + + + Preview Toolbar + Előnézet eszköztár + + + + Replace live background is not available on this platform in this version of OpenLP. @@ -7440,50 +7598,50 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Bemutató bővítmény</strong><br />A bemutató bővítmény különböző külső programok segítségével bemutatók megjelenítését teszi lehetővé. A prezentációs programok egy listából választhatók ki. - + Presentation name singular Bemutató - + Presentations name plural Bemutatók - + Presentations container title Bemutatók - + Load a new presentation. Új bemutató betöltése. - + Delete the selected presentation. A kijelölt bemutató törlése. - + Preview the selected presentation. A kijelölt bemutató előnézete. - + Send the selected presentation live. A kijelölt bemutató élő adásba küldése. - + Add the selected presentation to the service. A kijelölt bemutató hozzáadása a sorrendhez. @@ -7526,17 +7684,17 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Bemutatók (%s) - + Missing Presentation Hiányzó bemutató - + The presentation %s is incomplete, please reload. A bemutató hiányos, újra kell tölteni: %s. - + The presentation %s no longer exists. A bemutató már nem létezik: %s. @@ -7544,7 +7702,7 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. Hiba történt a Powerpoint integrációban, ezért a prezentáció leáll. Újraindítással lehet újra bemutatni a prezentációt. @@ -7552,40 +7710,50 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. PresentationPlugin.PresentationTab - + Available Controllers Elérhető vezérlők - + %s (unavailable) %s (elérhetetlen) - + Allow presentation application to be overridden A bemutató program felülírásának engedélyezése - + PDF options PDF beállítások - + Use given full path for mudraw or ghostscript binary: A megadott teljes útvonal alkalmazása a mudraw vagy a ghostscript bináris számára: - + Select mudraw or ghostscript binary. Jelöld ki a mudraw vagy a ghostscript binárist. - + The program is not ghostscript or mudraw which is required. A megadott program nem a szükséges ghostscript vagy a mudraw. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7626,129 +7794,129 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. RemotePlugin.Mobile - + Service Manager Sorrendkezelő - + Slide Controller Diakezelő - + Alerts Riasztások - + Search Keresés - + Home Kezdőlap - + Refresh Frissítés - + Blank Elsötétítés - + Theme Téma - + Desktop Asztal - + Show Vetítés - + Prev Előző - + Next Következő - + Text Szöveg - + Show Alert Értesítés megjelenítése - + Go Live Élő adásba - + Add to Service Hozzáadás a sorrendhez - + Add &amp; Go to Service Hozzáadás és ugrás a sorrendre - + No Results Nincs találat - + Options Beállítások - + Service Sorrend - + Slides Diák - + Settings Beállítások - + OpenLP 2.2 Remote - + OpenLP 2.2 távirányító - + OpenLP 2.2 Stage View - + OpenLP 2.2 színpadi nézet - + OpenLP 2.2 Live View - + OpenLP 2.2 élő nézet @@ -7832,85 +8000,85 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. SongUsagePlugin - + &Song Usage Tracking &Dalstatisztika rögzítése - + &Delete Tracking Data Rögzített adatok &törlése - + Delete song usage data up to a specified date. Dalstatisztika adatok törlése egy meghatározott dátumig. - + &Extract Tracking Data Rögzített adatok &kicsomagolása - + Generate a report on song usage. Dalstatisztika-jelentés összeállítása. - + Toggle Tracking Rögzítés - + Toggle the tracking of song usage. Dalstatisztika rögzítésének átváltása. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Dalstatisztika bővítmény</strong><br />Ez a bővítmény rögzíti, hogy a dalok mikor lettek vetítve egy élő szolgálat vagy istentisztelet során. - + SongUsage name singular Dalstatisztika - + SongUsage name plural Dalstatisztika - + SongUsage container title Dalstatisztika - + Song Usage Dalstatisztika - + Song usage tracking is active. A dalstatisztika rögzítésre kerül. - + Song usage tracking is inactive. A dalstatisztika nincs rögzítés alatt. - + display megjelenítés - + printed nyomtatás @@ -7972,22 +8140,22 @@ All data recorded before this date will be permanently deleted. Helyszín jelentése - + Output File Location Kimeneti fájl elérési útvonala - + usage_detail_%s_%s.txt Dalstatisztika_%s%s.txt - + Report Creation Riport készítése - + Report %s has been successfully created. @@ -7995,46 +8163,56 @@ has been successfully created. %s. - + Output Path Not Selected Nem kijelölt kimeneti útvonal - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Nem létező útvonal lett megadva a dalstatisztika riporthoz. Jelölj ki egy érvényes útvonalat a számítógépen. + + + Report Creation Failed + Riportkészítési hiba + + + + An error occurred while creating the report: %s + Hiba történt a riport készítése közben: %s + SongsPlugin - + &Song &Dal - + Import songs using the import wizard. Dalok importálása az importálás tündérrel. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Dal bővítmény</strong><br />A dal bővítmény dalok megjelenítését és kezelését teszi lehetővé. - + &Re-index Songs Dalok újra&indexelése - + Re-index the songs database to improve searching and ordering. A dalok adatbázisának újraindexelése a keresés és a rendezés javításához. - + Reindexing songs... Dalok indexelése folyamatban… @@ -8130,80 +8308,80 @@ The encoding is responsible for the correct character representation. A kódlap felelős a karakterek helyes megjelenítéséért. - + Song name singular Dal - + Songs name plural Dalok - + Songs container title Dalok - + Exports songs using the export wizard. Dalok exportálása a dalexportáló tündérrel. - + Add a new song. Új dal hozzáadása. - + Edit the selected song. A kijelölt dal szerkesztése. - + Delete the selected song. A kijelölt dal törlése. - + Preview the selected song. A kijelölt dal előnézete. - + Send the selected song live. A kijelölt dal élő adásba küldése. - + Add the selected song to the service. A kijelölt dal hozzáadása a sorrendhez. - + Reindexing songs Dalok újraindexelése - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. Dalok importálása a CCLI SongSelect szolgáltatásából. - + Find &Duplicate Songs &Duplikált dalok keresése - + Find and remove duplicate songs in the song database. Duplikált dalok keresése és eltávolítása az adatbázisból. @@ -8675,7 +8853,7 @@ A versszakokat szóközzel elválasztva kell megadni. Egy mappát kell megadni. - + Select Destination Folder Célmappa kijelölése @@ -9081,15 +9259,20 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.SongExportForm - + Your song export failed. Dalexportálás meghiúsult. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Exportálás befejeződött. Ezen fájlok importálásához majd az <strong>OpenLyrics</strong> importálót vedd igénybe. + + + Your song export failed because this error occurred: %s + A dal exportja sikertelen a következő hiba miatt: %s + SongsPlugin.SongImport @@ -9270,7 +9453,7 @@ A versszakokat szóközzel elválasztva kell megadni. Keresés - + Found %s song(s) %s talált dal @@ -9335,44 +9518,44 @@ A versszakokat szóközzel elválasztva kell megadni. Kilépés… - + Save Username and Password Felhasználói név és jelszó mentése - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. FIGYELMEZTETÉS: A felhasználói név és a jelszó mentése NEM BIZTONSÁGOS, mivel a jelszó EGYSZERŰ SZÖVEGKÉNT lesz mentve. Az Igennel a jelszó mentésre kerül, a Nemmel megszakad a mentés. - + Error Logging In Bejelentkezési hiba - + There was a problem logging in, perhaps your username or password is incorrect? Hiba történt a bejelentkezés során. Lehetséges, hogy a felhasználói név vagy a jelszó nem pontos? - + Song Imported Sikeres dalimportálás - - Your song has been imported, would you like to exit now, or import more songs? - A dal sikeresen importálva lett. Kilépés vagy új dalok importálása? + + Incomplete song + Hiányos dal - - Import More Songs - További dalok importálása + + This song is missing some information, like the lyrics, and cannot be imported. + A dalból hiányzik néhány lapvető információ, mint pl. a szöveg, így az nem importálható. - - Exit Now - Kilépés + + Your song has been imported, would you like to import more songs? + A dal sikeresen importálva lett. Új dalok importálása? diff --git a/resources/i18n/id.ts b/resources/i18n/id.ts index bb5af3ef9..07c6cf52e 100644 --- a/resources/i18n/id.ts +++ b/resources/i18n/id.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Peringatan - + Show an alert message. Menampilkan suatu pesan peringatan. - + Alert name singular Peringatan - + Alerts name plural Peringatan-Peringatan - + Alerts container title Peringatan-Peringatan - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Plugin Peringatan</strong><br>Plugin Peringatan mengendalikan penampilan peringatan di layar tampilan. @@ -154,85 +154,85 @@ Silakan masukkan teks sebelum memilih Baru. BiblesPlugin - + &Bible &Alkitab - + Bible name singular Alkitab - + Bibles name plural Alkitab - + Bibles container title Alkitab - + No Book Found Kitab Tidak Ditemukan - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Kitab tidak ditemukan dalam Alkitab ini. Periksa apakah Anda telah mengeja nama kitab dengan benar. - + Import a Bible. Impor Alkitab. - + Add a new Bible. Tambahkan Alkitab baru. - + Edit the selected Bible. Sunting Alkitab terpilih. - + Delete the selected Bible. Hapus Alkitab terpilih. - + Preview the selected Bible. Pratinjau Alkitab terpilih. - + Send the selected Bible live. Tayangkan Alkitab terpilih. - + Add the selected Bible to the service. Tambahkan Alkitab terpilih ke Layanan. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Plugin Alkitab</strong><br />Plugin Alkitab menyediakan kemampuan untuk menampilkan ayat Alkitab dari sumber yang berbeda selama Layanan dijalankan. - + &Upgrade older Bibles &Mutakhirkan Alkitab lama - + Upgrade the Bible databases to the latest format. Mutakhirkan basis-data Alkitab ke format terakhir. @@ -660,61 +660,61 @@ Silakan masukkan teks sebelum memilih Baru. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + ayat verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + ayat-ayat - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - ke + ke , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + dan end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + akhir @@ -767,39 +767,39 @@ diikuti oleh satu atau lebih karakter non-numerik. BiblesPlugin.BibleManager - + Scripture Reference Error Kesalahan Referensi Alkitab - + Web Bible cannot be used Alkitab Web tidak dapat digunakan - + Text Search is not available with Web Bibles. Penelusuran teks tidak dapat dilakukan untuk Alkitab Web. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Anda tidak memasukkan kata kunci penelusuran. Anda dapat memisahkan kata kunci dengan spasi untuk menelusuri seluruh kata kunci dan Anda dapat memisahkan kata kunci dengan koma untuk menelusuri salah satu kata kunci. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. TIdak ada Alkitab terpasang. Silakan gunakan Wisaya Impor untuk memasang satu atau beberapa Alkitab. - + No Bibles Available Alkitab tidak tersedia - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -989,12 +989,12 @@ hasil penelusuran, dan tampilan: BiblesPlugin.CSVBible - + Importing books... %s Mengimpor kitab... %s - + Importing verses... done. Mengimpor ayat... selesai. @@ -1072,38 +1072,38 @@ Tidak mungkin untuk mengubahsuaikan Nama Kitab. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Mendaftarkan Alkitab dan memuat kitab... - + Registering Language... Mendaftarkan bahasa... - + Importing %s... Importing <book name>... Mengimpor %s... - + Download Error Kesalahan Unduhan - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Ada masalah dalam mengunduh ayat yang terpilih. Silakan periksa sambungan internet Anda dan jika kesalahan ini berlanjut, pertimbangkan untuk melaporkan hal ini sebagai bug. - + Parse Error Kesalahan Penguraian - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Ada masalah dalam mengekstrak ayat yang terpilih. Jika kesalahan ini berlanjut, silakan pertimbangkan untuk melaporkan hal ini sebagai bug. @@ -1111,164 +1111,184 @@ Tidak mungkin untuk mengubahsuaikan Nama Kitab. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Wisaya Impor Alkitab - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Wisaya ini akan membantu Anda mengimpor Alkitab dari berbagai format. Klik tombol Selanjutnya di bawah untuk memulai proses dengan memilih format untuk diimpor. - + Web Download Unduhan dari Web - + Location: Lokasi: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Alkitab: - + Download Options Opsi Unduhan - + Server: Server: - + Username: Nama Pengguna: - + Password: Kata sandi: - + Proxy Server (Optional) Server Proxy (Opsional) - + License Details Rincian Lisensi - + Set up the Bible's license details. Siapkan rincian lisensi Alkitab. - + Version name: Nama versi: - + Copyright: Hak Cipta: - + Please wait while your Bible is imported. Silakan tunggu selama Alkitab diimpor. - + You need to specify a file with books of the Bible to use in the import. Anda harus menentukan suatu berkas yang berisi kitab-kitab Alkitab untuk digunakan dalam impor. - + You need to specify a file of Bible verses to import. Anda harus menentukan suatu berkas ayat Alkitab untuk diimpor. - + You need to specify a version name for your Bible. Anda harus menentukan suatu nama versi untuk Alkitab. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Anda harus menetapkan hak cipta untuk Alkitab Anda. Alkitab di Domain Publik harus ditandai seperti itu. - + Bible Exists Alkitab Sudah Ada - + This Bible already exists. Please import a different Bible or first delete the existing one. Alkitab sudah ada. Silakan impor Alkitab lain atau hapus dahulu yang sudah ada. - + Your Bible import failed. Impor Alkitab gagal. - + CSV File Berkas CSV - + Bibleserver Bibleserver - + Permissions: Izin: - + Bible file: Berkas Alkitab: - + Books file: Berkas kitab: - + Verses file: Berkas ayat: - + Registering Bible... Mendaftarkan Alkitab... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Alkitab telah terdaftar. Perlu diketahui bahwa ayat-ayat akan diunduh sesuai permintaan dan membutuhkan sambungan internet. + + + + Click to download bible list + Klik untuk mengunduh daftar Alkitab + + + + Download bible list + Pengunduhan daftar Alkitab + + + + Error during download + Terjadi kesalahan saat pengunduhan + + + + An error occurred while downloading the list of bibles from %s. + Terjadi kesalahan saat mengunduh daftar Alkitab dari %s. @@ -1389,7 +1409,7 @@ Tidak mungkin untuk mengubahsuaikan Nama Kitab. Are you sure you want to completely delete "%s" Bible from OpenLP? You will need to re-import this Bible to use it again. - Apakah Anda yakin ingin menghapus keseluruhan Alkitab "%s" dari OpenLP? + Anda yakin ingin menghapus keseluruhan Alkitab "%s" dari OpenLP? Anda harus mengimpor ulang Alkitab ini untuk menggunakannya kembali. @@ -1407,13 +1427,26 @@ Anda harus mengimpor ulang Alkitab ini untuk menggunakannya kembali.Jenis berkas Alkitab tidak benar. Nampaknya seperti sebuah alkitab XML Zefania, silakan gunakan opsi impor Zefania. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + Mengimpor %(bookname)s %(chapter)s... + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Menghapus label yang tidak digunakan ( mungkin butuh waktu beberapa menit)... + + + Importing %(bookname)s %(chapter)s... + Mengimpor %(bookname)s %(chapter)s... + BiblesPlugin.UpgradeWizardForm @@ -1568,73 +1601,81 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Jenis berkas Alkitab tidak benar. Alkitab Zefania mungkin dikompresi. Anda harus lakukan dekompresi sebelum mengimpor. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + Mengimpor %(bookname)s %(chapter)s... + + CustomPlugin - + Custom Slide name singular Salindia Kustom - + Custom Slides name plural Salindia Kustom - + Custom Slides container title Salindia Kustom - + Load a new custom slide. Muat sebuah salindia kustom. - + Import a custom slide. Impor sebuah salindia kustom. - + Add a new custom slide. Tambahkan sebuah salindia kustom. - + Edit the selected custom slide. Sunting salindia kustom terpilih. - + Delete the selected custom slide. Hapus salindia kustom terpilih. - + Preview the selected custom slide. Pratinjau salindia kustom terpilih. - + Send the selected custom slide live. Tayangkan salindia kustom terpilih. - + Add the selected custom slide to the service. Tambahkan salindia kustom terpilih ke Layanan. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Plugin Salindia Kustom </strong><br />Plugin salindia kustom menyediakan kemampuan untuk menyiapkan salindia teks kustom yang dapat ditampilkan pada layar dengan cara yang sama seperti lagu. Plugin ini memberikan kebebasan lebih ketimbang plugin lagu. @@ -1731,7 +1772,7 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Anda yakin ingin menghapus %n salindia (- salindia) kustom terpilih ini? @@ -1741,60 +1782,60 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Plugin Gambar</strong><br />Plugin gambar memungkinkan penayangan gambar.<br />Salah satu keunggulan fitur ini adalah kemampuan untuk menggabungkan beberapa gambar pada Manajer Layanan, yang menjadikan penayangan beberapa gambar lebih mudah. Plugin ini juga dapat menggunakan "pengulangan terwaktu" dari OpenLP untuk membuat penayangan salindia berjalan otomatis. Sebagai tambahan, gambar dari plugin dapat digunakan untuk menggantikan latar tema yang sedang digunakan, yang mana menjadikan butir berbasis teks seperti lagu dengan gambar pilihan sebagai latar bukan dari latar yang disediakan oleh tema. - + Image name singular Gambar - + Images name plural Gambar - + Images container title Gambar - + Load a new image. Muat gambar baru. - + Add a new image. Tambahkan suatu gambar baru. - + Edit the selected image. Sunting gambar terpilih. - + Delete the selected image. Hapus gambar terpilih. - + Preview the selected image. Pratinjau gambar terpilih. - + Send the selected image live. Tayangkan gambar terpilih. - + Add the selected image to the service. Tambahkan gambar terpilih ke Layanan. @@ -1822,12 +1863,12 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s Anda harus mengetikkan nama grup. - + Could not add the new group. Tidak dapat menambahkan grup tersebut. - + This group already exists. Grup ini sudah ada. @@ -1876,34 +1917,34 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s Pilih (beberapa) Gambar - + You must select an image to replace the background with. Anda harus memilih suatu gambar untuk menggantikan latar. - + Missing Image(s) (Beberapa) Gambar Hilang - + The following image(s) no longer exist: %s (Beberapa) Gambar berikut tidak ada lagi: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? (Beberapa) Gambar berikut tidak ada lagi: %s Anda tetap ingin menambah gambar lain? - + There was a problem replacing your background, the image file "%s" no longer exists. Ada masalah dalam mengganti latar, berkas gambar "%s" tidak ada lagi. - + There was no display item to amend. Tidak ada butir tampilan untuk diubah. @@ -1913,17 +1954,17 @@ Anda tetap ingin menambah gambar lain? -- Grup tingkatan-atas -- - + You must select an image or group to delete. Anda harus memilih suatu gambar atau grup untuk menghapusnya. - + Remove group Hapus grup - + Are you sure you want to remove "%s" and everything in it? Anda yakin ingin menghapus "%s" and semua isinya? @@ -1944,22 +1985,22 @@ Anda tetap ingin menambah gambar lain? Phonon adalah suatu pemutar media yang berinteraksi dengan sistem operasi untuk menyediakan berbagai kemampuan media. - + Audio Audio - + Video Video - + VLC is an external player which supports a number of different formats. VLC adalah suatu pemutar eksternal yang mendukung sejumlah format yang berbeda. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit adalah suatu pemutar media yang berjalan dalam peramban web. Pemutar ini memungkinkan pemunculan teks pada video. @@ -1967,60 +2008,60 @@ Anda tetap ingin menambah gambar lain? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Plugin Media</strong><br />Plugin Media mampu memainkan audio dan video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Muat media baru. - + Add new media. Tambahkan media baru. - + Edit the selected media. Sunting media terpilih. - + Delete the selected media. Hapus media terpilih. - + Preview the selected media. Pratinjau media terpilih. - + Send the selected media live. Tayangkan media terpilih. - + Add the selected media to the service. Tambahkan media terpilih ke Layanan. @@ -2189,37 +2230,37 @@ Anda tetap ingin menambah gambar lain? Pilih Media - + You must select a media file to delete. Anda harus memilih sebuah berkas media untuk dihapus. - + You must select a media file to replace the background with. Anda harus memilih sebuah media untuk menggantikan latar. - + There was a problem replacing your background, the media file "%s" no longer exists. Ada masalah dalam mengganti latar, berkas media "%s" tidak ada lagi. - + Missing Media File Berkas Media Hilang - + The file %s no longer exists. Berkas %s tidak ada lagi. - + Videos (%s);;Audio (%s);;%s (*) Video (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Tidak ada butir tampilan untuk diubah. @@ -2229,7 +2270,7 @@ Anda tetap ingin menambah gambar lain? Tidak Ada Dukungan untuk Berkas - + Use Player: Gunakan Pemutar: @@ -2244,27 +2285,27 @@ Anda tetap ingin menambah gambar lain? Butuh pemutar VLC untuk pemutaran perangkat optik - + Load CD/DVD Muat CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled Muat CD/DVD - hanya didukung jika VLC terpasang dan diaktifkan - + The optical disc %s is no longer available. Disk optik %s tidak lagi tersedia. - + Mediaclip already saved Klip media telah tersimpan - + This mediaclip has already been saved Klip media ini telah tersimpan sebelumnya @@ -2293,17 +2334,17 @@ Anda tetap ingin menambah gambar lain? OpenLP - + Image Files Berkas Gambar - + Information Informasi - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3277,7 +3318,7 @@ Versi: %s OpenLP.FileRenameForm - + File Rename Penamaan-ulang Berkas @@ -3287,7 +3328,7 @@ Versi: %s Nama Berkas Baru: - + File Copy Salin Berkas @@ -3313,167 +3354,167 @@ Versi: %s OpenLP.FirstTimeWizard - + Songs Lagu - + First Time Wizard Wisaya Kali Pertama - + Welcome to the First Time Wizard Selamat datang di Wisaya Kali Pertama - + Activate required Plugins Mengaktivasi Plugin yang dibutuhkan - + Select the Plugins you wish to use. Pilih Plugin yang ingin digunakan. - + Bible Alkitab - + Images Gambar - + Presentations Presentasi - + Media (Audio and Video) Media (Audio dan Video) - + Allow remote access Izinkan akses remote - + Monitor Song Usage Catat Penggunaan Lagu - + Allow Alerts Izinkan Peringatan - + Default Settings Setelan Bawaan - + Downloading %s... Mengunduh %s... - + Enabling selected plugins... Mengaktifkan plugin terpilih... - + No Internet Connection Tidak Tersambung ke Internet - + Unable to detect an Internet connection. Tidak dapat mendeteksi sambungan Internet. - + Sample Songs Contoh Lagu - + Select and download public domain songs. Pilih dan unduh lagu domain publik. - + Sample Bibles Contoh Alkitab - + Select and download free Bibles. Pilih dan unduh Alkitab gratis. - + Sample Themes Contoh Tema - + Select and download sample themes. Pilih dan unduh contoh tema. - + Set up default settings to be used by OpenLP. Siapkan setelan bawaan untuk digunakan oleh OpenLP. - + Default output display: Tampilan keluaran bawaan: - + Select default theme: Pilih tema bawaan: - + Starting configuration process... Memulai proses konfigurasi... - + Setting Up And Downloading Persiapan dan Pengunduhan - + Please wait while OpenLP is set up and your data is downloaded. Silakan tunggu selama OpenLP dipersiapkan dan data Anda diunduh. - + Setting Up Persiapan - + Custom Slides Salindia Kustom - + Finish Selesai - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3482,47 +3523,47 @@ To re-run the First Time Wizard and import this sample data at a later time, che Untuk menjalankan lagi Wisaya Kali Pertama dan mengimpor data contoh di lain waktu, periksa sambungan Internet Anda dan jalankan lagi wisaya ini dengan memilih "Alat / Jalankan lagi Wisaya Kali Pertama" pada OpenLP. - + Download Error Kesalahan Unduhan - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. Ada masalah sambungan saat pengunduhan, jadi unduhan berikutnya akan dilewatkan. Cobalah untuk menjalankan Wisaya Kali Pertama beberapa saat lagi. - + Download complete. Click the %s button to return to OpenLP. Pengunduhan selesai. Klik tombol %s untuk kembali ke OpenLP. - + Download complete. Click the %s button to start OpenLP. Pengunduhan selesai. Klik tombol %s untuk memulai OpenLP. - + Click the %s button to return to OpenLP. Klik tombol %s untuk kembali ke OpenLP. - + Click the %s button to start OpenLP. Klik tombol %s untuk memulai OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Ada masalah sambungan saat mengunduh, jadi unduhan berikutnya akan dilewatkan. Cobalah untuk menjalankan Wisaya Kali Pertama beberapa saat lagi. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. Wisaya ini akan membantu Anda mengkonfigurasi OpenLP untuk penggunaan pertama kali. Klik tombol %s di bawah untuk memulainya. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. @@ -3531,39 +3572,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), klik tombol %s sekarang. - + Downloading Resource Index Mengunduh Indeks Sumber - + Please wait while the resource index is downloaded. Silakan tunggu selama indeks sumber diunduh. - + Please wait while OpenLP downloads the resource index file... Silakan tunggu selama OpenLP mengunduh berkas indeks sumber... - + Downloading and Configuring Pengunduhan dan Pengkonfigurasian - + Please wait while resources are downloaded and OpenLP is configured. Silakan tunggu selama sumber-sumber diunduh dan OpenLP dikonfigurasikan. - + Network Error - + Kesalahan Jaringan - + There was a network error attempting to connect to retrieve initial configuration information - + Ada kesalahan jaringan saat mencoba menyambungkan untuk mengambil informasi konfigurasi awal + + + + Cancel + Batal + + + + Unable to download some files + Tidak dapat mengunduh beberapa berkas @@ -3636,6 +3687,16 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli Description %s already defined. Deskripsi %s sudah pernah ditetapkan. + + + Start tag %s is not valid HTML + Label mulai %s bukanlah HTML yang valid + + + + End tag %s does not match end tag for start tag %s + Label akhir %s tidak cocok dengan label akhir untuk label mulai %s + OpenLP.FormattingTags @@ -3894,7 +3955,7 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli OpenLP.MainDisplay - + OpenLP Display Tampilan OpenLP @@ -4201,7 +4262,7 @@ Versi terbaru dapat diunduh dari http://openlp.org/. Tampilan Utama telah dikosongkan - + Default Theme: %s Tema Bawaan: %s @@ -4217,12 +4278,12 @@ Versi terbaru dapat diunduh dari http://openlp.org/. Mengkonfigurasi &Pintasan... - + Close OpenLP Tutup OpenLP - + Are you sure you want to close OpenLP? Anda yakin ingin menutup OpenLP? @@ -4296,13 +4357,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Menjalankan lagi wisaya ini mungkin akan mengubah konfigurasi OpenLP saat ini dan mungkin menambah lagu ke dalam daftar lagu dan mengubah tema bawaan. - + Clear List Clear List of recent files Bersihkan Daftar - + Clear the list of recent files. Bersihkan daftar berkas terbaru. @@ -4362,17 +4423,17 @@ Menjalankan lagi wisaya ini mungkin akan mengubah konfigurasi OpenLP saat ini da Berkas Ekspor Setelan OpenLP (*.conf) - + New Data Directory Error Kesalahan Direktori Data Baru - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Sedang menyalin data OpenLP ke lokasi direktori data baru - %s - Silakan tunggu penyalinan selesai - + OpenLP Data directory copy failed %s @@ -4402,7 +4463,7 @@ Menjalankan lagi wisaya ini mungkin akan mengubah konfigurasi OpenLP saat ini da Importing settings will make permanent changes to your current OpenLP configuration. Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. - Apakah Anda yakin ingin meng-impor setelan? + Anda yakin ingin meng-impor setelan? Mengimpor setelan akan membuat perubahan permanen pada konfigurasi OpenLP Anda saat ini. @@ -4433,7 +4494,7 @@ Proses telah dihentikan dan tidak ada perubahan yang telah dibuat. Ganti visibilitas Manajer Proyektor - + Export setting error Kesalahan setelan ekspor @@ -4442,16 +4503,21 @@ Proses telah dihentikan dan tidak ada perubahan yang telah dibuat. The key "%s" does not have a default value so it will be skipped in this export. Kunci "%s" tidak memiliki nilai bawaan sehingga akan dilewatkan saat ekspor kali ini. + + + An error occurred while exporting the settings: %s + Terjadi kesalahan saat mengekspor setelan: %s + OpenLP.Manager - + Database Error Kesalahan Basis-Data - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4460,7 +4526,7 @@ Database: %s Basis-Data : %s - + OpenLP cannot load your database. Database: %s @@ -4539,7 +4605,7 @@ Tidak ada dukungan untuk akhiran ini &Kloning - + Duplicate files were found on import and were ignored. Berkas duplikat ditemukan saat impor dan diabaikan. @@ -4924,11 +4990,6 @@ Tidak ada dukungan untuk akhiran ini The proxy address set with setProxy() was not found Alamat proxy yang telah ditentukan dengan setProxy() tidak ditemukan - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - Negosiasi sambungan dengan server proxy tidak dapat dilakukan karena respon dari server proxy tidak dapat dipahami - An unidentified error occurred @@ -4999,6 +5060,11 @@ Tidak ada dukungan untuk akhiran ini Received data Data yang diterima + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + Negosiasi sambungan dengan server proxy gagal karena respon dari server proxy tidak dapat dipahami + OpenLP.ProjectorEdit @@ -5545,22 +5611,22 @@ Tidak ada dukungan untuk akhiran ini &Ubah Tema Butir - + File is not a valid service. Berkas bukanlah Layanan yang valid. - + Missing Display Handler Penangan Tayang Hilang - + Your item cannot be displayed as there is no handler to display it Butir tidak dapat ditayangkan karena tidak ada penangan untuk menayangkannya - + Your item cannot be displayed as the plugin required to display it is missing or inactive Butir ini tidak dapat ditampilkan karena plugin yang dibutuhkan untuk menampilkannya hilang atau nonaktif @@ -5640,12 +5706,12 @@ Tidak ada dukungan untuk akhiran ini Catatan Layanan Kustom: - + Notes: Catatan : - + Playing time: Waktu permainan: @@ -5655,22 +5721,22 @@ Tidak ada dukungan untuk akhiran ini Layanan Tanpa Judul - + File could not be opened because it is corrupt. Berkas tidak dapat dibuka karena rusak. - + Empty File Berkas Kosong - + This service file does not contain any data. Berkas Layanan ini tidak berisi data apapun. - + Corrupt File Berkas Rusak @@ -5690,32 +5756,32 @@ Tidak ada dukungan untuk akhiran ini Pilih suatu tema untuk Layanan - + Slide theme Tema salindia - + Notes Catatan - + Edit Sunting - + Service copy only Salinan Layanan saja - + Error Saving File Kesalahan Saat Menyimpan Berkas - + There was an error saving your file. Terjadi kesalahan saat menyimpan berkas Anda. @@ -5724,17 +5790,6 @@ Tidak ada dukungan untuk akhiran ini Service File(s) Missing (Beberapa) Berkas Layanan Hilang - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - (Beberapa) berkas berikut dalam Layanan hilang: -<byte value="x9"/>%s - -Berkas ini akan dihapus jika adalah lanjutkan menyimpan. - &Rename... @@ -5761,7 +5816,7 @@ Berkas ini akan dihapus jika adalah lanjutkan menyimpan. Mainkan otomatis salindia &Sekali - + &Delay between slides &Penundaan antar salindia @@ -5771,64 +5826,78 @@ Berkas ini akan dihapus jika adalah lanjutkan menyimpan. Berkas Layanan OpenLP (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) Berkas Layanan OpenLP (*.osz);; Berkas Layanan OpenLP - lite (*.oszl) - + OpenLP Service Files (*.osz);; Berkas Layanan OpenLP (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Berkas bukanlah Layanan yang valid. - Pengodean konten bukanlah UTF-8. + Pengodean kontennya bukan UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. Berkas layanan yang Anda coba buka adalah dalam format lama. Silakan menyimpannya dengan OpenLP 2.0.2 atau lebih tinggi. - + This file is either corrupt or it is not an OpenLP 2 service file. - Berkas ini rusak atau bukanlah berkas layanan OpenLP 2. + Berkas ini rusak atau bukan suatu berkas layanan OpenLP 2. - + &Auto Start - inactive &Mulai Otomatis - nonaktif - + &Auto Start - active &Mulai Otomatis - aktif - + Input delay Penundaan masukan - + Delay between slides in seconds. Penundaan antar salindia dalam hitungan detik. - + Rename item title Namai-ulang judul butir - + Title: Judul + + + An error occurred while writing the service file: %s + Terjadi kesalahan saat menulis berkas layanan: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + (Beberapa) berkas berikut dalam Layanan telah hilang: %s + +Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. + OpenLP.ServiceNoteForm @@ -6090,12 +6159,12 @@ Berkas ini akan dihapus jika adalah lanjutkan menyimpan. OpenLP.SourceSelectForm - + Select Projector Source Pilih Sumber Proyektor - + Edit Projector Source Text Sunting Teks Sumber Proyektor @@ -6120,19 +6189,14 @@ Berkas ini akan dihapus jika adalah lanjutkan menyimpan. Simpan perubahan dan kembali ke OpenLP - + Delete entries for this projector Hapus entri untuk proyektor ini - - Are you sure you want to delete ALL user-defined - Anda yakin ingin menghapus SEMUA yang-ditetapkan-pengguna - - - - source input text for this projector? - Teks sumber masukan untuk proyektor ini? + + Are you sure you want to delete ALL user-defined source input text for this projector? + Anda yakin ingin menghapus SEMUA teks sumber masukan yang-ditetapkan-pengguna untuk proyektor ini? @@ -6295,7 +6359,7 @@ Berkas ini akan dihapus jika adalah lanjutkan menyimpan. Setel Sebagai &Bawaan Global - + %s (default) %s (bawaan) @@ -6305,52 +6369,47 @@ Berkas ini akan dihapus jika adalah lanjutkan menyimpan. Anda harus memilih suatu tema untuk disunting. - + You are unable to delete the default theme. Anda tidak dapat menghapus tema bawaan. - + Theme %s is used in the %s plugin. Tema %s digunakan dalam plugin %s. - + You have not selected a theme. Anda belum memilih suatu tema. - + Save Theme - (%s) Simpan Tema - (%s) - + Theme Exported Tema Telah Diekspor - + Your theme has been successfully exported. Tema pilihan Anda berhasil diekspor. - + Theme Export Failed Ekspor Tema Gagal - - Your theme could not be exported due to an error. - Tema pilihan Anda tidak dapat diekspor karena suatu kesalahan. - - - + Select Theme Import File Pilih Berkas Tema Untuk Diimpor - + File is not a valid theme. Berkas bukan suatu tema yang valid. @@ -6400,20 +6459,15 @@ Berkas ini akan dihapus jika adalah lanjutkan menyimpan. Hapus tema %s? - + Validation Error Kesalahan Validasi - + A theme with this name already exists. Suatu tema dengan nama ini sudah ada. - - - OpenLP Themes (*.theme *.otz) - Tema OpenLP (*.theme *.otz) - Copy of %s @@ -6421,15 +6475,25 @@ Berkas ini akan dihapus jika adalah lanjutkan menyimpan. Salinan %s - + Theme Already Exists Tema Sudah Ada - + Theme %s already exists. Do you want to replace it? Tema %s sudah ada. Anda ingin menggantinya? + + + The theme export failed because this error occurred: %s + Ekspor tema gagal karena terjadi kesalahan berikut: %s + + + + OpenLP Themes (*.otz) + Tema OpenLP (*.otz) + OpenLP.ThemeWizard @@ -6865,7 +6929,7 @@ Berkas ini akan dihapus jika adalah lanjutkan menyimpan. Siap. - + Starting import... Memulai impor... @@ -6876,7 +6940,7 @@ Berkas ini akan dihapus jika adalah lanjutkan menyimpan. Anda harus menentukan setidaknya satu berkas %s untuk diimpor. - + Welcome to the Bible Import Wizard Selamat Datang di Wisaya Impor Alkitab @@ -6970,7 +7034,7 @@ Berkas ini akan dihapus jika adalah lanjutkan menyimpan. Anda harus menentukan sebuah folder %s untuk diimpor. - + Importing Songs Mengimpor Lagu @@ -7314,163 +7378,163 @@ Silakan coba memilih secara individu. Pratinjau - + Print Service Cetak Layanan - + Projector Singular Proyektor - + Projectors Plural Proyektor-proyektor - + Replace Background Ganti Latar - + Replace live background. Ganti Latar Tayang. - + Reset Background Setel-Ulang Latar - + Reset live background. Setel-Ulang latar Tayang. - + s The abbreviated unit for seconds dtk - + Save && Preview Simpan && Pratinjau - + Search Penelusuran - + Search Themes... Search bar place holder text Telusuri Tema... - + You must select an item to delete. Anda harus memilih suatu butir untuk dihapus. - + You must select an item to edit. Anda harus memilih suatu butir untuk disunting. - + Settings Setelan - + Save Service Simpan Layanan - + Service Layanan - + Optional &Split Pisah &Opsional - + Split a slide into two only if it does not fit on the screen as one slide. Pisah salindia menjadi dua jika tidak muat pada layar sebagai satu salindia. - + Start %s Mulai %s - + Stop Play Slides in Loop Stop Mainkan Semua Salindia Berulang-ulang - + Stop Play Slides to End Stop Mainkan Semua Salindia sampai Akhir - + Theme Singular Tema - + Themes Plural Tema - + Tools Alat - + Top Puncak - + Unsupported File Tidak Ada Dukungan untuk Berkas - + Verse Per Slide Ayat per Salindia - + Verse Per Line Ayat per Baris - + Version Versi - + View Tinjau - + View Mode Mode Tinjauan @@ -7484,6 +7548,16 @@ Silakan coba memilih secara individu. OpenLP 2.2 OpenLP 2.2 + + + Preview Toolbar + Bilah Alat Pratinjau + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7523,50 +7597,50 @@ Silakan coba memilih secara individu. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Plugin Presentasi</strong><br />Plugin presentasi menyediakan kemampuan untuk menampilkan presentasi dengan sejumlah program berbeda. Pemilihan program presentasi yang ada tersedia untuk pengguna dalam kotak tarik-turun. - + Presentation name singular Presentasi - + Presentations name plural Presentasi - + Presentations container title Presentasi - + Load a new presentation. Muat suatu presentasi baru. - + Delete the selected presentation. Hapus presentasi terpilih. - + Preview the selected presentation. Pratinjau presentasi terpilih. - + Send the selected presentation live. Tayangkan presentasi terpilih. - + Add the selected presentation to the service. Tambahkan presentasi terpilih ke Layanan. @@ -7609,17 +7683,17 @@ Silakan coba memilih secara individu. Presentasi (%s) - + Missing Presentation Presentasi Hilang - + The presentation %s is incomplete, please reload. Presentasi %s tidak lengkap, silakan muat-ulang. - + The presentation %s no longer exists. Presentasi %s tidak ada lagi. @@ -7627,7 +7701,7 @@ Silakan coba memilih secara individu. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. Terjadi kesalahan dalam integrasi PowerPoint dan presentasi akan dihentikan. Silakan mulai-ulang presentasi jika Anda ingin menampilkannya. @@ -7635,40 +7709,50 @@ Silakan coba memilih secara individu. PresentationPlugin.PresentationTab - + Available Controllers Pengontrol yang Tersedia - + %s (unavailable) %s (tidak tersedia) - + Allow presentation application to be overridden Izinkan aplikasi presentasi untuk digantikan - + PDF options Opsi PDF - + Use given full path for mudraw or ghostscript binary: Gunakan sepenuhnya jalur yang diberikan untuk biner mudraw atau ghostscript: - + Select mudraw or ghostscript binary. Pilih biner mudraw atau ghostscript. - + The program is not ghostscript or mudraw which is required. Program tersebut bukanlah ghostscript ataupun mudraw yang dibutuhkan. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7709,127 +7793,127 @@ Silakan coba memilih secara individu. RemotePlugin.Mobile - + Service Manager Manajer Layanan - + Slide Controller Pengontrol Salindia - + Alerts Peringatan-Peringatan - + Search Penelusuran - + Home Beranda - + Refresh Segarkan-ulang - + Blank Kosong - + Theme Tema - + Desktop Desktop - + Show Tampilkan - + Prev Sebelumnya - + Next Selanjutnya - + Text Teks - + Show Alert Tampilkan Peringatan - + Go Live Tayangkan - + Add to Service Tambahkan ke Layanan - + Add &amp; Go to Service Tambahkan &amp; Tuju ke Layanan - + No Results Tidak Ada Hasil - + Options Opsi - + Service Layanan - + Slides Salindia - + Settings Setelan - + OpenLP 2.2 Remote Remote OpenLP 2.2 - + OpenLP 2.2 Stage View Tinjauan Bertahap OpenLP 2.2 - + OpenLP 2.2 Live View Tinjauan Tayang OpenLP 2.2 @@ -7915,85 +7999,85 @@ Silakan coba memilih secara individu. SongUsagePlugin - + &Song Usage Tracking &Pelacakan Penggunaan Lagu - + &Delete Tracking Data &Hapus Data Pelacakan - + Delete song usage data up to a specified date. Hapus data penggunaan lagu sampai tanggal tertentu. - + &Extract Tracking Data &Ekstrak Data Pelacakan - + Generate a report on song usage. Hasilkan suatu laporan mengenai penggunaan lagu - + Toggle Tracking Ganti Pelacakan - + Toggle the tracking of song usage. Ganti pelacakan penggunaan lagu - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Plugin PenggunaanLagu</strong><br />Plugin ini melacak penggunaan lagu dalam Layanan. - + SongUsage name singular PenggunaanLagu - + SongUsage name plural PenggunaanLagu - + SongUsage container title PenggunaanLagu - + Song Usage Penggunaan Lagu - + Song usage tracking is active. Pelacakan penggunaan lagu aktif. - + Song usage tracking is inactive. Pelacakan penggunaan lagu nonaktif. - + display tampilkan - + printed tercetak @@ -8056,22 +8140,22 @@ Semua data terekam sebelum tanggal ini akan dihapus secara permanen.Laporkan Lokasi - + Output File Location Lokasi Berkas Keluaran - + usage_detail_%s_%s.txt rincian_penggunaan_%s_%s.txt - + Report Creation Pembuatan Laporan - + Report %s has been successfully created. @@ -8080,47 +8164,57 @@ has been successfully created. telah berhasil dibuat. - + Output Path Not Selected Jalur Keluaran Belum Terpilih - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Anda belum menetapkan lokasi keluaran yang valid untuk laporan penggunaan lagu. Silakan pilih suatu jalur yang ada di komputer Anda. + + + Report Creation Failed + Pembuatan Laporan Gagal + + + + An error occurred while creating the report: %s + Terjadi kesalahan saat membuat laporan: %s + SongsPlugin - + &Song &Lagu - + Import songs using the import wizard. Impor lagu dengan wisaya impor - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Plugin Lagu</strong><br />Plugin Lagu menyediakan kemampuan untuk menampilkan dan mengelola lagu. - + &Re-index Songs &Indeks-ulang Lagu - + Re-index the songs database to improve searching and ordering. Indeks-ulang basis-data lagu untuk mempercepat penelusuran dan penyusunan. - + Reindexing songs... Mengindeks-ulang Lagu... @@ -8216,80 +8310,80 @@ The encoding is responsible for the correct character representation. Pengodean ini bertanggung-jawab atas representasi karakter yang benar. - + Song name singular Lagu - + Songs name plural Lagu - + Songs container title Lagu - + Exports songs using the export wizard. Ekspor lagu dengan wisaya ekspor. - + Add a new song. Tambahkan sebuah lagu baru. - + Edit the selected song. Sunting lagu terpilih. - + Delete the selected song. Hapus lagu terpilih. - + Preview the selected song. Pratinjau lagu terpilih. - + Send the selected song live. Tayangkan lagu terpilih. - + Add the selected song to the service. Tambahkan lagu terpilih ke Layanan - + Reindexing songs Mengindeks-ulang lagu - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. Impor lagu dari layanan CCLI SongSelect. - + Find &Duplicate Songs Temukan &Lagu Duplikat - + Find and remove duplicate songs in the song database. Temukan dan hapus lagu duplikat di basis-data lagu. @@ -8761,7 +8855,7 @@ Silakan masukan bait-bait tersebut dan pisahkan dengan spasi. Anda harus menentukan sebuah direktori. - + Select Destination Folder Pilih Folder Tujuan @@ -9167,15 +9261,20 @@ Silakan masukan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.SongExportForm - + Your song export failed. Ekspor lagu gagal. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Ekspor selesai. Untuk mengimpor berkas ini gunakan pengimpor <strong>OpenLyrics</strong>. + + + Your song export failed because this error occurred: %s + Ekspor lagu gagal karena terjadi kesalahan berikut: %s + SongsPlugin.SongImport @@ -9356,7 +9455,7 @@ Silakan masukan bait-bait tersebut dan pisahkan dengan spasi. Penelusuran - + Found %s song(s) %s lagu (- lagu) ditemukan @@ -9421,44 +9520,44 @@ Silakan masukan bait-bait tersebut dan pisahkan dengan spasi. Menuju keluar... - + Save Username and Password Simpan Nama Pengguna dan Kata Sandi - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. PERINGATAN: Menyimpan nama pengguna dan kata sandi Anda TIDAKLAH AMAN, kata sandi Anda akan tersimpan dalam TEKS BIASA. Klik Ya untuk menyimpannya atau Tidak untuk membatalkannya. - + Error Logging In Kesalahan Saat Hendak Masuk - + There was a problem logging in, perhaps your username or password is incorrect? Terjadi kesalahan saat hendak masuk, mungkin nama pengguna atau kata sandi Anda salah? - + Song Imported Lagu Telah Diimpor - - Your song has been imported, would you like to exit now, or import more songs? - Lagu Anda telah diimpor. Apakah Anda ingin keluar sekarang, atau impor lagu lagi? + + Incomplete song + Lagu yang tidak lengkap - - Import More Songs - Impor Lagu Lagi + + This song is missing some information, like the lyrics, and cannot be imported. + Lagu ini kehilangan beberapa informasi, kemungkinan liriknya, dan tidak dapat diimpor. - - Exit Now - Keluar Sekarang + + Your song has been imported, would you like to import more songs? + Lagu Anda telah diimpor, Anda ingin mengimpor lagu-lagu lain? diff --git a/resources/i18n/it.ts b/resources/i18n/it.ts new file mode 100644 index 000000000..edaa390da --- /dev/null +++ b/resources/i18n/it.ts @@ -0,0 +1,9588 @@ + + + + AlertsPlugin + + + &Alert + &Avviso + + + + Show an alert message. + Mostra un messaggio di avviso. + + + + Alert + name singular + Avviso + + + + Alerts + name plural + Avvisi + + + + Alerts + container title + Avvisi + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + Messaggio di avviso + + + + Alert &text: + Avviso &testo: + + + + &New + &New + + + + &Save + &Save + + + + Displ&ay + Visualiz&za + + + + Display && Cl&ose + Visualizza && Ch&iudi + + + + New Alert + Nuovo Avviso + + + + &Parameter: + &Parametro: + + + + No Parameter Found + Nessun parametro Trovato + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Non è stato inserito un parametro da sostituire..⏎ +Vuoi continuare comunque? + + + + No Placeholder Found + Nessun Segnaposto Trovato + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Il testo di avviso non contiene '<>'.⏎ +Vuoi continuare comunque? + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + Messaggio di avviso creato e visualizzato. + + + + AlertsPlugin.AlertsTab + + + Font + Carattere + + + + Font name: + Nome del Carattere + + + + Font color: + Colore del Carattere + + + + Background color: + Colore di sfondo: + + + + Font size: + Dimensione Carattere: + + + + Alert timeout: + Avviso Timeout: + + + + BiblesPlugin + + + &Bible + &Bibbia + + + + Bible + name singular + Bibbia + + + + Bibles + name plural + Bibbie + + + + Bibles + container title + Bibbie + + + + No Book Found + Nessun libro trovato + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + Nessun libro analogo può essere trovato in questa Bibbia. Verificare di aver digitato il nome del libro in modo corretto. + + + + Import a Bible. + Importa una Bibbia. + + + + Add a new Bible. + Aggiungi una nuova Bibbia. + + + + Edit the selected Bible. + Modifica la Bibbia selezionata. + + + + Delete the selected Bible. + Cancella la Bibbia selezionata + + + + Preview the selected Bible. + Anteprima della Bibbia selezionata. + + + + Send the selected Bible live. + Invia la Bibbia selezionata dal vivo. + + + + Add the selected Bible to the service. + Aggiungi la Bibbia selezionata al servizio. + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + <strong>Bibbia Plugin</strong><br />Il plugin della Bibbia offre la possibilità di visualizzare i versetti della Bibbia da fonti diverse durante il servizio. + + + + &Upgrade older Bibles + &Aggiornamento vecchie Bibbie + + + + Upgrade the Bible databases to the latest format. + Aggiorna i database della Bibbia al formato più recente. + + + + Genesis + Genesi + + + + Exodus + Esodo + + + + Leviticus + Levitico + + + + Numbers + Numeri + + + + Deuteronomy + Deuteronomio + + + + Joshua + Giosuè + + + + Judges + Giudici + + + + Ruth + Ruth + + + + 1 Samuel + 1 Samuele + + + + 2 Samuel + 2 Samuele + + + + 1 Kings + 1 Re + + + + 2 Kings + 2 Re + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + Lamentazioni + + + + Ezekiel + Ezechiele + + + + Daniel + Daniele + + + + Hosea + Osea + + + + Joel + Gioele + + + + Amos + Amos + + + + Obadiah + Abdia + + + + Jonah + Giona + + + + Micah + Michea + + + + Nahum + Nahum + + + + Habakkuk + Habacuc + + + + Zephaniah + Sofonia + + + + Haggai + Aggeo + + + + Zechariah + Zaccaria + + + + Malachi + Malachia + + + + Matthew + Matteo + + + + Mark + Marco + + + + Luke + Luca + + + + John + Giovanni + + + + Acts + Atti degli Apostoli + + + + Romans + Romani + + + + 1 Corinthians + 1 Corinzi + + + + 2 Corinthians + 2 Corinzi + + + + Galatians + Galati + + + + Ephesians + Efesini + + + + Philippians + Filippesi + + + + Colossians + Colossesi + + + + 1 Thessalonians + 1 Tessalonicesi + + + + 2 Thessalonians + 2 Tessalonicesi + + + + 1 Timothy + 1 Timoteo + + + + 2 Timothy + 2 Timoteo + + + + Titus + Tito + + + + Philemon + Filemone + + + + Hebrews + Ebrei + + + + James + Giacomo + + + + 1 Peter + 1 Pietro + + + + 2 Peter + 2 Pietro + + + + 1 John + 1 Giovanni + + + + 2 John + 2 Giovanni + + + + 3 John + 3 Giovanni + + + + Jude + Giuda + + + + Revelation + Apocalisse + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + Devi inserire un nome per la tua Bibbia + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Devi inserire un copyright per la tua Bibbia. Bibbie di pubblico dominio devono essere contrassegnate come tali. + + + + Bible Exists + La Bibbia esiste. + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + La bibbia esiste già. Importa una Bibbia differente o cancella quella inserita. + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + Errore di Riferimento nella Scrittura + + + + Web Bible cannot be used + La Bibbia nel Web non può essere utilizzato + + + + Text Search is not available with Web Bibles. + Cerca testo non è disponibile con La Bibbia sul Web. + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + Non hai inserito una parola chiave di ricerca. ⏎ +È possibile separare parole chiave diverse da uno spazio per la ricerca di tutte le parole chiave e si possono separare con una virgola per la ricerca di uno di loro. + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + Non ci sono Bibbie attualmente installati. Si prega di utilizzare l'importazione guidata per installare uno o più Bibbie. + + + + No Bibles Available + Bibbia non disponibile + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + Visualizza Versetto + + + + Only show new chapter numbers + Mostra solo i numeri del nuovo capitolo + + + + Bible theme: + Tema della Bibbia + + + + No Brackets + Senza Parentesi Quadre + + + + ( And ) + (E) + + + + { And } + {E} + + + + [ And ] + [E] + + + + Note: +Changes do not affect verses already in the service. + Nota: ⏎ + Le modifiche non influiscono i versetti già nel servizio. + + + + Display second Bible verses + Visualizza i Secondi versetti della Bibbia + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Italian + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + Seleziona il Nome del Libro + + + + Current name: + Nome Attuale: + + + + Corresponding name: + Nome corrispondente: + + + + Show Books From + Mostra i Libri da + + + + Old Testament + Vecchio Testamento + + + + New Testament + Nuovo Testamento + + + + Apocrypha + Libri Apocrifi + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + È necessario selezionare un libro. + + + + BiblesPlugin.CSVBible + + + Importing books... %s + Importazione di libri ... %s + + + + Importing verses... done. + Importazione dei versetti ... finito. + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + Dettaglio Licenza + + + + Version name: + Nome Versione: + + + + Copyright: + Copyright: + + + + Permissions: + Permessi + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Italian + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + Registrazione della Bibbia e caricamento dei libri... + + + + Registering Language... + Registrazione Lingua... + + + + Importing %s... + Importing <book name>... + Importazione %s... + + + + Download Error + Download Error + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + C'è stato un problema nel scaricare il versetto selezionato. Si prega di verificare la connessione internet, se questo errore persiste considera di segnalarlo. + + + + Parse Error + Errore di interpretazione + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + C'è stato un problema di estrazione del versetto selezionato. Se questo errore persiste ti prego di segnalarlo. + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + Importazione Guidata della Bibbia + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + Questa procedura guidata consente di importare Bibbie da una varietà di formati. Clicca il pulsante sottostante per avviare il processo, selezionando un formato da cui importare. + + + + Web Download + Web Download + + + + Location: + Località: + + + + Crosswalk + Crosswalk + + + + BibleGateway + BibleGateway + + + + Bible: + Bibbia: + + + + Download Options + Opzione di Download + + + + Server: + Server: + + + + Username: + Nome utente: + + + + Password: + Password: + + + + Proxy Server (Optional) + Proxy Server (Opzionale) + + + + License Details + Dettaglio Licenza + + + + Set up the Bible's license details. + Configura i dettagli nelle Licenze delle Bibbie + + + + Version name: + Nome Versione: + + + + Copyright: + Copyright: + + + + Please wait while your Bible is imported. + Per favore attendi mentre la tua Bibbia viene importata. + + + + You need to specify a file with books of the Bible to use in the import. + È necessario specificare un file con i libri della Bibbia da utilizzare nell' importazione. + + + + You need to specify a file of Bible verses to import. + È necessario specificare un file dei versetti biblici da importare. + + + + You need to specify a version name for your Bible. + Devi inserire un nome per la tua Bibbia + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Devi inserire un copyright per la tua Bibbia. Bibbie di pubblico dominio devono essere contrassegnate come tali. + + + + Bible Exists + La Bibbia esiste. + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + La bibbia esiste già. Importa una Bibbia differente o cancella quella inserita. + + + + Your Bible import failed. + Importazione della Bibbia fallita + + + + CSV File + File CSV + + + + Bibleserver + bibleserver + + + + Permissions: + Permessi + + + + Bible file: + File della Bibbia + + + + Books file: + File dei libri + + + + Verses file: + File dei versi + + + + Registering Bible... + Aggigungendo la Bibbia + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + seleziona una lingua + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + OpenLP non è riuscito a determinare la lingua della Bibbia. Selezionala dalla lista sotto + + + + Language: + Lingua: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + Devi scegliere una lingua. + + + + BiblesPlugin.MediaItem + + + Quick + Veloce + + + + Find: + Cerca: + + + + Book: + Libro: + + + + Chapter: + Capitolo + + + + Verse: + Verso + + + + From: + Da: + + + + To: + A: + + + + Text Search + Ricerca testo + + + + Second: + Seconda + + + + Scripture Reference + Riferimento Biblico + + + + Toggle to keep or clear the previous results. + seleziona per mantenere i risultati precedenti + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + Non puoi combinare i risultati di una ricerca singola e doppia. Vuoi iniziare una nuova ricerca? + + + + Bible not fully loaded. + Bibbia caricata parzialmente + + + + Information + Informazione + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + La seconda Bibbia non contiene tutti i versi che sono nella Bibbia principale. Saranno mostrati solo i versi trovati in entrambe le Bibbie. %d versi non sono stati inclusi nei risultati + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + Seleziona una cartella per il backup + + + + Bible Upgrade Wizard + Aggiornamento Guidato Bibbia + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + Questa procedura ti aiuterà nell'aggiornamento delle tue Bibbie da una versione precedente di OpenLP2. Click sul pulsante avanti per iniziare l'aggionamento. + + + + Select Backup Directory + Seleziona la cartella di backup + + + + Please select a backup directory for your Bibles + Seleziona la cartella di backup per le tue Bibbie + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + Le precedenti versioni di OpenLP 2.0 non sono in grado di aggiornare le Bibbie. Verrà creata una copia di backup delle Bibbie attuali in modo che basterà copiare i files di backup nella cartella dei dati di OpenLp se c'è bisogno di ritornare a una vecchia versione di OpenLP. Le istruzioni su come ripristinare i files possono essere trovati nelle nostre <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + Please select a backup location for your Bibles. + Seleziona un percorso di backup per le tue Bibbie. + + + + Backup Directory: + Cartella di backup: + + + + There is no need to backup my Bibles + Non eseguire il backup delle Bibbie + + + + Select Bibles + Seleziona le Bibbie + + + + Please select the Bibles to upgrade + Seleziona le Bibbie da aggiornare + + + + Upgrading + Aggiornamento + + + + Please wait while your Bibles are upgraded. + Attendi mentre la Bibbia viene aggiornata + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + Backup non riuscito. Necessari i permessi in scrittura per la cartella data. + + + + Upgrading Bible %s of %s: "%s" +Failed + Aggiornamento della Bibbia %s di %s: "%s" +Fallito + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + Aggiornamento della Bibbia %s di %s: "%s" +Aggiornamento + + + + Download Error + Download Error + + + + To upgrade your Web Bibles an Internet connection is required. + Per aggiornare le Bibbie è richiesta una connessione internet + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + Aggiornamento della Bibbia %s di %s: "%s" +Aggiornamento %s + + + + Upgrading Bible %s of %s: "%s" +Complete + Aggiornamento della Bibbia %s di %s: "%s" +Completato + + + + , %s failed + , %s fallito + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + Aggiornamento della\e Bibbia\e: %s riuscito %s +Attenzione i versi delle Bibbie Online saranno scaricati on demand è quindi richiesta una connessione a internet. + + + + Upgrading Bible(s): %s successful%s + Aggiornamento Bibbia\e: %s completato %s + + + + Upgrade failed. + Aggiornamento fallito. + + + + You need to specify a backup directory for your Bibles. + Devi specificare una cartella per il backup delle Bibbie + + + + Starting upgrade... + Avvio aggiornamento... + + + + There are no Bibles that need to be upgraded. + Non ci sono Bibbie che devono essere aggiornate. + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + Presentazione personalizzata + + + + Custom Slides + name plural + Custom Slides + + + + Custom Slides + container title + Custom Slides + + + + Load a new custom slide. + Carica una nuova presentazione + + + + Import a custom slide. + Importa una presentazione + + + + Add a new custom slide. + Aggiungi una nuova presentazione + + + + Edit the selected custom slide. + Modifica la presentazione selezionata + + + + Delete the selected custom slide. + Cancella la presentazione selezionata + + + + Preview the selected custom slide. + Anteprima della presentazione selezionata + + + + Send the selected custom slide live. + Manda live la presentazione selezionata + + + + Add the selected custom slide to the service. + Aggiungi la presentazione selezionata al servizio + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + Mostra footer + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + Modifica la presentazione + + + + &Title: + &Title: + + + + Add a new slide at bottom. + aggiungi una nuova diapositiva sotto + + + + Edit the selected slide. + modifica la diapositiva selezionata + + + + Edit all the slides at once. + Modifica tutte le diapositive + + + + Split a slide into two by inserting a slide splitter. + Dividi la diapositiva in due inserendo un divisore + + + + The&me: + The&me: + + + + &Credits: + &Credits: + + + + You need to type in a title. + Inserisci il titolo + + + + Ed&it All + Ed&it Tutto + + + + Insert Slide + Inserisci diapositiva + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + immagine + + + + Images + name plural + Immagini + + + + Images + container title + Immagini + + + + Load a new image. + Carica una nuova immagine + + + + Add a new image. + Aggiungi una nuova immagine + + + + Edit the selected image. + Modifica l'immagine selezionata + + + + Delete the selected image. + Cancella l'immagine selezionata + + + + Preview the selected image. + Anteprima dell'immagine selezionata + + + + Send the selected image live. + Invia l'immagine live + + + + Add the selected image to the service. + Aggiungi l'immagine selezionata al servizio + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + Seleziona allegati + + + + ImagePlugin.MediaItem + + + Select Image(s) + Seleziona immagine(i) + + + + You must select an image to replace the background with. + Devi selezionare almeno 1 immagine con cui sostituire lo sfondo + + + + Missing Image(s) + Immagini mancanti + + + + The following image(s) no longer exist: %s + Impossibile trovare le seguenti immagini: %s + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + Impossibile trovare le seguenti immagini: %s +Vuoi comunque caricare le altre immagini? + + + + There was a problem replacing your background, the image file "%s" no longer exists. + E' stato riscontrato un errore nel sostituire lo sfondo, impossibile trovare il file "%s". + + + + There was no display item to amend. + Nessun elemento visualizzato da modificare + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + <strong>Media Plugin</strong><br />Il plug in multimediale fornisce supporto per l'audio e il video + + + + Media + name singular + Media + + + + Media + name plural + Media + + + + Media + container title + Media + + + + Load new media. + Carica un nuovo media + + + + Add new media. + Aggiungi un nuovo media + + + + Edit the selected media. + modifica il media selezionato + + + + Delete the selected media. + cancella il media selezionato + + + + Preview the selected media. + Anteprima del media selezionato + + + + Send the selected media live. + Manda live il media selezionato + + + + Add the selected media to the service. + Aggiungi il media selezionato al servizio + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + Seleziona media + + + + You must select a media file to delete. + Devi prima selezionare un media da cancellare + + + + You must select a media file to replace the background with. + Devi prima selezionare un file multimediale con cui sostituire lo sfondo + + + + There was a problem replacing your background, the media file "%s" no longer exists. + E' stato riscontrato un errore nel sostituire lo sfondo, impossibile trovare il file "%s". + + + + Missing Media File + impossibile trovare il file multimediale + + + + The file %s no longer exists. + Impossibile trovare il file %s + + + + Videos (%s);;Audio (%s);;%s (*) + Video (%s);;Audio (%s);;%s (*) + + + + There was no display item to amend. + Nessun elemento visualizzato da modificare + + + + Unsupported File + File non supportato + + + + Use Player: + Usa player: + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + File immagine + + + + Information + Informazione + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + Il formato della Bibbia è stato modificato. +Aggiorna le Bibbie esistenti. +OpenLP deve aggiornarle ora? + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + Crediti + + + + License + Licensa + + + + build %s + build %s + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + UI Settings + + + + Number of recent files to display: + Numero di files recenti da visualizzare + + + + Remember active media manager tab on startup + Ricorda la tab del media manager attiva all'avvio. + + + + Double-click to send items straight to live + Doppio click, invia direttamente al live + + + + Expand new service items on creation + Espandi i nuovi elementi del servizio alla creazione + + + + Enable application exit confirmation + Chiedi prima di uscire + + + + Mouse Cursor + Cursore del mouse + + + + Hide mouse cursor when over display window + Nascondi il cursore del mouse sopra la finestra di visualizzazione + + + + Default Image + Immagine di default + + + + Background color: + Colore di sfondo: + + + + Image file: + File immagine: + + + + Open File + Apri file + + + + Advanced + Avanzate + + + + Preview items when clicked in Media Manager + Anteprima degli elementi clikkati in media manager + + + + Browse for an image file to display. + Scegli un'immagine da visualizzare + + + + Revert to the default OpenLP logo. + Ritorna al logo di openLP di default + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + Click per scegliere un colore + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + Errore + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + Oops! OpenLp ha incontrato un problema che non è in grado di risolvere. Il testo nelal casella sotto contiene informazioni che potrebbero essere utili agli sviluppatori, invialo a bugs@openlp.org con una descrizione dettagliata di cosa stavi facendo quando si è verificato il problema. + + + + Send E-Mail + Invia una E-Mail + + + + Save to File + Save to File + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + Inserisci una descrizione di quello che stavi facendo quando si è verificato l'errore +(minimo 20 caratteri) + + + + Attach File + Allega file + + + + Description characters to enter : %s + Descrizione dei caratteri da inserire: %s + + + + OpenLP.ExceptionForm + + + Platform: %s + + Platform: %s + + + + + Save Crash Report + Salva il report dei crash + + + + Text files (*.txt *.log *.text) + File di testo (*.txt *.log *.text) + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + **OpenLP Bug Report**⏎ Version: %s⏎ ⏎ --- Details of the Exception. ---⏎ ⏎ %s⏎ ⏎ --- Exception Traceback ---⏎ %s⏎ --- System information ---⏎ %s⏎ --- Library Versions ---⏎ %s⏎ + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + *OpenLP Bug Report*⏎ Version: %s⏎ ⏎ --- Details of the Exception. ---⏎ ⏎ %s⏎ ⏎ --- Exception Traceback ---⏎ %s⏎ --- System information ---⏎ %s⏎ --- Library Versions ---⏎ %s⏎ + + + + + OpenLP.FileRenameForm + + + File Rename + Rinomina file + + + + New File Name: + Nuovo nome file + + + + File Copy + copia file + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + Seleziona Traduzione + + + + Choose the translation you'd like to use in OpenLP. + Seleziona la traduzione che vuoi usare in OpenLP + + + + Translation: + Traduzione: + + + + OpenLP.FirstTimeWizard + + + Songs + Canti + + + + First Time Wizard + Procedura primo avvio + + + + Welcome to the First Time Wizard + Benvenuto alla procedura guidata del primo avvio + + + + Activate required Plugins + Attiva i plug in richiesti + + + + Select the Plugins you wish to use. + Seleziona i plugin che vuoi usare + + + + Bible + Bibbia + + + + Images + Immagini + + + + Presentations + Presentazioni + + + + Media (Audio and Video) + Media (audio e video) + + + + Allow remote access + Permetti accesso remoto + + + + Monitor Song Usage + Tieni traccia dell'utilizzo delle canzoni + + + + Allow Alerts + Permetti avvertimenti + + + + Default Settings + Impostazioni di default + + + + Downloading %s... + Downloading %s... + + + + Enabling selected plugins... + Abilito i plugin selezionati... + + + + No Internet Connection + Nessuna connessione a internet + + + + Unable to detect an Internet connection. + Impossibile rilevare una connessione internet + + + + Sample Songs + Canti di esempio + + + + Select and download public domain songs. + Seleziona e scarica canti di pubblico dominio + + + + Sample Bibles + Bibbie campione + + + + Select and download free Bibles. + Seleziona e scarica Bibbie free + + + + Sample Themes + Themi campione + + + + Select and download sample themes. + Seleziona e scarica i temi campione + + + + Set up default settings to be used by OpenLP. + Impostazioni di default per OpenLP + + + + Default output display: + Schermo di output predefinito + + + + Select default theme: + Seleziona il tema di default + + + + Starting configuration process... + Avvio del processo di configurazione... + + + + Setting Up And Downloading + Configurazione e Scaricamento + + + + Please wait while OpenLP is set up and your data is downloaded. + Attendi che OpenLP sia configurato e i tuoi dati siano scaricati. + + + + Setting Up + Configurazione + + + + Custom Slides + Custom Slides + + + + Finish + Termina + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + Download Error + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + Configura i Tag di Formattazione + + + + Description + Descrizione + + + + Tag + Tag + + + + Start HTML + Inizio HTML + + + + End HTML + Fine HTML + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + >Qui l'HTML> + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + Il tag %s è stato già definito + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + Rosso + + + + Black + Nero + + + + Blue + Blu + + + + Yellow + Giallo + + + + Green + Verde + + + + Pink + Rosa + + + + Orange + Arancio + + + + Purple + Viola + + + + White + Bianco + + + + Superscript + Superscript + + + + Subscript + Subscript + + + + Paragraph + Paragrafo + + + + Bold + Grassetto + + + + Italics + Corsivo + + + + Underline + Sottolineato + + + + Break + Break + + + + OpenLP.GeneralTab + + + General + Generale + + + + Monitors + Monitors + + + + Select monitor for output display: + Seleziona il monitor per l'output: + + + + Display if a single screen + Mostra se schermo singolo + + + + Application Startup + Avvio applicazione + + + + Show blank screen warning + Mostra l'avvertimento schermo vuoto + + + + Automatically open the last service + Apri automaticamente l'ultimo servizio + + + + Show the splash screen + Mostra lo splash screen + + + + Application Settings + Configurazioni dell'applicazione + + + + Prompt to save before starting a new service + Chiedi di salvare prima di iniziare un nuovo servizio + + + + Automatically preview next item in service + Anteprima automatica del prossimo elemento nel servizio + + + + sec + sec + + + + CCLI Details + Dettagli CCLI + + + + SongSelect username: + SongSelect username: + + + + SongSelect password: + SongSelect password: + + + + X + X + + + + Y + Y + + + + Height + Altezza + + + + Width + Larghezza + + + + Check for updates to OpenLP + Controlla aggiornamenti + + + + Unblank display when adding new live item + + + + + Timed slide interval: + Tempo tra le slide: + + + + Background Audio + Audio in background: + + + + Start background audio paused + Avvia l'audio in background in pausa + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + Lingua + + + + Please restart OpenLP to use your new language setting. + Riavvia OpenLP per applicare le impostazioni del linguaggio + + + + OpenLP.MainDisplay + + + OpenLP Display + Mostra OpenLP + + + + OpenLP.MainWindow + + + &File + &File + + + + &Import + &import + + + + &Export + &Export + + + + &View + &View + + + + M&ode + M&ode + + + + &Tools + &Tools + + + + &Settings + &Settings + + + + &Language + &Language + + + + &Help + &Help + + + + Service Manager + Gestione Servizio + + + + Theme Manager + Gestione Tema + + + + &New + &New + + + + &Open + &Open + + + + Open an existing service. + Apri come servizio esistente + + + + &Save + &Save + + + + Save the current service to disk. + Salva il servizio corrente + + + + Save &As... + Save &As + + + + Save Service As + Salva servizio come + + + + Save the current service under a new name. + Salva il servizio corrente con un nuovo nome + + + + E&xit + E&xit + + + + Quit OpenLP + Esci da OpenLP + + + + &Theme + &Tema + + + + &Configure OpenLP... + &Configura OpenLP + + + + &Media Manager + &Gestione Media + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + &Gestione Temi + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + &Gestione Servizi + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + &Pannello Anteprima + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + &Pannello Live + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + Lista &Plugin + + + + List the Plugins + + + + + &User Guide + &Manuale Utente + + + + &About + &Informazioni + + + + More information about OpenLP + Maggiori informazioni su OpenLP + + + + &Online Help + &Aiuto Online + + + + &Web Site + &Sito Web + + + + Use the system language, if available. + Usa la lingua di sistema, se disponibile. + + + + Set the interface language to %s + Imposta la lingua dell'interfaccia in %s + + + + Add &Tool... + Aggiungi s&trumento... + + + + Add an application to the list of tools. + + + + + &Default + Pre&definito + + + + Set the view mode back to the default. + Reimposta la visualizzazione predefinita. + + + + &Setup + &Preparazione + + + + Set the view mode to Setup. + Imposta la visualizzazione in modalità Preparazione. + + + + &Live + &Live + + + + Set the view mode to Live. + Imposta la visualizzazione in modalità Live. + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + La Versione %s di OpenLP è disponibile per il download (attualmente è istallata la versione %s). ⏎ ⏎ E' possibile scaricare la versione aggiornata da http://openlp.org/. + + + + OpenLP Version Updated + La Versione di OpenLP è stata aggiornata. + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + Tema Predefinito: %s + + + + English + Please add the name of your language here + Italian + + + + Configure &Shortcuts... + Configura & Abbreviazioni + + + + Close OpenLP + Chiudi OpenLP + + + + Are you sure you want to close OpenLP? + Sei sicuro di voler chiudere OpenLP? + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + Apre la cartella contenente le canzoni, le bibbie e gli altri dati. + + + + &Autodetect + &Rileva automaticamente + + + + Update Theme Images + Aggiorna le immagini dei Temi + + + + Update the preview images for all themes. + Aggiorna le anteprime immagini per tutti i temi. + + + + Print the current service. + Stampa il programma attuale. + + + + &Recent Files + &Documenti Recenti + + + + L&ock Panels + &Blocca Pannelli + + + + Prevent the panels being moved. + Impedisce lo spostamento dei pannelli. + + + + Re-run First Time Wizard + Riesegui Configurazione automatica iniziale + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + Riesegui l'Impostazione guidata iniziale, l'importazione delle canzoni, delle Bibbie e dei temi. + + + + Re-run First Time Wizard? + Rieseguire l'Impostazione Iniziale guidata? + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + Pulisci lista + + + + Clear the list of recent files. + Pulisci lista dei file recenti. + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + Apri file + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + Generale + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + Nessun elemento selezionato + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + Media player disponibili + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + %s (non disponibile) + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + Apri file + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + Predefinito + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + Audio in background: + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + Lingua: + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + Termina + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + Grassetto + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + Colore di sfondo: + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + Temi + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + Pronto. + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + Benvenuti al Importazione Guidata di Bibbia + + + + Welcome to the Song Export Wizard + Benvenuti al Esportazione Guidata di Canzone + + + + Welcome to the Song Import Wizard + Benvenuti al Importazione Guidata di Canzone + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + Importazione Canzoni + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + Avanzate + + + + All Files + + + + + Automatic + Automatico + + + + Background Color + Colore di sfondo + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + Predefinito + + + + Default Color: + Colore di default: + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + immagine + + + + Import + + + + + Layout style: + Stile del layout: + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + Nessuna cartella selezionata + + + + No File Selected + Singular + Nessun file selezionato + + + + No Files Selected + Plural + Nessun file selezionato + + + + No Item Selected + Singular + Nessun elemento selezionato + + + + No Items Selected + Plural + Nessun elemento selezionato + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + Antiprima + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + Sostituisci lo Sfondo + + + + Replace live background. + + + + + Reset Background + Resetta lo Sfondo + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + s + + + + Save && Preview + Salva && Anteprima + + + + Search + Ricerca + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + Devi selezionare un elemento da eliminare. + + + + You must select an item to edit. + Devi selezionare un elemento da modificare. + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + Tema + + + + Themes + Plural + Temi + + + + Tools + + + + + Top + + + + + Unsupported File + File non supportato + + + + Verse Per Slide + Verse Per Diapositiva + + + + Verse Per Line + Verse Per Linea + + + + Version + + + + + View + Visualizza + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + Presentazione + + + + Presentations + name plural + Presentazioni + + + + Presentations + container title + Presentazioni + + + + Load a new presentation. + Caricare una nuova presentazione. + + + + Delete the selected presentation. + Cancella la presentazione selezionata. + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + Automatico + + + + Present using: + + + + + File Exists + Il file esiste + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + %s (non disponibile) + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + Gestione Servizio + + + + Slide Controller + + + + + Alerts + Allerte + + + + Search + Ricerca + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + Tema + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + Numero della porta: + + + + Server Settings + Impostazioni del server + + + + Remote URL: + URL remoto: + + + + Stage view URL: + + + + + Display stage time in 12h format + Visualizza del tempo in formato 12h + + + + Android App + Android App + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + Password: + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + Arabo (CP-1256) + + + + Baltic (CP-1257) + Baltico (CP-1257) + + + + Central European (CP-1250) + Europa Centrale (CP-1250) + + + + Cyrillic (CP-1251) + Cirillico (CP-1251) + + + + Greek (CP-1253) + Greco (CP-1253) + + + + Hebrew (CP-1255) + Ebraico (CP-1255) + + + + Japanese (CP-932) + Giapponese (CP-932) + + + + Korean (CP-949) + Coreano (CP-949) + + + + Simplified Chinese (CP-936) + Cinese Semplificato (CP-936) + + + + Thai (CP-874) + Tailandese (CP-874) + + + + Traditional Chinese (CP-950) + Cinese Tradizionale (CP-950) + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + Canti + + + + Songs + container title + Canti + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + &Title: + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + Ed&it Tutto + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + Libro: + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + Save to File + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + Nome utente: + + + + Password: + Password: + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + Ricerca + + + + Found %s song(s) + + + + + Logout + + + + + View + Visualizza + + + + Title: + + + + + Author(s): + + + + + Copyright: + Copyright: + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + Informazione + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/ja.ts b/resources/i18n/ja.ts index 58daf5311..e8f40bca5 100644 --- a/resources/i18n/ja.ts +++ b/resources/i18n/ja.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert 警告(&A) - + Show an alert message. 警告メッセージを表示します。 - + Alert name singular 警告 - + Alerts name plural 警告 - + Alerts container title 警告 - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>警告プラグイン</strong><br />警告プラグインは、画面への警告の表示を制御します。 @@ -154,85 +154,85 @@ Please type in some text before clicking New. BiblesPlugin - + &Bible 聖書(&B) - + Bible name singular 聖書 - + Bibles name plural 聖書 - + Bibles container title 聖書 - + No Book Found 書名が見つかりません - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 書名がこの聖書に見つかりません。書名が正しいか確認してください。 - + Import a Bible. 聖書をインポートします。 - + Add a new Bible. 新しい聖書を追加します。 - + Edit the selected Bible. 選択された聖書を編集します。 - + Delete the selected Bible. 選択された聖書を削除します。 - + Preview the selected Bible. 選択された聖書をプレビューします。 - + Send the selected Bible live. 選択された聖書をライブへ送信します。 - + Add the selected Bible to the service. 選択された聖書を礼拝プログラムに追加します。 - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>聖書プラグイン</strong><br />聖書プラグインは、礼拝プログラムで様々な訳の御言葉を表示する機能を提供します。 - + &Upgrade older Bibles 古い聖書を更新(&U) - + Upgrade the Bible databases to the latest format. 聖書データベースを最新の形式に更新します。 @@ -660,61 +660,61 @@ Please type in some text before clicking New. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + : V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + : verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + : verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + : - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - から + から , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + 最後 @@ -767,39 +767,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error 書名章節番号エラー - + Web Bible cannot be used ウェブ聖書は使用できません - + Text Search is not available with Web Bibles. テキスト検索はウェブ聖書では利用できません。 - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. 検索キーワードが入力されていません。 複数のキーワードをスペースで区切るとすべてに該当する箇所を検索し、カンマ (,) で区切るといずれかに該当する箇所を検索します。 - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. 利用できる聖書がありません。インポート ウィザードを利用して、一つ以上の聖書をインストールしてください。 - + No Bibles Available 利用できる聖書翻訳がありません - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -987,12 +987,12 @@ search results and on display: BiblesPlugin.CSVBible - + Importing books... %s 書名をインポート中... %s - + Importing verses... done. 節をインポート中... 完了。 @@ -1070,38 +1070,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... 聖書を登録し書名を取込み中... - + Registering Language... 言語を登録中... - + Importing %s... Importing <book name>... %sをインポート中... - + Download Error ダウンロード エラー - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. 選択された聖書のダウンロードに失敗しました。インターネット接続を確認し、それでもエラーが繰り返して起こる場合は、バグ報告を検討してください。 - + Parse Error 構文エラー - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. 選択された聖書の展開に失敗しました。エラーが繰り返して起こる場合は、バグ報告を検討してください。 @@ -1109,163 +1109,183 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard 聖書インポート ウィザード - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. このウィザードで、様々な聖書のデータをインポートできます。次へボタンをクリックし、インポートする聖書のフォーマットを選択してください。 - + Web Download ウェブからダウンロード - + Location: 場所: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: 聖書: - + Download Options ダウンロード オプション - + Server: サーバ: - + Username: ユーザ名: - + Password: パスワード: - + Proxy Server (Optional) プロキシ サーバ (省略可) - + License Details ライセンスの詳細 - + Set up the Bible's license details. 聖書のライセンスの詳細を設定してください。 - + Version name: 訳名: - + Copyright: 著作権: - + Please wait while your Bible is imported. 聖書のインポートが完了するまでお待ちください。 - + You need to specify a file with books of the Bible to use in the import. インポートする聖書の書簡を指定する必要があります。 - + You need to specify a file of Bible verses to import. インポートする節を指定する必要があります。 - + You need to specify a version name for your Bible. 聖書のバージョン名を指定する必要があります。 - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. 聖書の著作権情報を設定する必要があります。パブリックドメインの聖書はそのようにマークされている必要があります。 - + Bible Exists 聖書が存在します - + This Bible already exists. Please import a different Bible or first delete the existing one. この聖書は既に存在します。他の聖書をインポートするか、存在する聖書を削除してください。 - + Your Bible import failed. 聖書のインポートに失敗しました。 - + CSV File CSV ファイル - + Bibleserver Bibleserver - + Permissions: 使用許可: - + Bible file: 聖書訳: - + Books file: 書簡: - + Verses file: 節: - + Registering Bible... 聖書を登録中... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + 聖書を登録しました。本文は使用時にダウンロードされるため、インターネット接続が必要なことに注意してください。 + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. @@ -1405,13 +1425,26 @@ You will need to re-import this Bible to use it again. 不正な聖書ファイルです。Zefania XML 聖書のようですので、Zefaniaインポートオプションを使用してください。 + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... 使用していないタグを削除 (数分かかることがあります)... + + + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.UpgradeWizardForm @@ -1566,73 +1599,81 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. 不正な聖書ファイルです。Zefaniaの聖書は圧縮されていることがあります。その場合、インポートする前に展開する必要があります。 + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + CustomPlugin - + Custom Slide name singular カスタム スライド - + Custom Slides name plural カスタムスライド - + Custom Slides container title カスタムスライド - + Load a new custom slide. 新しいカスタム スライドを読み込みます。 - + Import a custom slide. カスタム スライドをインポートします。 - + Add a new custom slide. 新しいカスタム スライドを追加します。 - + Edit the selected custom slide. 選択されたカスタム スライドを編集します。 - + Delete the selected custom slide. 選択されたカスタム スライドを削除します。 - + Preview the selected custom slide. 選択されたカスタム スライドをプレビューします。 - + Send the selected custom slide live. 選択されたカスタム スライドをライブへ送ります。 - + Add the selected custom slide to the service. 選択されたカスタム スライドを礼拝プログラムに追加します。 - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>カスタム スライド プラグイン </strong><br />カスタム スライド プラグインは、任意のテキストを賛美などと同様に表示する機能を提供します。賛美プラグインよりも自由な機能を提供します。 @@ -1729,7 +1770,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? 選択された%n件のカスタムスライドを削除します。宜しいですか? @@ -1739,60 +1780,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>画像プラグイン</strong><br />画像プラグインは、画像を表示する機能を提供します。<br />礼拝プログラムで複数の画像をグループ化したり、複数の画像を簡単に表示することができます。タイムアウト ループの機能を使用してスライドショーを自動的に表示することもできます。さらに、賛美などのテキスト ベースの項目の背景を、外観テーマで指定されたものからこのプラグインの画像に変更することもできます。 - + Image name singular 画像 - + Images name plural 画像 - + Images container title 画像 - + Load a new image. 新しい画像を読み込みます。 - + Add a new image. 新しい画像を追加します。 - + Edit the selected image. 選択された画像を編集します。 - + Delete the selected image. 選択された画像を削除します。 - + Preview the selected image. 選択された画像をプレビューします。 - + Send the selected image live. 選択された画像をライブへ送信します。 - + Add the selected image to the service. 選択された画像を礼拝プログラムに追加します。 @@ -1820,12 +1861,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I グループ名を入力してください。 - + Could not add the new group. 新しいグループを追加できませんでした。 - + This group already exists. このグループは既に存在します。 @@ -1874,34 +1915,34 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 画像を選択 - + You must select an image to replace the background with. 背景を置換する画像を選択する必要があります。 - + Missing Image(s) 画像が見つかりません - + The following image(s) no longer exist: %s 以下の画像は存在しません: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? 以下の画像は存在しません: %s それでも他の画像を追加しますか? - + There was a problem replacing your background, the image file "%s" no longer exists. 背景を置換する際に問題が発生しました。画像ファイル "%s" が存在しません。 - + There was no display item to amend. 結合する項目がありません。 @@ -1911,17 +1952,17 @@ Do you want to add the other images anyway? -- 最上位グループ -- - + You must select an image or group to delete. 削除する画像かグループを選択する必要があります。 - + Remove group グループを削除 - + Are you sure you want to remove "%s" and everything in it? 「%s」とその中の項目全てを削除してよいですか? @@ -1942,22 +1983,22 @@ Do you want to add the other images anyway? Phononはビデオ再生のためにOSとやりとりを行います。 - + Audio 音声 - + Video ビデオ - + VLC is an external player which supports a number of different formats. VLCは外部プレーヤで、様々な種類のフォーマットをサポートしています。 - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkitはウェブブラウザ内で動作するメディアプレーヤーです。このプレーヤによりビデオの上にテキストを描画することができます。 @@ -1965,60 +2006,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>メディア プラグイン</strong><br />メディア プラグインは、音声や動画を再生する機能を提供します。 - + Media name singular メディア - + Media name plural メディア - + Media container title メディア - + Load new media. 新しいメディアを読み込みます。 - + Add new media. 新しいメディアを追加します。 - + Edit the selected media. 選択したメディアを編集します。 - + Delete the selected media. 選択したメディアを削除します。 - + Preview the selected media. 選択したメディアをプレビューします。 - + Send the selected media live. 選択したメディアをライブへ送ります。 - + Add the selected media to the service. 選択したメディアを礼拝プログラムに追加します。 @@ -2187,37 +2228,37 @@ Do you want to add the other images anyway? メディアを選択 - + You must select a media file to delete. 削除するメディア ファイルを選択する必要があります。 - + You must select a media file to replace the background with. 背景を置換するメディア ファイルを選択する必要があります。 - + There was a problem replacing your background, the media file "%s" no longer exists. 背景を置換する際に問題が発生しました。メディア ファイル"%s"は存在しません。 - + Missing Media File メディア ファイルが見つかりません - + The file %s no longer exists. ファイル %s が存在しません。 - + Videos (%s);;Audio (%s);;%s (*) 動画 (%s);;音声 (%s);;%s (*) - + There was no display item to amend. 結合する項目がありません。 @@ -2227,7 +2268,7 @@ Do you want to add the other images anyway? 無効なファイル - + Use Player: 使用する再生ソフト: @@ -2242,27 +2283,27 @@ Do you want to add the other images anyway? 光ディスクの再生にはVLCメディアプレーヤーが必要です - + Load CD/DVD CD・DVDの読み込み - + Load CD/DVD - only supported when VLC is installed and enabled CD・DVDの読み込み - VLCがインストールされ有効になっている場合のみ有効 - + The optical disc %s is no longer available. 光ディスク %s は有効ではありません。 - + Mediaclip already saved メディアクリップは既に保存されています - + This mediaclip has already been saved このメディアクリップは既に保存されています。 @@ -2291,17 +2332,17 @@ Do you want to add the other images anyway? OpenLP - + Image Files 画像ファイル - + Information 情報 - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3015,7 +3056,7 @@ appears to contain OpenLP data files. Do you wish to replace these files with th Digital 2 - ディジタル + ディジタル 2 @@ -3025,12 +3066,12 @@ appears to contain OpenLP data files. Do you wish to replace these files with th Digital 4 - ディジタル + ディジタル 4 Digital 5 - ディジタル + ディジタル 5 @@ -3105,17 +3146,17 @@ appears to contain OpenLP data files. Do you wish to replace these files with th Network 2 - ネットワーク + ネットワーク 2 Network 3 - ネットワーク + ネットワーク 3 Network 4 - ネットワーク + ネットワーク 4 @@ -3271,7 +3312,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename ファイル名を変更 @@ -3281,7 +3322,7 @@ Version: %s 新しいファイル名: - + File Copy ファイルをコピー @@ -3307,167 +3348,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs 賛美 - + First Time Wizard 初回起動ウィザード - + Welcome to the First Time Wizard 初回起動ウィザードへようこそ - + Activate required Plugins 必要なプラグインを有効化する - + Select the Plugins you wish to use. ご利用になるプラグインを選択してください。 - + Bible 聖書 - + Images 画像 - + Presentations プレゼンテーション - + Media (Audio and Video) メディア(音声と動画) - + Allow remote access リモートアクセスを許可 - + Monitor Song Usage 賛美利用記録 - + Allow Alerts 警告を許可 - + Default Settings 既定設定 - + Downloading %s... ダウンロード中 %s... - + Enabling selected plugins... 選択されたプラグインを有効にしています... - + No Internet Connection インターネット接続が見つかりません - + Unable to detect an Internet connection. インターネット接続が検知されませんでした。 - + Sample Songs サンプル賛美 - + Select and download public domain songs. パブリックドメインの賛美を選択する事でダウンロードできます。 - + Sample Bibles サンプル聖書 - + Select and download free Bibles. 以下のフリー聖書を選択する事でダウンロードできます。 - + Sample Themes サンプル外観テーマ - + Select and download sample themes. サンプル外観テーマを選択する事でダウンロードできます。 - + Set up default settings to be used by OpenLP. 既定設定がOpenLPに使われるようにセットアップします。 - + Default output display: 既定出力先: - + Select default theme: 既定外観テーマを選択: - + Starting configuration process... 設定処理を開始しています... - + Setting Up And Downloading 設定とダウンロード中 - + Please wait while OpenLP is set up and your data is downloaded. OpenLPがセットアップされ、あなたのデータがインポートされるまでお待ち下さい。 - + Setting Up 設定中 - + Custom Slides カスタムスライド - + Finish 終了 - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3476,47 +3517,47 @@ To re-run the First Time Wizard and import this sample data at a later time, che 初回起動ウィザードをもう一度実行してサンプルデータをインポートするには、&quot;ツール/初回起動ウィザードの再実行&quot;を選択してください。 - + Download Error ダウンロード エラー - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. ダウンロード中に接続に関する問題が発生し、ダウンロードを中断しました。後で初回起動ウィザードを実行しなおしてください。 - + Download complete. Click the %s button to return to OpenLP. ダウンロードが完了しました。%sボタンを押してOpenLPに戻ってください。 - + Download complete. Click the %s button to start OpenLP. ダウンロードが完了しました。%sボタンをクリックすると OpenLP が開始します。 - + Click the %s button to return to OpenLP. %sボタンをクリックするとOpenLPに戻ります。 - + Click the %s button to start OpenLP. %sをクリックすると、OpenLPを開始します。 - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. ダウンロード中に接続に関する問題が発生し、ダウンロードを中断しました。後で初回起動ウィザードを実行しなおしてください。 - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. このウィザードで、OpenLPを初めて使用する際の設定をします。%sをクリックして開始してください。 - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. @@ -3525,38 +3566,48 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 初回起動ウィザードを終了し次回から表示しないためには、%sボタンをクリックしてください。 - + Downloading Resource Index リソース一覧をダウンロード中 - + Please wait while the resource index is downloaded. リソース一覧のダウンロードが完了するまでお待ちください。 - + Please wait while OpenLP downloads the resource index file... OpenLPがリソース一覧をダウンロードしています。しばらくお待ちください... - + Downloading and Configuring ダウンロードと構成 - + Please wait while resources are downloaded and OpenLP is configured. リソースのダウンロードと構成を行なっています。しばらくお待ちください。 - + Network Error ネットワークエラー - + There was a network error attempting to connect to retrieve initial configuration information + ネットワークエラーにより初期設定の情報を取得出来ませんでした。 + + + + Cancel + キャンセル + + + + Unable to download some files @@ -3630,6 +3681,16 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. 説明 %s は既に定義されています。 + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + OpenLP.FormattingTags @@ -3888,7 +3949,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP ディスプレイ @@ -4195,7 +4256,7 @@ http://openlp.org/ から最新版をダウンロードできます。OpenLP のプライマリ ディスプレイがブランクになりました - + Default Theme: %s 既定のテーマ: %s @@ -4211,12 +4272,12 @@ http://openlp.org/ から最新版をダウンロードできます。ショートカットの設定(&S)... - + Close OpenLP OpenLP を閉じる - + Are you sure you want to close OpenLP? OpenLP を本当に終了しますか? @@ -4290,13 +4351,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and 初回起動ウィザードを再実行すると、現在のOpenLP設定および既存の賛美やテーマが変更されることがあります。 - + Clear List Clear List of recent files 一覧を消去 - + Clear the list of recent files. 最近使用したファイルの一覧を消去します。 @@ -4356,17 +4417,17 @@ Re-running this wizard may make changes to your current OpenLP configuration and OpenLP 設定ファイル (*.conf) - + New Data Directory Error 新しい保存場所のエラー - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish OpenLPデータを新しい保存場所 (%s) へコピーしています。コピーが終了するまでお待ちください。 - + OpenLP Data directory copy failed %s @@ -4427,7 +4488,7 @@ Processing has terminated and no changes have been made. プロジェクターマネージャの表示/非表示を切り替え - + Export setting error 設定のエクスポートに失敗しました @@ -4436,16 +4497,21 @@ Processing has terminated and no changes have been made. The key "%s" does not have a default value so it will be skipped in this export. 項目「%s」には値が設定されていないため、スキップします。 + + + An error occurred while exporting the settings: %s + 設定のエクスポート中にエラーが発生しました: %s + OpenLP.Manager - + Database Error データベースエラー - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4454,7 +4520,7 @@ Database: %s データベース: %s - + OpenLP cannot load your database. Database: %s @@ -4533,7 +4599,7 @@ Suffix not supported 閉じる(&C) - + Duplicate files were found on import and were ignored. インポート中に重複するファイルが見つかり、無視されました。 @@ -4556,7 +4622,7 @@ Suffix not supported Unknown status - + 不明な状態 @@ -4673,7 +4739,7 @@ Suffix not supported Copy as HTML - HTMLとしてコピーする + HTMLとしてコピー @@ -4796,7 +4862,7 @@ Suffix not supported Projector Busy - + 混雑中 @@ -4826,7 +4892,7 @@ Suffix not supported Invalid prefix character - + 無効なプリフィックス文字です @@ -4918,11 +4984,6 @@ Suffix not supported The proxy address set with setProxy() was not found setProxy()で設定されたプロキシアドレスが見つかりません - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - - An unidentified error occurred @@ -4951,7 +5012,7 @@ Suffix not supported Off - + Off @@ -4961,7 +5022,7 @@ Suffix not supported Power in standby - + スタンバイ中 @@ -4971,7 +5032,7 @@ Suffix not supported Power is on - + 電源が入っている @@ -4993,6 +5054,11 @@ Suffix not supported Received data 受信データ + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + プロキシサーバへの接続に失敗しました。プロキシサーバーからの応答を理解できません。 + OpenLP.ProjectorEdit @@ -5100,12 +5166,12 @@ Suffix not supported Select Input Source - 入力ソースを選択 + 入力を選択 Choose input source on selected projector - 選択したプロジェクタの入力ソースを選択します + 選択したプロジェクタの入力を選択します @@ -5200,7 +5266,7 @@ Suffix not supported Edit Input Source - 入力ソースを編集 + 入力を編集 @@ -5270,17 +5336,17 @@ Suffix not supported Shutter is - + シャッターが Closed - + 閉じている Current source input is - 現在の入力ソースは + 現在の入力は @@ -5290,12 +5356,12 @@ Suffix not supported On - + On Off - + Off @@ -5539,22 +5605,22 @@ Suffix not supported 項目の外観テーマを変更(&C) - + File is not a valid service. 礼拝プログラムファイルが有効でありません。 - + Missing Display Handler ディスプレイハンドラが見つかりません - + Your item cannot be displayed as there is no handler to display it ディスプレイハンドラが見つからないため項目を表示する事ができません - + Your item cannot be displayed as the plugin required to display it is missing or inactive 必要なプラグインが見つからないか無効なため、項目を表示する事ができません @@ -5634,12 +5700,12 @@ Suffix not supported 礼拝項目メモ: - + Notes: メモ: - + Playing time: 再生時間: @@ -5649,22 +5715,22 @@ Suffix not supported 無題 - + File could not be opened because it is corrupt. ファイルが破損しているため開けません。 - + Empty File 空のファイル - + This service file does not contain any data. この礼拝プログラムファイルは空です。 - + Corrupt File 破損したファイル @@ -5684,32 +5750,32 @@ Suffix not supported 礼拝プログラムの外観テーマを選択します。 - + Slide theme スライド外観テーマ - + Notes メモ - + Edit 編集 - + Service copy only 礼拝項目のみ編集 - + Error Saving File ファイル保存エラー - + There was an error saving your file. ファイルの保存中にエラーが発生しました。 @@ -5718,17 +5784,6 @@ Suffix not supported Service File(s) Missing 礼拝プログラムファイルが見つかりません - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - 礼拝項目に含まれる以下のファイルが不足しています: -<byte value="x9"/>%s - -このまま保存を続行すると、これらのファイルは削除されます。 - &Rename... @@ -5755,7 +5810,7 @@ These files will be removed if you continue to save. 自動再生を繰り返さない (&O) - + &Delay between slides スライド間の時間 (&D) @@ -5765,63 +5820,76 @@ These files will be removed if you continue to save. OpenLP 礼拝プログラムファイル (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP 礼拝プログラムファイル (*.osz);; OpenLP 礼拝プログラムファイル - ライト (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP 礼拝プログラムファイル (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. ファイルが有効でありません。 エンコードがUTF-8でありません。 - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + このファイルは古い形式です。 +OpenLP 2.0.2以上で保存してください。 - + This file is either corrupt or it is not an OpenLP 2 service file. - + ファイルが破損しているかOpenLP 2の礼拝プログラムファイルファイルではありません。 - + &Auto Start - inactive 自動再生 (&A) - 無効 - + &Auto Start - active 自動再生 (&A) - 有効 - + Input delay 入力遅延 - + Delay between slides in seconds. スライドの再生時間を秒で指定する。 - + Rename item title タイトルを編集 - + Title: タイトル: + + + An error occurred while writing the service file: %s + 礼拝項目ファイルの保存中にエラーが発生しました: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + OpenLP.ServiceNoteForm @@ -5917,7 +5985,7 @@ These files will be removed if you continue to save. Go To - 送る + ジャンプ @@ -5927,7 +5995,7 @@ These files will be removed if you continue to save. Blank to Theme - 外観テーマをブランク + 外観テーマにブランク @@ -6083,14 +6151,14 @@ These files will be removed if you continue to save. OpenLP.SourceSelectForm - + Select Projector Source - プロジェクタのソースを選択 + プロジェクタの入力を選択 - + Edit Projector Source Text - プロジェクタのソーステキストを編集 + プロジェクタの入力テキストを編集 @@ -6100,12 +6168,12 @@ These files will be removed if you continue to save. Delete all user-defined text and revert to PJLink default text - + すべてのユーザー定義テキストを削除し、PJLinkの規定テキストに戻します Discard changes and reset to previous user-defined text - + 変更を破棄し、以前のユーザー定義テキストに戻します @@ -6113,19 +6181,14 @@ These files will be removed if you continue to save. 変更を保存しOpenLPに戻ります - + Delete entries for this projector このプロジェクタを一覧から削除します - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? - + + Are you sure you want to delete ALL user-defined source input text for this projector? + このプロジェクタの「すべての」ユーザー定義入力テキストを削除してよろしいですか? @@ -6133,7 +6196,7 @@ These files will be removed if you continue to save. Spelling Suggestions - 綴りの推奨 + 綴りのサジェスト @@ -6265,12 +6328,12 @@ These files will be removed if you continue to save. Export Theme - 外観テーマのエキスポート + 外観テーマのエクスポート Export a theme. - 外観テーマのエキスポートをする。 + 外観テーマのエクスポートをする。 @@ -6288,7 +6351,7 @@ These files will be removed if you continue to save. 全体の既定として設定(&G)) - + %s (default) %s (既定) @@ -6298,52 +6361,47 @@ These files will be removed if you continue to save. 編集する外観テーマを選択してください。 - + You are unable to delete the default theme. 既定の外観テーマを削除する事はできません。 - + Theme %s is used in the %s plugin. %s プラグインでこの外観テーマは利用されています。 - + You have not selected a theme. 外観テーマの選択がありません。 - + Save Theme - (%s) 外観テーマを保存 - (%s) - + Theme Exported - 外観テーマエキスポート + 外観テーマエクスポート - + Your theme has been successfully exported. - 外観テーマは正常にエキスポートされました。 + 外観テーマは正常にエクスポートされました。 - + Theme Export Failed - 外観テーマのエキスポート失敗 + 外観テーマのエクスポート失敗 - - Your theme could not be exported due to an error. - エラーが発生したため外観テーマは、エキスポートされませんでした。 - - - + Select Theme Import File インポート対象の外観テーマファイル選択 - + File is not a valid theme. 無効な外観テーマファイルです。 @@ -6360,7 +6418,7 @@ These files will be removed if you continue to save. &Export Theme - 外観テーマのエキスポート(&E) + 外観テーマのエクスポート(&E) @@ -6393,20 +6451,15 @@ These files will be removed if you continue to save. %s 外観テーマを削除します。宜しいですか? - + Validation Error 検証エラー - + A theme with this name already exists. 同名の外観テーマが既に存在します。 - - - OpenLP Themes (*.theme *.otz) - OpenLP 外観テーマ (*.theme *.otz) - Copy of %s @@ -6414,15 +6467,25 @@ These files will be removed if you continue to save. Copy of %s - + Theme Already Exists テーマが既に存在 - + Theme %s already exists. Do you want to replace it? テーマ%sは既に存在します。上書きしますか? + + + The theme export failed because this error occurred: %s + このエラーが発生したためテーマのエクスポートに失敗しました: %s + + + + OpenLP Themes (*.otz) + OpenLP テーマファイル (*.otz) + OpenLP.ThemeWizard @@ -6858,7 +6921,7 @@ These files will be removed if you continue to save. 準備完了。 - + Starting import... インポートを開始しています.... @@ -6869,14 +6932,14 @@ These files will be removed if you continue to save. インポート元となる%sファイルを最低一つ選択する必要があります。 - + Welcome to the Bible Import Wizard 聖書インポートウィザードへようこそ Welcome to the Song Export Wizard - 賛美エキスポートウィザードへようこそ + 賛美エクスポートウィザードへようこそ @@ -6963,7 +7026,7 @@ These files will be removed if you continue to save. インポートするために%sフォルダを選択してください。 - + Importing Songs 賛美のインポート @@ -7102,7 +7165,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Export - エキスポート + エクスポート @@ -7307,163 +7370,163 @@ Please try selecting it individually. プレビュー - + Print Service 礼拝プログラムを印刷 - + Projector Singular プロジェクタ - + Projectors Plural プロジェクタ - + Replace Background 背景を置換 - + Replace live background. ライブの背景を置換します。 - + Reset Background 背景をリセット - + Reset live background. ライブの背景をリセットします。 - + s The abbreviated unit for seconds - + Save && Preview 保存してプレビュー - + Search 検索 - + Search Themes... Search bar place holder text テーマの検索... - + You must select an item to delete. 削除する項目を選択して下さい。 - + You must select an item to edit. 編集する項目を選択して下さい。 - + Settings 設定 - + Save Service 礼拝プログラムの保存 - + Service 礼拝プログラム - + Optional &Split オプションの分割(&S) - + Split a slide into two only if it does not fit on the screen as one slide. 1枚のスライドに納まらないときのみ、スライドが分割されます。 - + Start %s 開始 %s - + Stop Play Slides in Loop スライドの繰り返し再生を停止 - + Stop Play Slides to End スライドの再生を停止 - + Theme Singular 外観テーマ - + Themes Plural 外観テーマ - + Tools ツール - + Top 上部 - + Unsupported File 無効なファイル - + Verse Per Slide スライドに1節 - + Verse Per Line 1行に1節 - + Version バージョン - + View 表示 - + View Mode 表示モード @@ -7477,6 +7540,16 @@ Please try selecting it individually. OpenLP 2.2 OpenLP 2.2 + + + Preview Toolbar + プレビュー ツールバー + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7510,56 +7583,56 @@ Please try selecting it individually. Source select dialog interface - + インポート元を選択 PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>プレゼンテーションプラグイン</strong><br />プレゼンテーションプラグインは、外部のプログラムを使用してプレゼンテーションを表示する機能を提供します。使用可能なプログラムは、ドロップダウンボックスから選択できます。 - + Presentation name singular プレゼンテーション - + Presentations name plural プレゼンテーション - + Presentations container title プレゼンテーション - + Load a new presentation. 新しいプレゼンテーションを読み込みます。 - + Delete the selected presentation. 選択したプレゼンテーションを削除します。 - + Preview the selected presentation. 選択したプレゼンテーションをプレビューします。 - + Send the selected presentation live. 選択したプレゼンテーションをライブへ送ります。 - + Add the selected presentation to the service. 選択したプレゼンテーションを礼拝プログラムに追加します。 @@ -7602,17 +7675,17 @@ Please try selecting it individually. プレゼンテーション (%s) - + Missing Presentation 不明なプレゼンテーション - + The presentation %s is incomplete, please reload. プレゼンテーション%sは不完全です。再読み込みしてください。 - + The presentation %s no longer exists. プレゼンテーション %s は存在しません。 @@ -7620,48 +7693,58 @@ Please try selecting it individually. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - + PowerPointとの通信にエラーが発生し、プレゼンテーションが終了しました。表示するには、プレゼンテーションをもう一度開始してください。 PresentationPlugin.PresentationTab - + Available Controllers 使用可能なコントローラ - + %s (unavailable) %s (利用不可能) - + Allow presentation application to be overridden プレゼンテーションアプリケーションの上書きを可能にする - + PDF options PDFオプション - + Use given full path for mudraw or ghostscript binary: mudrawまたはghostscriptのフルパスを設定する - + Select mudraw or ghostscript binary. mudrawまたはghostscriptのバイナリを選択してください。 - + The program is not ghostscript or mudraw which is required. 必要なmudrawまたはghostscriptのプログラムではありません。 + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7702,127 +7785,127 @@ Please try selecting it individually. RemotePlugin.Mobile - + Service Manager 礼拝プログラム - + Slide Controller スライドコントローラ - + Alerts 警告 - + Search 検索 - + Home ホーム - + Refresh 再読込 - + Blank ブランク - + Theme 外観テーマ - + Desktop デスクトップ - + Show 表示 - + Prev - + Next - + Text テキスト - + Show Alert 警告を表示 - + Go Live ライブへ送る - + Add to Service 礼拝項目へ追加 - + Add &amp; Go to Service 追加し礼拝プログラムへ移動 - + No Results 見つかりませんでした - + Options オプション - + Service 礼拝プログラム - + Slides スライド - + Settings 設定 - + OpenLP 2.2 Remote OpenLP 2.2 遠隔操作 - + OpenLP 2.2 Stage View OpenLP 2.2 ステージビュー - + OpenLP 2.2 Live View OpenLP 2.2 ライブビュー @@ -7908,85 +7991,85 @@ Please try selecting it individually. SongUsagePlugin - + &Song Usage Tracking 賛美の利用記録(&S) - + &Delete Tracking Data 利用記録を削除(&D) - + Delete song usage data up to a specified date. 削除する利用記録の対象となるまでの日付を指定してください。 - + &Extract Tracking Data 利用記録の抽出(&E) - + Generate a report on song usage. 利用記録のレポートを出力する。 - + Toggle Tracking 記録の切り替え - + Toggle the tracking of song usage. 賛美の利用記録の切り替える。 - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>SongUsage Plugin</strong><br />このプラグインは、賛美の利用頻度を記録します。 - + SongUsage name singular 利用記録 - + SongUsage name plural 利用記録 - + SongUsage container title 利用記録 - + Song Usage 利用記録 - + Song usage tracking is active. 賛美の利用記録が有効です。 - + Song usage tracking is inactive. 賛美の利用記録が無効です。 - + display 表示 - + printed 印刷済み @@ -8049,22 +8132,22 @@ All data recorded before this date will be permanently deleted. レポートの出力 - + Output File Location レポートの出力場所 - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation レポート生成 - + Report %s has been successfully created. @@ -8073,46 +8156,56 @@ has been successfully created. - は正常に生成されました。 - + Output Path Not Selected 出力先が選択されていません - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. 賛美利用記録レポートの出力先が無効です。コンピューター上に存在するフォルダを選択して下さい。 + + + Report Creation Failed + レポート作成に失敗 + + + + An error occurred while creating the report: %s + 賛美利用記録レポートの作成中にエラーが発生しました: %s + SongsPlugin - + &Song 賛美(&S) - + Import songs using the import wizard. インポートウィザードを使用して賛美をインポートします。 - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>賛美プラグイン</strong><br />賛美プラグインは、賛美を表示し管理する機能を提供します。 - + &Re-index Songs 賛美のインデックスを再作成(&R) - + Re-index the songs database to improve searching and ordering. 賛美データベースのインデックスを再作成し、検索や並べ替えを速くします。 - + Reindexing songs... 賛美のインデックスを再作成中... @@ -8205,80 +8298,80 @@ The encoding is responsible for the correct character representation. 文字コードを選択してください。文字が正常に表示されるのに必要な設定です。 - + Song name singular 賛美 - + Songs name plural 賛美 - + Songs container title 賛美 - + Exports songs using the export wizard. - エキスポートウィザードを使って賛美をエキスポートする。 + エクスポートウィザードを使って賛美をエクスポートする。 - + Add a new song. 賛美を追加します。 - + Edit the selected song. 選択した賛美を編集します。 - + Delete the selected song. 選択した賛美を削除します。 - + Preview the selected song. 選択した賛美をプレビューします。 - + Send the selected song live. 選択した賛美をライブへ送ります。 - + Add the selected song to the service. 選択した賛美を礼拝プログラムに追加します。 - + Reindexing songs 賛美のインデックスを再作成 - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. CCLIのSongSelectサービスから賛美をインポートします。 - + Find &Duplicate Songs 重複する賛美を探す (&D) - + Find and remove duplicate songs in the song database. データベース中の重複する賛美を探し、削除します。 @@ -8687,7 +8780,7 @@ Please enter the verses separated by spaces. Song Export Wizard - 賛美エキスポートウィザード + 賛美エクスポートウィザード @@ -8697,7 +8790,7 @@ Please enter the verses separated by spaces. Check the songs you want to export. - エキスポートしたい賛美をチェックして下さい。 + エクスポートしたい賛美をチェックして下さい。 @@ -8722,17 +8815,17 @@ Please enter the verses separated by spaces. Exporting - エキスポート中 + エクスポート中 Please wait while your songs are exported. - 賛美をエキスポートしている間今しばらくお待ちください。 + 賛美をエクスポートしている間今しばらくお待ちください。 You need to add at least one Song to export. - エキスポートする最低一つの賛美を選択する必要があります。 + エクスポートする最低一つの賛美を選択する必要があります。 @@ -8742,7 +8835,7 @@ Please enter the verses separated by spaces. Starting export... - エキスポートを開始しています... + エクスポートを開始しています... @@ -8750,7 +8843,7 @@ Please enter the verses separated by spaces. ディレクトリを選択して下さい。 - + Select Destination Folder 出力先フォルダを選択して下さい @@ -8762,7 +8855,7 @@ Please enter the verses separated by spaces. This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. - このウィザードで、オープンで無償な<strong>OpenLyrics</strong> worship song形式として賛美をエキスポートできます。 + このウィザードで、オープンで無償な<strong>OpenLyrics</strong> worship song形式として賛美をエクスポートできます。 @@ -8933,7 +9026,7 @@ Please enter the verses separated by spaces. SongPro (Export File) - SongPro (エキスポートファイル) + SongPro (エクスポートファイル) @@ -9086,7 +9179,7 @@ Please enter the verses separated by spaces. Exporting "%s"... - 「%s」をエキスポートしています... + 「%s」をエクスポートしています... @@ -9156,14 +9249,19 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. - 賛美のエキスポートに失敗しました。 + 賛美のエクスポートに失敗しました。 - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. - エキスポートが完了しました。インポートするには、<strong>OpenLyrics</strong>インポータを使用してください。 + エクスポートが完了しました。インポートするには、<strong>OpenLyrics</strong>インポータを使用してください。 + + + + Your song export failed because this error occurred: %s + このエラーが発生したため、賛美のエクスポートに失敗しました: %s @@ -9345,7 +9443,7 @@ Please enter the verses separated by spaces. 検索 - + Found %s song(s) %s個の賛美が見つかりました @@ -9402,7 +9500,7 @@ Please enter the verses separated by spaces. Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. - + 検索結果が1000件を超えたため、検索を停止しました。検索キーワードを修正してください。 @@ -9410,44 +9508,44 @@ Please enter the verses separated by spaces. ログアウト中... - + Save Username and Password ユーザ名とパスワードの保存 - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. 警告: ユーザ名とパスワードの保存は安全ではありません。パスワードは平文で保存されます。はいをクリックするとパスワードを保存し、いいえをクリックするとキャンセルします。 - + Error Logging In ログインエラー - + There was a problem logging in, perhaps your username or password is incorrect? ログイン中にエラーが発生しました。ユーザ名またはパスワードを間違っていませんか? - + Song Imported 賛美がインポートされました - - Your song has been imported, would you like to exit now, or import more songs? + + Incomplete song - - Import More Songs - さらに賛美をインポート + + This song is missing some information, like the lyrics, and cannot be imported. + - - Exit Now - 終了する + + Your song has been imported, would you like to import more songs? + @@ -9544,12 +9642,12 @@ Please enter the verses separated by spaces. Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. - + 無効な語句がWorship songファイルにあります。「CSongDoc::CBlock」が見つかりません。 Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. - + 無効な語句がWorship songファイルにあります。ヘッダ「WoW File\nSong Words」が見つかりません。 diff --git a/resources/i18n/ko.ts b/resources/i18n/ko.ts new file mode 100644 index 000000000..7ac66c531 --- /dev/null +++ b/resources/i18n/ko.ts @@ -0,0 +1,9580 @@ + + + + AlertsPlugin + + + &Alert + 경고(&A) + + + + Show an alert message. + 에러 메세지를 보여줍니다. + + + + Alert + name singular + 알림 + + + + Alerts + name plural + 알림 + + + + Alerts + container title + 알림 + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + 경고 메세지 + + + + Alert &text: + 경고 문구(&T) + + + + &New + 새로 만들기(&N) + + + + &Save + 저장(&S) + + + + Displ&ay + 출력(&A) + + + + Display && Cl&ose + 출력 && 닫기(&O) + + + + New Alert + 새 경고 + + + + &Parameter: + &Parameter-매개변수: + + + + No Parameter Found + Parameter가 없습니다. + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + 대체 할 수있는 매개 변수를 입력하지 않았습니다. +그래도 계속 진행 할까요? + + + + No Placeholder Found + 플레이스 홀더가 없습니다. + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + 경고문에 '<>'가 없습니다. +계속 진행할까요? + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + 경고 메세지가 생성 및 출력되었습니다. + + + + AlertsPlugin.AlertsTab + + + Font + 글꼴 + + + + Font name: + 글꼴: + + + + Font color: + 글꼴색: + + + + Background color: + 배경색: + + + + Font size: + 글꼴 크기: + + + + Alert timeout: + 경고 타임아웃: + + + + BiblesPlugin + + + &Bible + 성경(&B) + + + + Bible + name singular + 성경 + + + + Bibles + name plural + 성경 + + + + Bibles + container title + 성경 + + + + No Book Found + 책이 없습니다 + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + 일치하는 책을 성경에서 찾을 수 없습니다. 책의 이름을 올바르게 입력하였는지 확인하십시오. + + + + Import a Bible. + 성경 가져오기. + + + + Add a new Bible. + 새성경 추가. + + + + Edit the selected Bible. + 선택한 성경 수정. + + + + Delete the selected Bible. + 선택한 성경 삭제. + + + + Preview the selected Bible. + 선택한 성경 미리보기. + + + + Send the selected Bible live. + 선택한 성경 라이브로 보내기. + + + + Add the selected Bible to the service. + 선택한 성경 서비스로 보내기ㅈ + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + <strong>성경플러그인</ STRONG> <br />는 성경플러그인은 예배중에 서로 다른 소스에서 성경 구절을 표시 할 수있는 기능을 제공합니다. + + + + &Upgrade older Bibles + &오래된 성경 업그레이드 + + + + Upgrade the Bible databases to the latest format. + 최신 형식으로 성경의 데이터베이스를 업그레이드합니다. + + + + Genesis + 창세기 + + + + Exodus + 출애굽기 + + + + Leviticus + 레위기 + + + + Numbers + 민수기 + + + + Deuteronomy + 신명기 + + + + Joshua + + + + + Judges + 사사기 + + + + Ruth + + + + + 1 Samuel + 사무엘상 + + + + 2 Samuel + 사무엘하 + + + + 1 Kings + 열왕기상 + + + + 2 Kings + 열왕기하 + + + + 1 Chronicles + 역대상 + + + + 2 Chronicles + 역대하 + + + + Ezra + 에스라 + + + + Nehemiah + 느헤미야 + + + + Esther + 에스더 + + + + Job + 욥기 + + + + Psalms + 시편 + + + + Proverbs + 잠언 + + + + Ecclesiastes + 전도서 + + + + Song of Solomon + 아가 + + + + Isaiah + 이사야 + + + + Jeremiah + 예레미야 + + + + Lamentations + + + + + Ezekiel + 에스겔 + + + + Daniel + 다니엘 + + + + Hosea + 호세아 + + + + Joel + 요엘 + + + + Amos + 아모스 + + + + Obadiah + 오바댜 + + + + Jonah + 요나 + + + + Micah + 미가 + + + + Nahum + 나훔 + + + + Habakkuk + 하박국 + + + + Zephaniah + 스바냐 + + + + Haggai + 학개 + + + + Zechariah + 스가랴 + + + + Malachi + 말라기 + + + + Matthew + 마태복음 + + + + Mark + 마가복음 + + + + Luke + 누가복음 + + + + John + 요한복음 + + + + Acts + 사도행전 + + + + Romans + 로마서 + + + + 1 Corinthians + 고린도전서 + + + + 2 Corinthians + 고린도후서 + + + + Galatians + 갈라디아서 + + + + Ephesians + 에베소서 + + + + Philippians + 빌립보서 + + + + Colossians + 골로새서 + + + + 1 Thessalonians + 데살로니가전서 + + + + 2 Thessalonians + 데살로니가후서 + + + + 1 Timothy + 디모데전서 + + + + 2 Timothy + 디모데후서 + + + + Titus + 디도서 + + + + Philemon + 빌레몬서 + + + + Hebrews + 히브리서 + + + + James + 야고보서 + + + + 1 Peter + 베드로전서 + + + + 2 Peter + 베드로후서 + + + + 1 John + 요한1서 + + + + 2 John + 요한2서 + + + + 3 John + 요한3서 + + + + Jude + 유다서 + + + + Revelation + 요한계시록 + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + 성경의 버전 이름을 지정해야합니다. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + 성경에 대한 저작권을 설정해야합니다. 공개 도메인에있는 성경은 공개 도메인으로 표시해야합니다. + + + + Bible Exists + 이미있는 성경 입니다 + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + 이 성경은 이미 존재합니다. 다른 성경을 가져 오거나 먼저 기존의 성경을 삭제 해주세요. + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + 성경 참조 오류 + + + + Web Bible cannot be used + 웹 성경은 사용할 수 없습니다 + + + + Text Search is not available with Web Bibles. + 텍스트 검색은 웹 성경에서 사용할 수 없습니다. + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + 검색 키워드를 입력하지 않았습니다. +모든 키워드는 스페이스로 다른 키워드를 분리해서 검색할 수 ​​있습니다. 또한 쉼표로 각각의 키워드를 구분 할 수도 있습니다. + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + 현재 설치된 성경이 없습니다. 성경을 설치하려면 가져오기 마법사를 사용하십시오. + + + + No Bibles Available + 성경 없음 + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + 절 출력 + + + + Only show new chapter numbers + 새로운 장번호만 보이기 + + + + Bible theme: + 성경 테마: + + + + No Brackets + 꺽쇠 안보이기 + + + + ( And ) + ( 와 ) + + + + { And } + { 와 } + + + + [ And ] + [ 와 ] + + + + Note: +Changes do not affect verses already in the service. + 참고: +이미 서비스 중인 구절에 대해서는 변경사항이 적용되지 않습니다. + + + + Display second Bible verses + 두 번째 성경 구절을 표시 + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Korean + + + + Default Bible Language + 기본 성경언어 + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + 성경 언어 + + + + Application Language + 소프트웨어 언어 + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + 성경을 선택하세요 + + + + Current name: + 현재 이름 : + + + + Corresponding name: + 해당 이름 : + + + + Show Books From + + + + + Old Testament + 구약 + + + + New Testament + 신약 + + + + Apocrypha + 외경 + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + 책을 선택해야합니다. + + + + BiblesPlugin.CSVBible + + + Importing books... %s + 책을 불러오는 중... %s + + + + Importing verses... done. + 구절 불러오기... 완료. + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + 라이센스 정보 + + + + Version name: + 버전 이름: + + + + Copyright: + 저작권: + + + + Permissions: + 권한: + + + + Default Bible Language + 기본 성경언어 + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + 성경 언어 + + + + Application Language + 소프트웨어 언어 + + + + English + Korean + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + 성경을 등록하고 책을 로딩 중입니다 ... + + + + Registering Language... + 언어 등록중... + + + + Importing %s... + Importing <book name>... + 가져오기 %s... + + + + Download Error + 다운로드 오류 + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + 선택하신 구절을 다운로드하는 데 문제가 발생했습니다. 인터넷 연결을 확인하십시오. 이 오류가 계속 발생하는 경우 버그를 보고하시기 바랍니다 + + + + Parse Error + Parse 에러 + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + 선택하신 구절을 추출하는 데 문제가 발생했습니다. 이 오류가 계속 발생하면 버그를 보고하시기 바랍니다. + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + 성경 가져오기 마법사 + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + 이 마법사는 각종 형식의 성경을 가져오도록 안내해드립니다. 다음 버튼을 눌러서 가져올 성경의 형식을 선택해 주세요. + + + + Web Download + 웹 다운로드 + + + + Location: + 위치: + + + + Crosswalk + Crosswalk + + + + BibleGateway + BibleGateway + + + + Bible: + 성경: + + + + Download Options + 다운로드 옵션 + + + + Server: + 서버: + + + + Username: + 사용자 이름: + + + + Password: + 비밀번호: + + + + Proxy Server (Optional) + 프록시 서버 (선택 사항) + + + + License Details + 라이센스 정보 + + + + Set up the Bible's license details. + 성경의 라이센스 세부 사항을 설정합니다. + + + + Version name: + 버전 이름: + + + + Copyright: + 저작권: + + + + Please wait while your Bible is imported. + 성경 가져오기가 진행되는 동안 기다려주세요. + + + + You need to specify a file with books of the Bible to use in the import. + 불러오기에 사용하는 성경을 포함하고 있는 파일을 지정해야합니다. + + + + You need to specify a file of Bible verses to import. + 불러올 수있는 성경 구절의 파일을 지정해야합니다. + + + + You need to specify a version name for your Bible. + 성경의 버전 이름을 지정해야합니다. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + 성경에 대한 저작권을 설정해야합니다. 공개 도메인에있는 성경은 공개 도메인으로 표시해야합니다. + + + + Bible Exists + 이미있는 성경 입니다 + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + 이 성경은 이미 존재합니다. 다른 성경을 가져 오거나 먼저 기존의 성경을 삭제 해주세요. + + + + Your Bible import failed. + 성경 가져오기 실패. + + + + CSV File + CSV파일 + + + + Bibleserver + 성경서버 + + + + Permissions: + 권한: + + + + Bible file: + 성경파일: + + + + Books file: + 책 파일: + + + + Verses file: + 구절 파일: + + + + Registering Bible... + 성경 등록중... + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + 언어 선택하세요 + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + OpenLP는 성경의 번역 언어를 확인할 수 없습니다. 아래 목록에서 언어를 선택하십시오. + + + + Language: + 언어: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + 언어를 선택 하십시오. + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + 찾기: + + + + Book: + 성경: + + + + Chapter: + 장: + + + + Verse: +  절: + + + + From: + 부터: + + + + To: + 까지: + + + + Text Search + 텍스트 검색 + + + + Second: + 두번째 + + + + Scripture Reference + 성경 참조 + + + + Toggle to keep or clear the previous results. + 이전의 결과를 유지하거나 취소합니다. + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + 단일 및 이중 성경 구절 검색 결과를 결합 할 수 없습니다. 검색 결과를 삭제하고 새로 검색을 시작 하시겠습니까?에게 + + + + Bible not fully loaded. + 성경이 완전히 로딩되지 못하였습니다. + + + + Information + 정보 + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + 두 번째 성경은 메인 성경에있는 모든 말씀을 포함하지 않습니다. 두 성경에 모두에 있는 구절 만이 표시됩니다. %d 절은 결과에 포함되지 않았습니다. + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + 백업 디렉토리를 선택 + + + + Bible Upgrade Wizard + 성경 업그레이드 마법사 + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + 이 마법사를 사용하면 OpenLP 2의 이전 버전에서 기존의 성경을 업그레이드하는 데 도움이 될 것입니다. 업그레이드 프로세스를 시작하기 위해 아래의 다음 버튼을 클릭합니다. + + + + Select Backup Directory + 백업 디렉토리를 선택 + + + + Please select a backup directory for your Bibles + 성경을 백업할 디렉토리를 선택하세요 + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + OpenLP 2.0 이전 버전에서는 업그레이드된 성경을 사용할 수 없습니다. OpenLP의 이전 버전으로 되돌리기를 원하시는 경우를 위해서 간단히 다시 OpenLP 데이터 디렉토리에 파일을 복사 할 수 있도록이 현재 성경의 백업을 생성합니다. 파일을 복원하는 방법에 대한 지침은 <a href="http://wiki.openlp.org/faq"> 자주 묻는 질문 ​​(FAQ)</ a>에서 확인할 수 있습니다. + + + + Please select a backup location for your Bibles. + 성경을 백업할 위치를 선택하십시오. + + + + Backup Directory: + 백업 디렉토리: + + + + There is no need to backup my Bibles + 내 성경을 백업 할 필요가 없습니다 + + + + Select Bibles + 성경들 선택하세요 + + + + Please select the Bibles to upgrade + 업그레이드할 성경을 선택하세요 + + + + Upgrading + 업그레이드중 + + + + Please wait while your Bibles are upgraded. + 성경을 업그레이드하는 동안 기다려주십시오. + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + 백업이 성공적으로 수행되지 않았습니다. +성경을 백업하기 위해서는 지정된 디렉토리에 쓰기 권한이 필요합니다. + + + + Upgrading Bible %s of %s: "%s" +Failed + 성경 업그레이드 중 %s 중 %s: "%s" +실패 + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + 성경 업그레이드 중 %s of %s: "%s" +업그레이드 중 ... + + + + Download Error + 다운로드 오류 + + + + To upgrade your Web Bibles an Internet connection is required. + 웹 성경을 업그레이드하려면 인터넷 연결이 필요합니다. + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + 성경 업그레이드 중 %s of %s: "%s" +업그레이드 중 %s ... + + + + Upgrading Bible %s of %s: "%s" +Complete + 성경 업그레이드 중 %s of %s: "%s" +완료 + + + + , %s failed + , %s 실패 + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + 성경 업그레이드 중: %s 의 성공 %s +웹 성경 구절이 사용될 때마다 다운로드됩니다 그래서 인터넷 연결이 필요하다는 것을 유의하시기 바랍니다. + + + + Upgrading Bible(s): %s successful%s + 성경 업그레이드 중: %s 중 성공%s + + + + Upgrade failed. + 업그레이드 실패 + + + + You need to specify a backup directory for your Bibles. + 성경에 대한 백업 디렉토리를 지정해야합니다. + + + + Starting upgrade... + 업그레이드를 시작 ... + + + + There are no Bibles that need to be upgraded. + 업그레이드해야 할 성경이 없습니다. + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + 사용자 지정 슬라이드 + + + + Custom Slides + name plural + 사용자 지정 슬라이드 + + + + Custom Slides + container title + 사용자 지정 슬라이드 + + + + Load a new custom slide. + 새 사용자 지정 슬라이드를 로딩 + + + + Import a custom slide. + 새 사용자 지정 슬라이드 불러오기 + + + + Add a new custom slide. + 새 사용자 지정 슬라이드 추가 + + + + Edit the selected custom slide. + 선택한 사용자 지정 슬라이드를 수정 + + + + Delete the selected custom slide. + 사용자 지정 슬라이드 삭제 + + + + Preview the selected custom slide. + 선택한 사용자 지정 슬라이드 미리보기 + + + + Send the selected custom slide live. + 선택한 사용자 지정 슬라이드 라이브로 보내기 + + + + Add the selected custom slide to the service. + 서비스에 선택한 사용자 정의 슬라이드를 추가. + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + 사용자 지정 디스플레이 + + + + Display footer + 디스플레이 꼬리말 + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + 사용자 지정 슬라이드 수정 + + + + &Title: + 타이틀 + + + + Add a new slide at bottom. + 맨 아래에 새 슬라이드를 추가. + + + + Edit the selected slide. + 선택한 스라이드 수정. + + + + Edit all the slides at once. + 한 번에 모든 슬라이드를 편집 + + + + Split a slide into two by inserting a slide splitter. + 슬라이드 스플리터를 삽입하여 두 슬라이드로 분할합니다. + + + + The&me: + 테마(&m) + + + + &Credits: + &크레딧 + + + + You need to type in a title. + 제목을 입력해야합니다. + + + + Ed&it All + 모두 편&집 + + + + Insert Slide + 슬라이드 추가 + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + 스라이드 수정 + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + <strong>이미지 플러그인</ STRONG><br />이미지 플러그인은 이미지를 표시하는 기능을 제공합니다.br />이 플러그인의 구별되는 특징 중 하나는 서비스 관리자에서 여러개의 이미지들을 하나로 그룹화하여 여러 이미지를 쉽게 표시하는 기능입니다. 이 플러그인은 또한 자동으로 실행되는 슬라이드 쇼를 만들 수 있는 OpenLP의 "일정 시간 반복"기능을 사용 할 수 있습니다. 이 외에도, 플러그인의 이미지는 테마의 배경대신 따로 사용자가 선택한 이미지와 음악등과 같은 텍스트 기반의 항목들로 테마의 배경을 대체 할 수있습니다. + + + + Image + name singular + 이미지 + + + + Images + name plural + 이미지 + + + + Images + container title + 이미지 + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + 선택한 이미지 수정. + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + 이미지(여러개) 선택하세요 + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + 미디어 + + + + Media + name plural + 미디어 + + + + Media + container title + 미디어 + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + 선택한 미디어 수정. + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + 미디어 선택하세요 + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + 미디어 파일 사라짐 + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + 이미지 파일들 + + + + Information + 정보 + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + 기본 이미지 + + + + Background color: + 배경색: + + + + Image file: + 이미지 파일: + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + 취소 + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + 파일로 저장하기 + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + 파일 복사 + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + 성가곡 + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + 성경 + + + + Images + 이미지 + + + + Presentations + + + + + Media (Audio and Video) + 미디어 (오디오, 비디오) + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + 기본 설정 + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + 샘플 음악 + + + + Select and download public domain songs. + + + + + Sample Bibles + 샘플 성경 + + + + Select and download free Bibles. + 무료 성경을 다운받기 + + + + Sample Themes + 샘플 테마 + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + 사용자 지정 슬라이드 + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + 다운로드 오류 + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + 취소 + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + 설명 + + + + Tag + 태그 + + + + Start HTML + HTML 시작 + + + + End HTML + HTML 끝 + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + <HTML을 여기에> + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + 빨강 + + + + Black + 검정 + + + + Blue + 파랑 + + + + Yellow + 노랑 + + + + Green + 초록 + + + + Pink + 분홍 + + + + Orange + 주황 + + + + Purple + 보라 + + + + White + 화이트 + + + + Superscript + + + + + Subscript + + + + + Paragraph + 문단 + + + + Bold + 굵게 + + + + Italics + 기울임 꼴 + + + + Underline + 밑줄 + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + 프로그램 설정 + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + 가로 + + + + Y + 세로 + + + + Height + 높이 + + + + Width + 너비 + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + 언어 + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + 파일(&F) + + + + &Import + 가져오기(&I) + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + 설정(&S) + + + + &Language + 언어(&L) + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + 새로 만들기(&N) + + + + &Open + + + + + Open an existing service. + + + + + &Save + 저장(&S) + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + 테마(&T) + + + + &Configure OpenLP... + + + + + &Media Manager + &미디어 관리자 + + + + Toggle Media Manager + 미디어 관리자 토글 + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + 기본(&D) + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + 기본 테마: %s + + + + English + Please add the name of your language here + Korean + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + 설정 + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + 설정 가져오기? + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + 설정 가져오기 + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + 복사하기 + + + + Copy as HTML + + + + + Zoom In + 확대 + + + + Zoom Out + 축소 + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + 인쇄 + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + 노트 + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + 노트 + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + 노트: + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + 스라이드 테마 + + + + Notes + 노트 + + + + Edit + 수정 + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + 기본 + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + 미디어 재생 시작. + + + + Pause audio. + + + + + Pause playing media. + 미디어 재생 일시 중지. + + + + Stop playing media. + 미디어 재생 중단. + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + 다음 스라이드 + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + 언어: + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + 테마 수정 + + + + Edit a theme. + 테마 수정. + + + + Delete Theme + 테마 삭제 + + + + Delete a theme. + 테마 삭제. + + + + Import Theme + 테마 가저오기 + + + + Import a theme. + 테마 가저오기. + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + 테마 수정(&E) + + + + &Delete Theme + 테마 삭제(&D) + + + + Set As &Global Default + + + + + %s (default) + %s (기본) + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + 테마 복사(&C) + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + %s 테마 삭제? + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + 굵게 + + + + Italic + 기울임 꼴 + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + 테마 이름: + + + + Edit Theme - %s + 테마 수정 - %s + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + 배경색: + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + 이미지 선택하세요 + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + 테마 + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + 가져오기를 마침. + + + + Format: + + + + + Importing + 가져오는 중 + + + + Importing "%s"... + "%s" 가져오기... + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + 가져오기 시작함... + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + 취소 + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + 기본 + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + 수정(&E) + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + 이미지 + + + + Import + 가져오기 + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + 검색 + + + + Search Themes... + Search bar place holder text + 테마 검색... + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + 설정 + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + 테마 + + + + Themes + Plural + 테마 + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + 알림 + + + + Search + 검색 + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + 테마 + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + 다음 + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + 설정 + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + 비밀번호: + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + 성가곡 + + + + Songs + container title + 성가곡 + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + 타이틀 + + + + Alt&ernate title: + + + + + &Lyrics: + 가사:(&L) + + + + &Verse order: + + + + + Ed&it All + 모두 편&집 + + + + Title && Lyrics + 이름 && 가사 + + + + &Add to Song + &음악 추가 + + + + &Remove + &삭제 + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + 성경: + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + 미디어 추가(&M) + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + 파일추가... + + + + Remove File(s) + 파일삭제 + + + + Please wait while your songs are imported. + 음악을 가져오는 중입니다. + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + 복사하기 + + + + Save to File + 파일로 저장하기 + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + 미디어 파일(여러개) 선택하세요 + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + 가사 + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + 복사하기 + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + 가사 검색... + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + 음악불러오기 실패. + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + 사용자 이름: + + + + Password: + 비밀번호: + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + 검색 + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + 저작권: + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + 가져오기 + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + 정보 + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/ko_KR.ts b/resources/i18n/ko_KR.ts new file mode 100644 index 000000000..51a5c30a5 --- /dev/null +++ b/resources/i18n/ko_KR.ts @@ -0,0 +1,9570 @@ + + + + AlertsPlugin + + + &Alert + + + + + Show an alert message. + + + + + Alert + name singular + + + + + Alerts + name plural + + + + + Alerts + container title + + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + + + + + Alert &text: + + + + + &New + + + + + &Save + + + + + Displ&ay + + + + + Display && Cl&ose + + + + + New Alert + + + + + &Parameter: + + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + + + + + AlertsPlugin.AlertsTab + + + Font + + + + + Font name: + + + + + Font color: + + + + + Background color: + + + + + Font size: + + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + + + + + Bible + name singular + + + + + Bibles + name plural + + + + + Bibles + container title + + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + + + + + Add a new Bible. + + + + + Edit the selected Bible. + + + + + Delete the selected Bible. + + + + + Preview the selected Bible. + + + + + Send the selected Bible live. + + + + + Add the selected Bible to the service. + + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + No Bibles Available + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Korean + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Korean + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Text Search + + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + + + + + &Open + + + + + Open an existing service. + + + + + &Save + + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Korean + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + 설정 + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + 포트 + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + 설정 + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + 공백 + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + 다음 + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + 설정 + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/lt.ts b/resources/i18n/lt.ts new file mode 100644 index 000000000..52de3706a --- /dev/null +++ b/resources/i18n/lt.ts @@ -0,0 +1,9767 @@ + + + + AlertsPlugin + + + &Alert + Į&spėjimas + + + + Show an alert message. + Rodyti įspėjamąjį pranešimą. + + + + Alert + name singular + Įspėjimas + + + + Alerts + name plural + Įspėjimai + + + + Alerts + container title + Įspėjimai + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + <strong>Įspėjimo papildinys</strong><br />Įspėjimo papildinys valdo įspėjimų rodymą ekrane. + + + + AlertsPlugin.AlertForm + + + Alert Message + Įspėjamasis Pranešimas + + + + Alert &text: + Įspėjimo &tekstas: + + + + &New + &Naujas + + + + &Save + Iš&saugoti + + + + Displ&ay + &Rodyti + + + + Display && Cl&ose + Rodyti ir &Uždaryti + + + + New Alert + Naujas Įspėjimas + + + + &Parameter: + &Parametras: + + + + No Parameter Found + Parametras Nerastas + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Neįvedėte pakeičiamo parametro. +Ar vistiek norite tęsti? + + + + No Placeholder Found + Vietaženklis Nerastas + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Įspėjimo tekste nėra '<>'. +Ar vistiek norite tęsti? + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + Savo įspėjamajam pranešimui nenurodėte jokio teksto. +Prašome prieš spustelėjant Naujas, įrašyti tekstą. + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + Įspėjimo pranešimas sukurtas ir yra rodomas. + + + + AlertsPlugin.AlertsTab + + + Font + Šriftas + + + + Font name: + Šrifto pavadinimas: + + + + Font color: + Šrifto spalva: + + + + Background color: + Fono spalva: + + + + Font size: + Fono šriftas: + + + + Alert timeout: + Įspėjimui skirtas laikas: + + + + BiblesPlugin + + + &Bible + &Bibliją + + + + Bible + name singular + Biblija + + + + Bibles + name plural + Biblijos + + + + Bibles + container title + Biblijos + + + + No Book Found + Knyga Nerasta + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + Šioje Biblijoje nepavyko rasti atitinkančios knygos. Patikrinkite ar teisingai parašėte knygos pavadinimą. + + + + Import a Bible. + Importuoti Bibliją. + + + + Add a new Bible. + Pridėti naują Bibliją. + + + + Edit the selected Bible. + Redaguoti pasirinktą Bibliją. + + + + Delete the selected Bible. + Ištrinti pasirinktą Bibliją. + + + + Preview the selected Bible. + Peržiūrėti pasirinktą Bibliją. + + + + Send the selected Bible live. + Rodyti pasirinktą Bibliją Gyvai. + + + + Add the selected Bible to the service. + Pridėti pasirinktą Bibliją prie pamaldų programos. + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + <strong>Biblijos Papildinys</strong><br />Biblijos papildinys suteikia galimybę pamaldų metu rodyti Biblijos eilutes iš įvairių šaltinių. + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + Atnaujinti Biblijos duomenų bazes iki paskiausio formato. + + + + Genesis + Pradžios + + + + Exodus + Išėjimo + + + + Leviticus + Kunigų + + + + Numbers + Skaičių + + + + Deuteronomy + Pakartoto Įstatymo + + + + Joshua + Jozuės + + + + Judges + Teisėjų + + + + Ruth + Rutos + + + + 1 Samuel + 1 Samuelio + + + + 2 Samuel + 2 Samuelio + + + + 1 Kings + 1 Karalių + + + + 2 Kings + 2 Karalių + + + + 1 Chronicles + 1 Kronikų + + + + 2 Chronicles + 2 Kronikų + + + + Ezra + Ezdro + + + + Nehemiah + Nehemijo + + + + Esther + Esteros + + + + Job + Jobo + + + + Psalms + Psalmės + + + + Proverbs + Patarlių + + + + Ecclesiastes + Ekleziasto + + + + Song of Solomon + Giesmių giesmės + + + + Isaiah + Izaijo + + + + Jeremiah + Jeremijo + + + + Lamentations + Raudų + + + + Ezekiel + Ezekielio + + + + Daniel + Danielio + + + + Hosea + Ozėjo + + + + Joel + Joelio + + + + Amos + Amoso + + + + Obadiah + Abdijo + + + + Jonah + Jonos + + + + Micah + Michėjo + + + + Nahum + Nahumo + + + + Habakkuk + Habakuko + + + + Zephaniah + Sofonijo + + + + Haggai + Agėjo + + + + Zechariah + Zacharijo + + + + Malachi + Malachijo + + + + Matthew + Mato + + + + Mark + Morkaus + + + + Luke + Luko + + + + John + Jono + + + + Acts + Apaštalų darbai + + + + Romans + Romiečiams + + + + 1 Corinthians + 1 Korintiečiams + + + + 2 Corinthians + 2 Korintiečiams + + + + Galatians + Galatams + + + + Ephesians + Efeziečiams + + + + Philippians + Filipiečiams + + + + Colossians + Kolosiečiams + + + + 1 Thessalonians + 1 Tesalonikiečiams + + + + 2 Thessalonians + 2 Tesalonikiečiams + + + + 1 Timothy + 1 Timotiejui + + + + 2 Timothy + 2 Timotiejui + + + + Titus + Titui + + + + Philemon + Filemonui + + + + Hebrews + Hebrajams + + + + James + Jokūbui + + + + 1 Peter + 1 Petro + + + + 2 Peter + 2 Petro + + + + 1 John + 1 Jono + + + + 2 John + 2 Jono + + + + 3 John + 3 Jono + + + + Jude + Judo + + + + Revelation + Apreiškimo Jonui + + + + Judith + Juditos + + + + Wisdom + Išminties + + + + Tobit + Tobito + + + + Sirach + Siracido + + + + Baruch + Barucho + + + + 1 Maccabees + 1 Makabėjų + + + + 2 Maccabees + 2 Makabėjų + + + + 3 Maccabees + 3 Makabėjų + + + + 4 Maccabees + 4 Makabėjų + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + Azarijo Malda + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + : + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + eil + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + E + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + eilute + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + eilutes + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + - + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + iki + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + , + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + ir + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + galas + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + Turite nurodyti savo Biblijos versijos pavadinimą. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Privalote Biblijai nustatyti autorines teises. Biblijos Viešojoje Srityje turi būti pažymėtos kaip tokios. + + + + Bible Exists + Biblija Jau Yra + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + Tokia Biblija jau yra. Prašome importuoti kitą Bibliją arba iš pradžių ištrinti, esančią Bibliją. + + + + You need to specify a book name for "%s". + Turite nurodyti knygos pavadinimą knygai "%s". + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Knygos pavadinimas "%s" nėra teisingas. +Skaičiai gali būti naudojami tik pradžioje, o po jų privalo + sekti vienas ar daugiau neskaitinių simbolių. + + + + Duplicate Book Name + Dublikuoti Knygos Pavadinimą + + + + The Book Name "%s" has been entered more than once. + Knygos Pavadinimas "%s" įvestas daugiau kaip vieną kartą. + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + Šventojo Rašto Nuorodos Klaida + + + + Web Bible cannot be used + Žiniatinklio Biblija negali būti naudojama + + + + Text Search is not available with Web Bibles. + Tekstinė Paieška yra neprieinama Žiniatinklio Biblijose. + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + Jūs neįvedėte paieškos raktažodžio. +Galite atskirti skirtingus raktažodžius tarpais, kad atlikti visų raktažodžių paiešką ir galite atskirti juos kableliais, kad ieškoti kurio nors vieno iš jų. + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + Šiuo metu nėra įdiegtų Biblijų. Prašome naudoti Importavimo Vedlį, norint įdiegti vieną ar daugiau Biblijų. + + + + No Bibles Available + Nėra Prieinamų Biblijų + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + Jūsų Šventojo Rašto nuoroda yra nepalaikoma OpenLP arba yra neteisinga. Prašome įsitikinti, kad jūsų nuoroda atitinka vienam iš sekančių šablonų arba ieškokite infomacijos vartotojo vadove: + +Knygos Skyrius +Knygos Skyrius%(range)sSkyrius +Knygos Skyrius%(verse)sEilutė%(range)sEilutė +Knygos Skyrius%(verse)sEilutė%(range)sEilutė%(list)sEilutė%(range)sEilutė +Knygos Skyrius%(verse)sEilutė%(range)sEilutė%(list)sSkyrius%(verse)sEilutė%(range)sEilutė +Knygos Skyrius%(verse)sEilutė%(range)sSkyrius%(verse)sEilutė + + + + BiblesPlugin.BiblesTab + + + Verse Display + Eilučių Rodymas + + + + Only show new chapter numbers + Rodyti tik naujo skyriaus numerius + + + + Bible theme: + Biblijos tema: + + + + No Brackets + Be Skliaustelių + + + + ( And ) + ( Ir ) + + + + { And } + { Ir } + + + + [ And ] + [ Ir ] + + + + Note: +Changes do not affect verses already in the service. + Pastaba: +Pokyčiai neįtakos, jau pamaldų programoje esančių, eilučių. + + + + Display second Bible verses + Rodyti antros Biblijos eilutes + + + + Custom Scripture References + Tinkintos Šventojo Rašto Nuorodos + + + + Verse Separator: + Eilutės Skirtukas: + + + + Range Separator: + Atkarpos Skirtukas: + + + + List Separator: + Sąrašo Skirtukas: + + + + End Mark: + Pabaigos Skirtukas: + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + Gali būti nurodyti keli alternatyvūs eilučių skirtukai. +Jie turi būti atskirti vertikalia juosta "|". +Norėdami naudoti numatytąją reikšmę, išvalykite šią eilutę. + + + + English + Anglų + + + + Default Bible Language + Numatytoji Biblijos Kalba + + + + Book name language in search field, +search results and on display: + Knygų pavadinimo kalba paieškos laukelyje, +paieškos rezultatuose ir ekrane: + + + + Bible Language + Biblijos Kalba + + + + Application Language + Progamos Kalba + + + + Show verse numbers + Rodyti eilučių numerius + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + Pasirinkite Knygos Pavadinimą + + + + Current name: + Dabartinis pavadinimas: + + + + Corresponding name: + Atitinkamas pavadinimas: + + + + Show Books From + Rodyti Knygas Iš + + + + Old Testament + Senasis Testamentas + + + + New Testament + Naujasis Testamentas + + + + Apocrypha + Apokrifas + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + Turite pasirinkti knygą. + + + + BiblesPlugin.CSVBible + + + Importing books... %s + Importuojamos knygos... %s + + + + Importing verses... done. + Importuojamos eilutės... atlikta. + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + Biblijos Redaktorius + + + + License Details + Išsamiau apie Licenciją + + + + Version name: + Versijos pavadinimas: + + + + Copyright: + Autorinės Teisės: + + + + Permissions: + Leidimai: + + + + Default Bible Language + Numatytoji Biblijos Kalba + + + + Book name language in search field, search results and on display: + Knygų pavadinimo kalba paieškos laukelyje, paieškos rezultatuose ir ekrane: + + + + Global Settings + Globalūs Nustatymai + + + + Bible Language + Biblijos Kalba + + + + Application Language + Programos Kalba + + + + English + Anglų + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + Tai yra per Žiniatinklį Atsiusta Biblija. +Neįmanoma nustatyti pasirinktinus Knygų Pavadinimų. + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + Norint naudoti pasirinktinus knygų pavadinimus, Meta Duomenų kortelėje arba, jeigu pasirinkti "Globalūs nustatymai", OpenLP Konfigūracijoje, Biblijos skiltyje, privalo būti pasirinkta "Biblijos kalba". + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + Registruojama Biblija ir įkeliamos knygos... + + + + Registering Language... + Registruojama Kalba... + + + + Importing %s... + Importing <book name>... + Importuojama %s... + + + + Download Error + Atsisiuntimo Klaida + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + Atsirado problemų, atsiunčiant jūsų eilučių pasirinkimą. Prašome patikrinti savo interneto ryšį, ir jei ši klaida išlieka, prašome pranešti apie klaidą. + + + + Parse Error + Analizavimo Klaida + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + Atsirado problemų, išskleidžiant jūsų eilučių pasirinkimą. Jei ši klaida kartosis, prašome pasvarstyti pranešti apie klaidą. + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + Biblijos Importavimo Vedlys + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + Šis vedlys padės jums importuoti Biblijas iš įvairių formatų. Žemiau, spustelėkite mygtuką Kitas, kad pradėtumėte procesą, pasirinkdami formatą, iš kurio importuoti. + + + + Web Download + Atsiuntimas per Žiniatinklį + + + + Location: + Vieta: + + + + Crosswalk + Crosswalk + + + + BibleGateway + BibleGateway + + + + Bible: + Biblija: + + + + Download Options + Atsisiuntimo Parinktys + + + + Server: + Serveris: + + + + Username: + Vartotojo vardas: + + + + Password: + Slaptažodis: + + + + Proxy Server (Optional) + Tarpinis Serveris (Nebūtina) + + + + License Details + Išsamiau apie Licenciją + + + + Set up the Bible's license details. + Nustatykite Biblijos licencijos detales. + + + + Version name: + Versijos pavadinimas: + + + + Copyright: + Autorinės Teisės: + + + + Please wait while your Bible is imported. + Prašome palaukti, kol bus importuota jūsų Biblija. + + + + You need to specify a file with books of the Bible to use in the import. + Turite nurodyti failą su Biblijos knygomis, iš kurio importuosite. + + + + You need to specify a file of Bible verses to import. + Turite nurodyti Biblijos eilučių failą iš kurio importuosite. + + + + You need to specify a version name for your Bible. + Turite nurodyti savo Biblijos versijos pavadinimą. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Privalote Biblijai nustatyti autorines teises. Biblijos Viešojoje Srityje turi būti pažymėtos kaip tokios. + + + + Bible Exists + Biblija Jau Yra + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + Tokia Biblija jau yra. Prašome importuoti kitą Bibliją arba iš pradžių ištrinti, esančią Bibliją. + + + + Your Bible import failed. + Biblijos importavimas nepavyko. + + + + CSV File + CSV Failas + + + + Bibleserver + Bibleserver + + + + Permissions: + Leidimai: + + + + Bible file: + Biblijos failas: + + + + Books file: + Knygų failas: + + + + Verses file: + Eilučių failas: + + + + Registering Bible... + Registruojama Biblija... + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + Registruota Biblija. Prašome atkreipti dėmesį, kad eilutės bus atsiunčiamos tik jų užklausus, todėl interneto ryšys yra būtinas. + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + Klaida atsiuntimo metu + + + + An error occurred while downloading the list of bibles from %s. + Įvyko klaida, atsiunčiant Biblijų sąrašą iš %s. + + + + BiblesPlugin.LanguageDialog + + + Select Language + Pasirinkite Kalbą + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + OpenLP nepavyko nustatyti šio Biblijos vertimo kalbos. Prašome pasirinkti kalbą iš apačioje esančio sąrašo. + + + + Language: + Kalba: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + Turite pasirinkti kalbą. + + + + BiblesPlugin.MediaItem + + + Quick + Greita + + + + Find: + Rasti: + + + + Book: + Knyga: + + + + Chapter: + Skyrius: + + + + Verse: + Eilutė: + + + + From: + Nuo: + + + + To: + Iki: + + + + Text Search + Ieškoti Teksto + + + + Second: + Antra: + + + + Scripture Reference + Šventojo Rašto Nuoroda + + + + Toggle to keep or clear the previous results. + Perjunkite, kad išlaikyti ar išvalyti ankstesnius rezultatus. + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + Jūs negalite derinti vienos ir dviejų dalių Biblijos eilučių paieškos rezultatų. Ar norite ištrinti savo paieškos rezultatus ir pradėti naują paiešką? + + + + Bible not fully loaded. + Biblija ne pilnai įkelta. + + + + Information + Informacija + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + Antroje Biblijoje nėra visų eilučių, kurios yra pagrindinėje Biblijoje. Bus rodomos tik eilutės rastos abiejose Biblijose. %d eilučių nebuvo įtraukta į rezultatus. + + + + Search Scripture Reference... + Šventojo Rašto Nuorodos Paieška... + + + + Search Text... + Ieškoti Tekste... + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + Ar tikrai norite pilnai ištrinti "%s" Bibliją iš OpenLP? + +Norint vėl ja naudotis, jums reikės iš naujo ją importuoti. + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + Pateiktas neteisingas Biblijos failo tipas. OpenSong Biblijos gali būti suglaudintos. Prieš importuodami, iš pradžių, privalote jas išskleisti. + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + Pateiktas neteisingas Biblijos failo tipas. Jis atrodo kaip Zefania XML biblija, prašome naudoti Zefania importavimo parinktį. + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + Importuojama %(bookname)s %(chapter)s... + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + Šalinamos nenaudojamos žymės (tai gali užtrukti kelias minutes)... + + + + Importing %(bookname)s %(chapter)s... + Importuojama %(bookname)s %(chapter)s... + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + Pasirinkite Atsarginės Kopijos Katalogą + + + + Bible Upgrade Wizard + Biblijos Naujinimo Vedlys + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + Šis vedlys padės jums atnaujinti savo dabartines Biblijas nuo ankstesnės, nei OpenLP 2, versijos. Žemiau, spustelėkite mygtuką Kitas, kad pradėtumėte naujinimo procesą. + + + + Select Backup Directory + Pasirinkite Atsarginės Kopijos Katalogą + + + + Please select a backup directory for your Bibles + Prašome pasirinkti jūsų Biblijų atsarginių kopijų katalogą + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + Ankstesni OpenLP 2.0 leidimai negali naudoti atnaujintas Biblijas. Čia bus sukurta jūsų dabartinių Biblijų atsarginė kopija, tam atvejui, jeigu reikės grįžti į ankstesnę OpenLP versiją, taip galėsite lengvai nukopijuoti failus į ankstesnį OpenLP duomenų katalogą. Instrukciją, kaip atkurti failus, galite rasti mūsų <a href="http://wiki.openlp.org/faq">Dažniausiai Užduodamuose Klausimuose</a>. + + + + Please select a backup location for your Bibles. + Prašome pasirinkti jūsų Biblijų atsarginių kopijų vietą. + + + + Backup Directory: + Atsarginės Kopijos Katalogas: + + + + There is no need to backup my Bibles + + + + + Select Bibles + Pasirinkite Biblijas + + + + Please select the Bibles to upgrade + Prašome pasirinkti norimas naujinti Biblijas + + + + Upgrading + Naujinama + + + + Please wait while your Bibles are upgraded. + Prašome palaukti, kol yra naujinamos jūsų Biblijos. + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + Atsarginės kopijos kūrimas nesėkmingas. +Norėdami sukurti atsarginę, savo Biblijų, kopiją, privalote turėti įrašymo prieigos teisę duotam katalogui. + + + + Upgrading Bible %s of %s: "%s" +Failed + Naujinama Biblija %s iš %s: "%s" +Nepavyko + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + Naujinama Biblija %s iš %s: "%s" +Naujinama ... + + + + Download Error + Atsisiuntimo Klaida + + + + To upgrade your Web Bibles an Internet connection is required. + Norint naujinti jūsų Žiniatinklio Biblijas, reikalingas interneto ryšys. + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + Naujinama Biblija %s iš %s: "%s" +Naujinama %s ... + + + + Upgrading Bible %s of %s: "%s" +Complete + Naujinama Biblija %s iš %s: "%s" +Atlikta + + + + , %s failed + , %s nepavyko + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + Biblijos(-ų) Naujinimas: %s sėkmingas%s +Prašome atkreipti dėmesį, kad eilutės iš Žiniatinklio Biblijų bus atsiųstos tik to pareikalavus, todėl reikalingas interneto ryšys. + + + + Upgrading Bible(s): %s successful%s + Biblijos(-ų) Naujinimas: %s sėkmingas%s + + + + Upgrade failed. + Naujinimas nepavyko. + + + + You need to specify a backup directory for your Bibles. + Turite nurodyti atsarginės kopijos katalogą savo Biblijoms. + + + + Starting upgrade... + Pradedamas naujinimas... + + + + There are no Bibles that need to be upgraded. + Nėra Biblijų, kurias reikėtų naujinti. + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + Pateiktas neteisingas Biblijos failo tipas. Zefania Biblijos gali būti suglaudintos. Prieš importuodami, iš pradžių, privalote jas išskleisti. + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + Importuojama %(bookname)s %(chapter)s... + + + + CustomPlugin + + + Custom Slide + name singular + Tinkinta Skaidrė + + + + Custom Slides + name plural + Tinkintos Skaidrės + + + + Custom Slides + container title + Tinkintos Skaidrės + + + + Load a new custom slide. + Įkelti naują tinkintą skaidrę. + + + + Import a custom slide. + Importuoti tinkintą skaidrę. + + + + Add a new custom slide. + Pridėti naują tinkintą skaidrę. + + + + Edit the selected custom slide. + Redaguoti pasirinktą tinkintą skaidrę. + + + + Delete the selected custom slide. + Ištrinti pasirinktą tinkintą skaidrę. + + + + Preview the selected custom slide. + Peržiūrėti pasirinktą tinkintą skaidrę. + + + + Send the selected custom slide live. + Rodyti pasirinktą tinkintą skaidrę Gyvai. + + + + Add the selected custom slide to the service. + Pridėti pasirinktą tinkintą skaidrę prie pamaldų programos. + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + <strong>Tinkintos Skaidrės Papildinys </strong><br />Tinkintos skaidrės papildinys suteikia galimybę nustatinėti tinkinto teksto skaidres, kurios gali būti rodomos ekrane taip pat, kaip ir giesmės. Šis papildinys, palyginus su giesmių papildiniu, suteikia daugiau laisvės. + + + + CustomPlugin.CustomTab + + + Custom Display + Tinkintas Rodinys + + + + Display footer + Rodyti poraštę + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + Redaguoti Tinkintas Skaidres + + + + &Title: + &Pavadinimas: + + + + Add a new slide at bottom. + Pridėti naują skaidrę apačioje. + + + + Edit the selected slide. + Redaguoti pasirinktą skaidrę. + + + + Edit all the slides at once. + Redaguoti visas skaidres iš karto. + + + + Split a slide into two by inserting a slide splitter. + Padalinti skaidrę į dvi, įterpiant skaidrės skirtuką. + + + + The&me: + Te&ma: + + + + &Credits: + &Padėkos: + + + + You need to type in a title. + Turite įrašyti pavadinimą. + + + + Ed&it All + Re&daguoti Visą + + + + Insert Slide + Įterpti Skaidrę + + + + You need to add at least one slide. + Jūs turite pridėti bent vieną skaidrę. + + + + CustomPlugin.EditVerseForm + + + Edit Slide + Redaguoti Skaidrę + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + Ar tikrai norite ištrinti %n pasirinktą tinkintą skaidrę? + Ar tikrai norite ištrinti %n pasirinktas tinkintas skaidres? + Ar tikrai norite ištrinti %n pasirinktų tinkintų skaidrių? + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + <strong>Paveikslo Papildinys</strong><br />Paveikslo papildinys suteikia paveikslų rodymo galimybę.<br />Vienas iš šio papildinio išskirtinių bruožų yra galimybė Pamaldų Programos Tvarkytuvėje kartu grupuoti tam tikrą paveikslų skaičių, taip padarant kelių paveikslų rodymą dar lengvesnį. Šis papildinys taip pat naudojasi OpenLP "laiko ciklo" funkcija, kad sukurtų prezentaciją, kuri yra automatiškai paleidžiama. Be to, paveikslai iš papildinio gali būti naudojami esamos temos fono nustelbimui, kas savo ruožtu sukuria tekstu pagrįstus elementus, tokius kaip giesmė su pasirinktu paveikslu, naudojamu kaip fonas, vietoj fono pateikiamo kartu su tema. + + + + Image + name singular + Paveikslas + + + + Images + name plural + Paveikslai + + + + Images + container title + Paveikslai + + + + Load a new image. + Įkelti naują paveikslą. + + + + Add a new image. + Pridėti naują paveikslą. + + + + Edit the selected image. + Redaguoti pasirinktą paveikslą. + + + + Delete the selected image. + Ištrinti pasirinktą paveikslą. + + + + Preview the selected image. + Peržiūrėti pasirinktą paveikslą. + + + + Send the selected image live. + Rodyti pasirinktą paveikslą Gyvai. + + + + Add the selected image to the service. + Pridėti pasirinktą paveikslą prie pamaldų programos. + + + + ImagePlugin.AddGroupForm + + + Add group + Pridėti grupę + + + + Parent group: + Pirminė grupė: + + + + Group name: + Grupės pavadinimas: + + + + You need to type in a group name. + Turite įrašyti grupės pavadinimą. + + + + Could not add the new group. + Nepavyko pridėti naujos grupės. + + + + This group already exists. + Tokia grupė jau yra. + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + Pasirinkite Paveikslų Grupę + + + + Add images to group: + Pridėti paveikslus į grupę: + + + + No group + Be grupės + + + + Existing group + Jau esančią grupę + + + + New group + Naują grupę + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + Pasirinkite Paveikslą(-us) + + + + You must select an image to replace the background with. + Privalote pasirinkti paveikslą, kuriuo pakeisite foną. + + + + Missing Image(s) + Trūksta Paveikslo(-ų) + + + + The following image(s) no longer exist: %s + Sekančio paveikslo(-ų) daugiau nėra: %s + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + Sekančio paveikslo(-ų) daugiau nėra: %s +Ar vistiek norite pridėti kitus paveikslus? + + + + There was a problem replacing your background, the image file "%s" no longer exists. + Atsirado problemų, keičiant jūsų foną, paveikslų failo "%s" daugiau nebėra. + + + + There was no display item to amend. + + + + + -- Top-level group -- + -- Aukščiausio lygio grupė -- + + + + You must select an image or group to delete. + Privalote pasirinkti paveikslą ar grupę, kurią šalinsite. + + + + Remove group + Šalinti grupę + + + + Are you sure you want to remove "%s" and everything in it? + Ar tikrai norite šalinti "%s" ir viską kas joje yra? + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + Matomas, paveikslų su kitokia nei ekrano proporcija, fonas. + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + Phonon yra medija grotuvas, kuris sąveikauja su operacine sistema, kad suteiktų medija galimybes. + + + + Audio + Garso Įrašai + + + + Video + Vaizdo Įrašai + + + + VLC is an external player which supports a number of different formats. + VLC yra išorinis grotuvas, kuris palaiko didelį įvairių formatų skaičių. + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + Webkit yra medija grotuvas, kuris vykdomas naršyklės viduje. Šis grotuvas leidžia atvaizduoti tekstą virš vaizdo. + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + <strong>Medija Papildinys</strong><br />Medija papildinys atsako už garso ir vaizdo įrašų grojimą. + + + + Media + name singular + Medija + + + + Media + name plural + Medija + + + + Media + container title + Medija + + + + Load new media. + Įkelti naują mediją. + + + + Add new media. + Pridėti naują mediją. + + + + Edit the selected media. + Redaguoti pasirinktą mediją. + + + + Delete the selected media. + Ištrinti pasirinktą mediją. + + + + Preview the selected media. + Peržiūrėti pasirinktą mediją. + + + + Send the selected media live. + Rodyti pasirinktą mediją Gyvai. + + + + Add the selected media to the service. + Pridėti pasirinktą mediją prie pamaldų programos. + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + Šaltinis + + + + Media path: + + + + + Select drive from list + + + + + Load disc + Įkelti diską + + + + Track Details + Išsamiau apie Takelį + + + + Title: + Pavadinimas: + + + + Audio track: + Garso takelis: + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + Pradžios taškas: + + + + Set start point + Nustatyti pradžios tašką + + + + Jump to start point + Peršokti į pradžios tašką + + + + End point: + Pabaigos taškas: + + + + Set end point + Nustatyti pabaigos tašką + + + + Jump to end point + Peršokti į pabaigos tašką + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + Nurodyto kelio nėra + + + + An error happened during initialization of VLC player + Įvyko klaida VLC grotuvo inicijavimo metu + + + + VLC player failed playing the media + VLC grotuvui nepavyko groti medijos + + + + CD not loaded correctly + CD neįsikėlė teisingai + + + + The CD was not loaded correctly, please re-load and try again. + CD nebuvo įkeltas teisingai, prašome įkelti iš naujo ir bandyti dar kartą. + + + + DVD not loaded correctly + DVD įkeltas neteisingai + + + + The DVD was not loaded correctly, please re-load and try again. + DVD buvo įkeltas neteisingai, prašome įkelti iš naujo ir bandyti dar kartą. + + + + Set name of mediaclip + + + + + Name of mediaclip: + Medija iškarpos pavadinimas: + + + + Enter a valid name or cancel + + + + + Invalid character + Netesingas simbolis + + + + The name of the mediaclip must not contain the character ":" + Medija iškarpos pavadinime negali būti simbolio ":" + + + + MediaPlugin.MediaItem + + + Select Media + Pasirinkite Mediją + + + + You must select a media file to delete. + Privalote pasirinkti norimą ištrinti medija failą. + + + + You must select a media file to replace the background with. + Privalote pasirinkti medija failą, kuriuo pakeisite foną. + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + Trūksta Medija Failo + + + + The file %s no longer exists. + Failo %s jau nebėra. + + + + Videos (%s);;Audio (%s);;%s (*) + Vaizdo įrašai (%s);;Garso įrašai (%s);;%s (*) + + + + There was no display item to amend. + + + + + Unsupported File + Nepalaikomas Failas + + + + Use Player: + Naudoti Grotuvą: + + + + VLC player required + Reikalingas VLC grotuvas + + + + VLC player required for playback of optical devices + Optinių įrenginių grojimui reikalingas VLC grotuvas + + + + Load CD/DVD + Įkelti CD/DVD + + + + Load CD/DVD - only supported when VLC is installed and enabled + Įkelti CD/DVD - palaikoma tik tuomet, kai yra įdiegta ir įjungta VLC + + + + The optical disc %s is no longer available. + Optinis diskas %s daugiau neprieinamas. + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + Leisti medija grotuvui būti nustelbtam + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + &Projektorių Tvarkytuvė + + + + OpenLP + + + Image Files + Paveikslų Failai + + + + Information + Informacija + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + Biblijos formatas pasikeitė. +Turite atnaujinti dabartines Biblijas. +Ar OpenLP turėtų naujinti dabar? + + + + Backup + Atsarginė Kopija + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + OpenLP buvo atnaujinta, ar norite sukurti atsarginę OpenLP duomenų aplanko kopiją? + + + + Backup of the data folder failed! + Nepavyko sukurti duomenų aplanko atsarginę kopiją! + + + + A backup of the data folder has been created at %s + Duomenų aplanko atsarginė kopija buvo sukurta %s + + + + Open + Atidaryti + + + + OpenLP.AboutForm + + + Credits + Padėkos + + + + License + Licencija + + + + build %s + + + + + 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; version 2 of the License. + Ši programa yra nemokama programinė įranga; jūs galite ją platinti ir/arba modifikuoti remdamiesi Free Software Foundation paskelbtomis GNU Bendrosios Viešosios Licencijos sąlygomis; licencijos 2 versija. + + + + 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 below for more details. + Ši programa platinama, tikintis, kad ji bus naudinga, tačiau BE JOKIŲ GARANTIJŲ; netgi be numanomos PARDAVIMO ar TINKAMUMO TAM TIKRAM TIKSLUI garantijos. Išsamiau apie tai žiūrėkite žemiau. + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + OpenLP <version><revision> - Atvirojo Kodo Giesmių Žodžių Projekcija + +OpenLP yra bažnyčioms skirta, laisva pateikčių programinė įranga, arba giesmių žodžių projekcijos programinė įranga, naudojama giesmių skaidrių, Biblijos eilučių, vaizdo, paveikslų, ir netgi pateikčių (jei Impress, PowerPoint ar PowerPoint Viewer yra įdiegti) rodymui bažnyčioje, šlovinimo metu, naudojant kompiuterį ir projektorių. + +Sužinokite daugiau apie OpenLP: http://openlp.org/ + +OpenLP yra savanorių sukurta ir palaikoma programa. Jeigu jūs norėtumėte matyti daugiau Krikščioniškos programinės įrangos, prašome prisidėti ir savanoriauti, pasinaudojant žemiau esančiu mygtuku. + + + + Volunteer + Savanoriauti + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + Projekto Vadovas + %s + +Kūrėjai + %s + +Talkininkai + %s + +Testuotojai + %s + +Pakuotojai + %s + +Vertėjai + Afrikanų (af) + %s + Čekų (cs) + %s + Danų (da) + %s + Vokiečių (de) + %s + Graikų (el) + %s + Anglų, Jungtinė Karalystė (en_GB) + %s + Anglų, Pietų Afrika (en_ZA) + %s + Ispanų (es) + %s + Estų (et) + %s + Suomių (fi) + %s + Prancūzų (fr) + %s + Vengrų (hu) + %s + Indoneziečių (id) + %s + Japonų (ja) + %s + Norvegų Bokmål (nb) + %s + Olandų (nl) + %s + Lenkų (pl) + %s + Portugalų, Brazilija (pt_BR) + %s + Rusų (ru) + %s + Švedų (sv) + %s + Tamilų(Šri Lanka) (ta_LK) + %s + Kinų(Kinija) (zh_CN) + %s + +Dokumentacija + %s + +Sukurta su + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Piktogramos: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Galutinė Padėka + "Dievas taip pamilo pasaulį, + jog atidavė savo viengimį Sūnų, + kad kiekvienas, kuris jį tiki, nepražūtų, + bet turėtų amžinąjį gyvenimą." -- Jono 3:16 + + Ir paskiausia, bet ne ką mažesnė padėka skiriama + Dievui mūsų Tėvui, už tai, kad atsiuntė Savo Sūnų, + kad Jis mirtų ant kryžiaus, išlaisvindamas mus nuo nuodėmės. + Mes nemokamai suteikiame jums šią programinę įrangą, + nes Jis mus išlaisvino. + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + Vartotojo Sąsajos Nustatymai + + + + Number of recent files to display: + Rodomų paskiausių failų skaičius: + + + + Remember active media manager tab on startup + Atsiminti aktyvią medija tvarkytuvės kortelę, paleidus programą + + + + Double-click to send items straight to live + Dvigubas spustelėjimas pradeda rodyti elementus Gyvai + + + + Expand new service items on creation + Sukūrus, išskleisti naujus pamaldų programos elementus + + + + Enable application exit confirmation + Įjungti išėjimo iš programos patvirtinimą + + + + Mouse Cursor + Pelės Žymeklis + + + + Hide mouse cursor when over display window + Slėpti pelės žymeklį, kai jis yra virš rodymo lango + + + + Default Image + Numatytasis Paveikslas + + + + Background color: + Fono spalva: + + + + Image file: + Paveikslo failas: + + + + Open File + Atidaryti Failą + + + + Advanced + Išplėstinė + + + + Preview items when clicked in Media Manager + Peržiūrėti elementus, kai ant jų spustelėjama Medija Tvarkytuvėje + + + + Browse for an image file to display. + Naršyti, ieškant rodymui skirto paveikslų failo. + + + + Revert to the default OpenLP logo. + Atkurti numatytajį OpenLP logotipą. + + + + Default Service Name + Numatytasis Pamaldų Pavadinimas + + + + Enable default service name + Įjungti numatytąjį pamaldų pavadinimą + + + + Date and Time: + Data ir Laikas: + + + + Monday + Pirmadienis + + + + Tuesday + Antradienis + + + + Wednesday + Trečiadienis + + + + Friday + Penktadienis + + + + Saturday + Šeštadienis + + + + Sunday + Sekmadienis + + + + Now + Dabar + + + + Time when usual service starts. + Laikas, kada įprastai prasideda pamaldos. + + + + Name: + Pavadinimas: + + + + Consult the OpenLP manual for usage. + Išsamesnės informacijos kaip naudoti, ieškokite OpenLP vartotojo vadove. + + + + Revert to the default service name "%s". + Atkurti numatytąjį pamaldų pavadinimą "%s". + + + + Example: + Pavyzdys: + + + + Bypass X11 Window Manager + Apeiti X11 Langų Tvarkytuvę + + + + Syntax error. + Sintaksės klaida. + + + + Data Location + Duomenų Vieta + + + + Current path: + Dabartinis kelias: + + + + Custom path: + Tinkintas kelias: + + + + Browse for new data file location. + Naršyti naują duomenų failų vietą. + + + + Set the data location to the default. + Nustatyti numatytąją duomenų vietą. + + + + Cancel + Atšaukti + + + + Cancel OpenLP data directory location change. + Atšaukti OpenLP duomenų katalogo vietos pakeitimą. + + + + Copy data to new location. + Kopijuoti duomenis į naują vietą. + + + + Copy the OpenLP data files to the new location. + Kopijuoti OpenLP duomenų failus į naująją vietą. + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>ĮSPĖJIMAS:</strong> Naujame duomenų kataloge yra OpenLP duomenų failai. Šie failai kopijavimo metu BUS pakeisti. + + + + Data Directory Error + Duomenų Katalogo Klaida + + + + Select Data Directory Location + Pasirinkite Duomenų Katalogo Vietą + + + + Confirm Data Directory Change + Patvirtinkite Duomenų Katalogo Pakeitimą + + + + Reset Data Directory + Atkurti Duomenų Katalogą + + + + Overwrite Existing Data + Pakeisti Esamus Duomenis + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + OpenLP duomenų katalogas buvo nerastas + +%s + +Anksčiau, ši duomenų katalogo vieta buvo pakeista į kitokią, nei numatyta OpenLP. Jeigu nauja vieta yra keičiamoje laikmenoje, tuomet, ši laikmena privalo tapti prieinama. + +Spustelėkite "Ne", kad sustabdytumėte OpenLP įkelimą, taip leidžiant jums patiems išspręsti problemą. + +Spustelėkite "Taip", kad atkurtumėte duomenų katalogo vietą į numatytąją. + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + Ar tikrai norite pakeisti OpenLP duomenų katalogo vietą į: + +%s + +Duomenų katalogas bus pakeistas, uždarius OpenLP. + + + + Thursday + Ketvirtadienis + + + + Display Workarounds + Rodyti Apėjimus + + + + Use alternating row colours in lists + Sąrašuose naudoti kintamąsias eilučių spalvas + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + Ar tikrai norite pakeisti OpenLP duomenų katalogo vietą į numatytąją vietą? + +Ši vieta bus naudojama po to, kai OpenLP bus uždaryta. + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + ĮSPĖJIMAS: + +Atrodo, kad vietoje, kurią pasirinkote + +%s + +yra OpenLP duomenų failai. Ar norėtumėte pakeisti tuos failus esamais duomenų failais? + + + + Restart Required + Reikalingas paleidimas iš naujo + + + + This change will only take effect once OpenLP has been restarted. + Šis pakeitimas įsigalios tik tada, kai OpenLP bus paleista iš naujo. + + + + OpenLP.ColorButton + + + Click to select a color. + Spustelėkite, norėdami pasirinkti spalvą. + + + + OpenLP.DB + + + RGB + RGB + + + + Video + Vaizdo Įrašai + + + + Digital + Skaitmeninis + + + + Storage + Talpykla + + + + Network + Tinklas + + + + RGB 1 + RGB 1 + + + + RGB 2 + RGB 2 + + + + RGB 3 + RGB 3 + + + + RGB 4 + RGB 4 + + + + RGB 5 + RGB 5 + + + + RGB 6 + RGB 6 + + + + RGB 7 + RGB 7 + + + + RGB 8 + RGB 8 + + + + RGB 9 + RGB 9 + + + + Video 1 + Vaizdas 1 + + + + Video 2 + Vaizdas 2 + + + + Video 3 + Vaizdas 3 + + + + Video 4 + Vaizdas 4 + + + + Video 5 + Vaizdas 5 + + + + Video 6 + Vaizdas 6 + + + + Video 7 + Vaizdas 7 + + + + Video 8 + Vaizdas 8 + + + + Video 9 + Vaizdas 9 + + + + Digital 1 + Skaitmeninis 1 + + + + Digital 2 + Skaitmeninis 2 + + + + Digital 3 + Skaitmeninis 3 + + + + Digital 4 + Skaitmeninis 4 + + + + Digital 5 + Skaitmeninis 5 + + + + Digital 6 + Skaitmeninis 6 + + + + Digital 7 + Skaitmeninis 7 + + + + Digital 8 + Skaitmeninis 8 + + + + Digital 9 + Skaitmeninis 9 + + + + Storage 1 + Talpykla 1 + + + + Storage 2 + Talpykla 2 + + + + Storage 3 + Talpykla 3 + + + + Storage 4 + Talpykla 4 + + + + Storage 5 + Talpykla 5 + + + + Storage 6 + Talpykla 6 + + + + Storage 7 + Talpykla 7 + + + + Storage 8 + Talpykla 8 + + + + Storage 9 + Talpykla 9 + + + + Network 1 + Tinklas 1 + + + + Network 2 + Tinklas 2 + + + + Network 3 + Tinklas 3 + + + + Network 4 + Tinklas 4 + + + + Network 5 + Tinklas 5 + + + + Network 6 + Tinklas 6 + + + + Network 7 + Tinklas 7 + + + + Network 8 + Tinklas 8 + + + + Network 9 + Tinklas 9 + + + + OpenLP.ExceptionDialog + + + Error Occurred + Įvyko Klaida + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + Oj! OpenLP susidūrė su problema ir nesugebėjo pasitaisyti. Žemiau, langelyje esančiame tekste, yra informacija, kuri gali būti naudinga OpenLP kūrėjams, tad prašome išsiųsti ją elektroniniu paštu į bugs@openlp.org, kartu su išsamiu aprašu, pasakojančiu ką veikėte, kai įvyko klaida. + + + + Send E-Mail + Siųsti El. laišką + + + + Save to File + Išsaugoti į Failą + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + Prašome įvesti aprašą ką darėte, kas privertė atsirasti šią klaidą +(Mažiausiai 20 simbolių) + + + + Attach File + Prisegti Failą + + + + Description characters to enter : %s + Įvesti aprašo simbolių : %s + + + + OpenLP.ExceptionForm + + + Platform: %s + + Platforma: %s + + + + + Save Crash Report + Išsaugoti Strigties Ataskaitą + + + + Text files (*.txt *.log *.text) + Tekstiniai failai (*.txt *.log *.text) + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + Naujas Failo Pavadinimas: + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + Pasirinkite Vertimą + + + + Choose the translation you'd like to use in OpenLP. + Pasirinkite vertimą, kurį norėtumėte naudoti OpenLP. + + + + Translation: + Vertimas: + + + + OpenLP.FirstTimeWizard + + + Songs + Giesmės + + + + First Time Wizard + Pirmojo Karto Vedlys + + + + Welcome to the First Time Wizard + Sveiki Atvykę į Pirmojo Karto Vedlį + + + + Activate required Plugins + Aktyvuokite reikiamus Papildinius + + + + Select the Plugins you wish to use. + Pasirinkite Papildinius, kuriuos norėtumėte naudoti. + + + + Bible + Biblija + + + + Images + Paveikslai + + + + Presentations + Pateiktys + + + + Media (Audio and Video) + Medija (Garso ir Vaizdo Įrašai) + + + + Allow remote access + Leisti nuotolinę prieigą + + + + Monitor Song Usage + Prižiūrėti Giesmių Naudojimą + + + + Allow Alerts + Leisti Įspėjimus + + + + Default Settings + Numatytieji Nustatymai + + + + Downloading %s... + Atsiunčiama %s... + + + + Enabling selected plugins... + Įjungiami pasirinkti papildiniai... + + + + No Internet Connection + Nėra Interneto Ryšio + + + + Unable to detect an Internet connection. + Nepavyko aptikti interneto ryšio. + + + + Sample Songs + Pavyzdinės Giesmės + + + + Select and download public domain songs. + Pasirinkite ir atsisiųskite viešosios srities giesmes. + + + + Sample Bibles + Pavyzdinės Biblijos + + + + Select and download free Bibles. + Pasirinkite ir atsisiųskite nemokamas Biblijas. + + + + Sample Themes + Pavyzdinės Temos + + + + Select and download sample themes. + Pasirinkite ir atsisiųskite pavyzdines temas. + + + + Set up default settings to be used by OpenLP. + Nustatykite numatytuosius nustatymus, kuriuos naudos OpenLP. + + + + Default output display: + Numatytasis išvesties ekranas: + + + + Select default theme: + Pasirinkite numatytąją temą: + + + + Starting configuration process... + Pradedamas konfigūracijos procesas... + + + + Setting Up And Downloading + Nustatymas ir Atsiuntimas + + + + Please wait while OpenLP is set up and your data is downloaded. + Prašome palaukti kol OpenLP bus nustatyta ir jūsų duomenys atsiųsti. + + + + Setting Up + + + + + Custom Slides + Tinkintos Skaidrės + + + + Finish + Pabaiga + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + Neaptikta Interneto ryšio. Pirmojo Karto Vedlys reikalauja Interneto ryšio, kad galėtų atsiųsti pavyzdines giesmes, Biblijas ir temas. Spustelėkite Pabaigos mygtuką dabar, kad paleistumėte OpenLP su pradiniais nustatymais ir be jokių pavyzdinių duomenų. + +Norėdami iš naujo paleisti Pirmojo Karto Vedlį ir importuoti šiuos pavyzdinius duomenis vėliau, patikrinkite savo Interneto ryšį ir iš naujo paleiskite šį vedlį, pasirinkdami programoje OpenLP "Įrankiai/Iš naujo paleisti Pirmojo Karto Vedlį". + + + + Download Error + Atsisiuntimo Klaida + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + Atsiuntimo metu įvyko ryšio klaida, tolimesni atsiuntimai bus praleisti. Pabandykite iš naujo paleisti Pirmojo Karto Vedlį vėliau. + + + + Download complete. Click the %s button to return to OpenLP. + Atsiuntimas užbaigtas. Spustelėkite mygtuką %s, kad grįžtumėte į OpenLP. + + + + Download complete. Click the %s button to start OpenLP. + Atsiuntimas užbaigtas. Spustelėkite mygtuką %s, kad paleistumėte OpenLP. + + + + Click the %s button to return to OpenLP. + Spustelėkite mygtuką %s, kad grįžtumėte į OpenLP. + + + + Click the %s button to start OpenLP. + Spustelėkite mygtuką %s, kad paleistumėte OpenLP. + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + Atsiuntimo metu atsirado ryšio problemų, todėl tolimesni atsiuntimai bus praleisti. Vėliau pabandykite iš naujo paleisti Pirmojo Karto Vedlį. + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + Šis vedlys padės jums sukonfigūruoti OpenLP pradiniam naudojimui. Kad pradėtumėte, spustelėkite apačioje esantį mygtuką %s. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + +Kad visiškai atšauktumėte Pirmojo Karto Vedlį (ir nepaleistumėte OpenLP), spustelėkite dabar mygtuką %s. + + + + Downloading Resource Index + Atsiunčiamas Ištekliaus Indeksas + + + + Please wait while the resource index is downloaded. + Prašome palaukti, kol bus atsiųstas ištekliaus indeksas. + + + + Please wait while OpenLP downloads the resource index file... + Prašome palaukti, kol OpenLP atsiųs ištekliaus indekso failą... + + + + Downloading and Configuring + Atsiunčiama ir Konfigūruojama + + + + Please wait while resources are downloaded and OpenLP is configured. + Prašome palaukti, kol bus atsiųsti ištekliai ir konfigūruota OpenLP. + + + + Network Error + Tinklo Klaida + + + + There was a network error attempting to connect to retrieve initial configuration information + Įvyko tinklo klaida, bandant prisijungti ir gauti pradinę sąrankos informaciją + + + + Cancel + Atšaukti + + + + Unable to download some files + Nepavyko atsisiųsti kai kurių failų + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + Konfigūruoti Formatavimo Žymes + + + + Description + Aprašas + + + + Tag + Žymė + + + + Start HTML + Pradžios HTML + + + + End HTML + Pabaigos HTML + + + + Default Formatting + Numatytasis Formatavimas + + + + Custom Formatting + Pasirinktinis Formatavimas + + + + OpenLP.FormattingTagForm + + + <HTML here> + <HTML čia> + + + + Validation Error + Tikrinimo Klaida + + + + Description is missing + Trūksta aprašo + + + + Tag is missing + Trūksta žymės + + + + Tag %s already defined. + Žymė %s jau yra apibrėžta. + + + + Description %s already defined. + Aprašas %s jau yra apibrėžtas. + + + + Start tag %s is not valid HTML + Pradžios žymė %s nėra teisingas HTML + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + Raudona + + + + Black + Juoda + + + + Blue + Mėlyna + + + + Yellow + Geltona + + + + Green + Žalia + + + + Pink + Rožinė + + + + Orange + Oranžinė + + + + Purple + Violetinė + + + + White + Balta + + + + Superscript + Viršutinis indeksas + + + + Subscript + Apatinis indeksas + + + + Paragraph + Pastraipa + + + + Bold + Pusjuodis + + + + Italics + Kursyvas + + + + Underline + Pabrauktas + + + + Break + Lūžis + + + + OpenLP.GeneralTab + + + General + Bendra + + + + Monitors + Vaizduokliai + + + + Select monitor for output display: + Pasirinkite vaizduoklį išvesties ekranui: + + + + Display if a single screen + Rodyti jei vienas ekranas + + + + Application Startup + Programos Paleidimas + + + + Show blank screen warning + Rodyti tuščio ekrano įspėjimą + + + + Automatically open the last service + Automatiškai atidaryti paskiausią pamaldų programą + + + + Show the splash screen + Rodyti pristatymo langą + + + + Application Settings + Programos Nustatymai + + + + Prompt to save before starting a new service + Raginti išsaugoti, prieš pradedant naują pamaldų programą + + + + Automatically preview next item in service + Automatiškai peržiūrėti kitą pamaldų programos elementą + + + + sec + sek + + + + CCLI Details + CCLI Detalės + + + + SongSelect username: + SongSelect vartotojo vardas: + + + + SongSelect password: + SongSelect slaptažodis: + + + + X + X + + + + Y + Y + + + + Height + Aukštis + + + + Width + Plotis + + + + Check for updates to OpenLP + Patikrinti ar yra atnaujinimų OpenLP + + + + Unblank display when adding new live item + Atidengti ekraną, kai į rodymą Gyvai, pridedamas naujas elementas + + + + Timed slide interval: + Skaidrės laiko intervalas: + + + + Background Audio + Fono Garsas + + + + Start background audio paused + Pradėti, pristabdžius fono garso įrašą + + + + Service Item Slide Limits + Pamaldų Programos Elemento Skaidrės Ribos + + + + Override display position: + Nustelbti rodymo poziciją: + + + + Repeat track list + Kartoti takelių sąrašą + + + + Behavior of next/previous on the last/first slide: + Perjungimo kita/ankstesnė, elgsena, esant paskutinei/pirmai skaidrei: + + + + &Remain on Slide + &Pasilikti Skaidrėje + + + + &Wrap around + P&rasukinėti skaidres + + + + &Move to next/previous service item + P&ereiti prie kito/ankstesnio pamaldų programos elemento + + + + OpenLP.LanguageManager + + + Language + Kalba + + + + Please restart OpenLP to use your new language setting. + Norėdami naudotis naujais kalbos nustatymais, paleiskite OpenLP iš naujo. + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + &Failas + + + + &Import + I&mportuoti + + + + &Export + &Eksportuoti + + + + &View + &Rodinys + + + + M&ode + &Veiksena + + + + &Tools + Įr&ankiai + + + + &Settings + &Nustatymai + + + + &Language + Ka&lba + + + + &Help + &Pagalba + + + + Service Manager + Pamaldų Programos Tvarkytuvė + + + + Theme Manager + Temų Tvarkytuvė + + + + &New + &Nauja + + + + &Open + &Atidaryti + + + + Open an existing service. + Atidaryti esamą pamaldų programą. + + + + &Save + Iš&saugoti + + + + Save the current service to disk. + Išsaugoti dabartinę pamaldų programą į diską. + + + + Save &As... + Išsaugoti &Kaip + + + + Save Service As + Išsaugoti Pamaldų Programą Kaip + + + + Save the current service under a new name. + Išsaugoti dabartinę pamaldų programą nauju pavadinimu. + + + + E&xit + &Išeiti + + + + Quit OpenLP + Baigti OpenLP darbą + + + + &Theme + &Temą + + + + &Configure OpenLP... + &Konfigūruoti OpenLP... + + + + &Media Manager + &Medija Tvarkytuvė + + + + Toggle Media Manager + Perjungti Medija Tvarkytuvę + + + + Toggle the visibility of the media manager. + Perjungti medija tvarkytuvės matomumą. + + + + &Theme Manager + &Temų Tvarkytuvė + + + + Toggle Theme Manager + Perjungti Temų Tvarkytuvę + + + + Toggle the visibility of the theme manager. + Perjungti temų tvarkytuvės matomumą. + + + + &Service Manager + Pama&ldų Programos Tvarkytuvė + + + + Toggle Service Manager + Perjungti Pamaldų Programos Tvarkytuvę + + + + Toggle the visibility of the service manager. + Perjungti pamaldų programos tvarkytuvės matomumą. + + + + &Preview Panel + P&eržiūros Skydelis + + + + Toggle Preview Panel + Perjungti Peržiūros Skydelį + + + + Toggle the visibility of the preview panel. + Perjungti peržiūros skydelio matomumą. + + + + &Live Panel + G&yvai Skydelis + + + + Toggle Live Panel + Perjungti Skydelį Gyvai + + + + Toggle the visibility of the live panel. + Perjungti skydelio Gyvai matomumą. + + + + &Plugin List + &Papildinių Sąrašas + + + + List the Plugins + Išvardinti Papildinius + + + + &User Guide + + + + + &About + &Apie + + + + More information about OpenLP + Daugiau informacijos apie OpenLP + + + + &Online Help + Pagalba &Internete + + + + &Web Site + &Tinklalapis + + + + Use the system language, if available. + Jei įmanoma, naudoti sistemos kalbą. + + + + Set the interface language to %s + Nustatyti sąsajos kalbą į %s + + + + Add &Tool... + Pridėti Į&rankį... + + + + Add an application to the list of tools. + Pridėti programą į įrankų sąrašą. + + + + &Default + &Numatytoji + + + + Set the view mode back to the default. + Nustatyti rodinio veikseną į numatytąją. + + + + &Setup + &Parengimo + + + + Set the view mode to Setup. + Nustatyti rodinio veikseną į Parengimo. + + + + &Live + &Gyvo rodymo + + + + Set the view mode to Live. + Nustatyti rodinio veikseną į Gyvo rodymo. + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + OpenLP versija %s yra prieinama atsiuntimui (šiuo metu jūsų vykdoma versija yra %s). + +Galite atsisiųsti paskiausią versiją iš http://openlp.org/. + + + + OpenLP Version Updated + OpenLP Versija Atnaujinta + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + Numatytoji Tema: %s + + + + English + Please add the name of your language here + Lithuanian + + + + Configure &Shortcuts... + Konfigūruoti &Sparčiuosius Klavišus... + + + + Close OpenLP + Uždaryti OpenLP + + + + Are you sure you want to close OpenLP? + Ar tikrai norite uždaryti OpenLP? + + + + Open &Data Folder... + Atidaryti &Duomenų Aplanką.... + + + + Open the folder where songs, bibles and other data resides. + Atidaryti aplanką, kuriame yra giesmės, Biblijos bei kiti duomenys. + + + + &Autodetect + &Aptikti automatiškai + + + + Update Theme Images + Atnaujinti Temos Paveikslus + + + + Update the preview images for all themes. + Atnaujinti visų temų peržiūros paveikslus. + + + + Print the current service. + Spausdinti dabartinę pamaldų programą. + + + + &Recent Files + &Paskiausi Failai + + + + L&ock Panels + &Užrakinti Skydelius + + + + Prevent the panels being moved. + Neleisti perkelti skydelius. + + + + Re-run First Time Wizard + Iš naujo paleisti Pirmojo Karto Vedlį + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + Iš naujo paleisti Pirmojo Karto Vedlį, giesmių, Biblijų ir temų importavimui. + + + + Re-run First Time Wizard? + Paleisti Pirmojo Karto Vedlį iš naujo? + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + Ar tikrai norite paleisti Pirmojo Karto Vedlį iš naujo? + +Šio vedlio paleidimas iš naujo, gali pakeisti jūsų dabartinę OpenLP konfigūraciją ir, galbūt, į esančių giesmių sąrašą, pridėti giesmių bei pakeisti jūsų numatytąją temą. + + + + Clear List + Clear List of recent files + Išvalyti Sąrašą + + + + Clear the list of recent files. + Išvalyti paskiausių failų sąrašą. + + + + Configure &Formatting Tags... + Konfigūruoti &Formatavimo Žymes + + + + Export OpenLP settings to a specified *.config file + Eksportuoti OpenLP nustatymus į nurodytą *.config failą + + + + Settings + Nustatymus + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + Importuoti OpenLP nustatymus iš nurodyto *.config failo, kuris ankščiau buvo eksportuotas šiame ar kitame kompiuteryje + + + + Import settings? + Importuoti nustatymus? + + + + Open File + Atidaryti Failą + + + + OpenLP Export Settings Files (*.conf) + OpenLP Eksportuoti Nustatymų Failai (*.conf) + + + + Import settings + Importavimo nustatymai + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + OpenLP dabar bus uždaryta. Importuoti nustatymai bus pritaikyti kitą kartą, paleidus OpenLP. + + + + Export Settings File + Eksportuoti Nustatymų Failą + + + + OpenLP Export Settings File (*.conf) + OpenLP Eksportuotas Nustatymų Failas (*.conf) + + + + New Data Directory Error + Naujo Duomenų Katalogo Klaida + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + OpenLP duomenys kopijuojami į naują duomenų katalogo vietą - %s - Prašome palaukti, kol bus užbaigtas kopijavimas + + + + OpenLP Data directory copy failed + +%s + OpenLP Duomenų katalogo kopijavimas nepavyko + +%s + + + + General + Bendra + + + + Library + Biblioteka + + + + Jump to the search box of the current active plugin. + Pereiti prie dabartinio aktyvaus papildinio paieškos lango. + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + Ar tikrai norite importuoti nustatymus? + +Nustatymų importavimas padarys pastovius pakeitimus jūsų dabartinei OpenLP konfigūracijai. + +Neteisingų nustatymų importavimas gali sukelti nepastovią elgseną arba nenormalius OpenLP darbo trikdžius. + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + Failas, kurį pasirinkote, neatrodo kaip teisingas OpenLP nustatymų failas. + +Apdorojimas buvo nutrauktas ir nepadaryta jokių pokyčių. + + + + Projector Manager + Projektorių Tvarkytuvė + + + + Toggle Projector Manager + Perjungti Projektorių Tvarkytuvę + + + + Toggle the visibility of the Projector Manager + Perjungti Projektorių Tvarkytuvės matomumą + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + Eksportuojant nustatymus įvyko klaida: %s + + + + OpenLP.Manager + + + Database Error + Duomenų Bazės Klaida + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + Įkeliama duomenų bazė buvo sukurta, naudojant naujesnę OpenLP versiją. Duomenų bazės versija yra %d, tuo tarpu OpenLP reikalauja versijos %d. Duomenų bazė nebus įkelta. + +Duomenų bazė: %s + + + + OpenLP cannot load your database. + +Database: %s + OpenLP nepavyko įkelti jūsų duomenų bazės. + +Duomenų bazė: %s + + + + OpenLP.MediaManagerItem + + + No Items Selected + Nepasirinkti Elementai + + + + &Add to selected Service Item + &Pridėti prie pasirinkto Pamaldų programos elemento + + + + You must select one or more items to preview. + Peržiūrai, privalote pasirinkti vieną ar daugiau elementų. + + + + You must select one or more items to send live. + Rodymui Gyvai, privalote pasirinkti vieną ar daugiau elementų. + + + + You must select one or more items. + Privalote pasirinkti vieną ar daugiau elementų. + + + + You must select an existing service item to add to. + Privalote pasirinkti prie kurio, jau esančio, pamaldų programos elemento pridėti. + + + + Invalid Service Item + Neteisingas Pamaldų Programos Elementas + + + + You must select a %s service item. + Privalote pasirinkti pamaldų programos elementą %s. + + + + You must select one or more items to add. + Privalote pasirinkti vieną ar daugiau elementų, kuriuos pridėsite. + + + + No Search Results + Jokių Paieškos Rezultatų + + + + Invalid File Type + Neteisingas Failo Tipas + + + + Invalid File %s. +Suffix not supported + Neteisingas Failas %s. +Nepalaikoma priesaga + + + + &Clone + &Dublikuoti + + + + Duplicate files were found on import and were ignored. + Importuojant, buvo rasti failų dublikatai ir jų buvo nepaisoma. + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + Nežinoma būsena + + + + No message + + + + + Error while sending data to projector + Klaida, siunčiant duomenis į projektorių + + + + Undefined command: + Neapibrėžta komanda: + + + + OpenLP.PlayerTab + + + Players + Grotuvai + + + + Available Media Players + Prieinami Medija Grotuvai + + + + Player Search Order + Grotuvų Paieškos Tvarka + + + + Visible background for videos with aspect ratio different to screen. + Matomas, vaizdo įrašų su kitokia nei ekrano proporcija, fonas. + + + + %s (unavailable) + %s (neprieinama) + + + + OpenLP.PluginForm + + + Plugin List + Papildinių Sąrašas + + + + Plugin Details + Išsamiau apie Papildinį + + + + Status: + Būsena: + + + + Active + Aktyvus + + + + Inactive + Neaktyvus + + + + %s (Inactive) + %s (Neaktyvus) + + + + %s (Active) + %s (Aktyvus) + + + + %s (Disabled) + %s (Išjungta) + + + + OpenLP.PrintServiceDialog + + + Fit Page + Priderinti prie Puslapio + + + + Fit Width + Priderinti prie Pločio + + + + OpenLP.PrintServiceForm + + + Options + Parinktys + + + + Copy + Kopijuoti + + + + Copy as HTML + Kopijuoti kaip HTML + + + + Zoom In + Didinti + + + + Zoom Out + Mažinti + + + + Zoom Original + + + + + Other Options + Kitos Parinktys + + + + Include slide text if available + Įtraukti skaidrės tekstą, jei prieinamas + + + + Include service item notes + Įtraukti pamaldų programos pastabas + + + + Include play length of media items + Įtraukti medija elementų grojimo trukmę + + + + Add page break before each text item + Pridėti puslapių skirtuką, prieš kiekvieną tekstinį elementą + + + + Service Sheet + Pamaldų Programos Lapas + + + + Print + Spausdinti + + + + Title: + Pavadinimas: + + + + Custom Footer Text: + Tinkintas Poraštės Tekstas: + + + + OpenLP.ProjectorConstants + + + OK + OK + + + + General projector error + Bendra projektoriaus klaida + + + + Not connected error + + + + + Lamp error + Lempos klaida + + + + Fan error + + + + + High temperature detected + Aptikta aukšta temperatūra + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + Tapatybės Nustatymo Klaida + + + + Undefined Command + Neapibrėžta Komanda + + + + Invalid Parameter + Neteisingas Parametras + + + + Projector Busy + Projektorius Užimtas + + + + Projector/Display Error + Projektoriaus/Ekrano Klaida + + + + Invalid packet received + Gautas neteisingas duomenų paketas + + + + Warning condition detected + Aptikta įspėjimo būsena + + + + Error condition detected + Aptikta klaidos būsena + + + + PJLink class not supported + PJLink klasė yra nepalaikoma + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + Nuotolinis kompiuteris nutraukė ryšį + + + + The host address was not found + Kompiuterio adresas nerastas + + + + The socket operation failed because the application lacked the required privileges + Jungties operacija nepavyko, nes programai trūko reikiamų prieigų + + + + The local system ran out of resources (e.g., too many sockets) + Vietinė sistema išeikvojo visus išteklius (pvz., per daug jungčių) + + + + The socket operation timed out + Baigėsi jungties operacijai skirtas laikas + + + + The datagram was larger than the operating system's limit + Duomenų paketas buvo didesnis nei leidžia nustatytos operacinės sistemos ribos + + + + An error occurred with the network (Possibly someone pulled the plug?) + Įvyko su tinklu susijusi klaida (Galimai, kažkas ištraukė kištuką?) + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + Užklausta jungties operacija yra nepalaikoma vietinės operacinės sistemos (pvz., nėra IPv6 palaikymo) + + + + The socket is using a proxy, and the proxy requires authentication + Jungtis naudoja įgaliotąjį serverį, o šis reikalauja tapatybės nustatymo + + + + The SSL/TLS handshake failed + SSL/TLS pasisveikinimas nepavyko + + + + The last operation attempted has not finished yet (still in progress in the background) + Dar nebaigta paskutinė bandyta operacija (vis dar eigoje fone) + + + + Could not contact the proxy server because the connection to that server was denied + Nepavyko susisiekti su įgaliotoju serveriu, nes ryšys su serveriu buvo atmestas + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + Įgaliotojo serverio adresas nustatytas su setProxy() nebuvo rastas + + + + An unidentified error occurred + Įvyko nenustatyta klaida + + + + Not connected + Neprisijungta + + + + Connecting + Jungiamasi + + + + Connected + Prisijungta + + + + Getting status + Gaunama būsena + + + + Off + Išjungta + + + + Initialize in progress + Inicijavimas eigoje + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + Maitinimas įjungtas + + + + Cooldown in progress + + + + + Projector Information available + Projektoriaus informacija prieinama + + + + Sending data + Siunčiami duomenys + + + + Received data + Gaunami duomenys + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + Privalote šiam įrašui įvesti pavadinimą.<br />Prašome šiam įrašui įvesti naują pavadinimą. + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + Pridėti Naują Projektorių + + + + Edit Projector + Redaguoti Projektorių + + + + IP Address + IP Adresas + + + + Port Number + Prievado Numeris + + + + PIN + PIN + + + + Name + Pavadinimas + + + + Location + Vieta + + + + Notes + Pastabos + + + + Database Error + Duomenų Bazės Klaida + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + Pridėti Projektorių + + + + Add a new projector + Pridėti naują projektorių + + + + Edit Projector + Redaguoti Projektorių + + + + Edit selected projector + Redaguoti pasirinktą projektorių + + + + Delete Projector + Ištrinti Projektorių + + + + Delete selected projector + Ištrinti pasirinktą projektorių + + + + Select Input Source + Pasirinkti Įvesties Šaltinį + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + Žiūrėti pasirinkto projektoriaus informaciją + + + + Connect to selected projector + Prisijungti prie pasirinkto projektoriaus + + + + Connect to selected projectors + Prisijungti prie pasirinktų projektorių + + + + Disconnect from selected projectors + Atsijungti nuo pasirinktų projektorių + + + + Disconnect from selected projector + Atsijungti nuo pasirinkto projektoriaus + + + + Power on selected projector + Įjungti pasirinktą projektorių + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + Uždengti pasirinkto projektoriaus ekraną + + + + Show selected projector screen + Rodyti pasirinkto projektoriaus ekraną + + + + &View Projector Information + Žiū&rėti Projektoriaus Informaciją + + + + &Edit Projector + R&edaguoti Projektorių + + + + &Connect Projector + &Prijungti Projektorių + + + + D&isconnect Projector + &Atjungti Projektorių + + + + Power &On Projector + Į&jungti Projektorių + + + + Power O&ff Projector + &Išjungti Projektorių + + + + Select &Input + + + + + Edit Input Source + Redaguoti Įvesties Šaltinį + + + + &Blank Projector Screen + &Uždengti Projektoriaus Ekraną + + + + &Show Projector Screen + &Rodyti Projektoriaus Ekraną + + + + &Delete Projector + &Ištrinti Projektorių + + + + Name + Pavadinimas + + + + IP + IP + + + + Port + Prievadas + + + + Notes + Pastabos + + + + Projector information not available at this time. + Šiuo metu projektoriaus informacija yra neprieinama. + + + + Projector Name + Projektoriaus Pavadinimas + + + + Manufacturer + Gamintojas + + + + Model + Modelis + + + + Other info + Kita informacija + + + + Power status + Maitinimo būsena + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + Lempa + + + + On + + + + + Off + Išjungta + + + + Hours + Valandų + + + + No current errors or warnings + Nėra esamų klaidų/įspėjimų + + + + Current errors/warnings + Esamos klaidos/įspėjimai + + + + Projector Information + Projektoriaus Informacija + + + + No message + + + + + Not Implemented Yet + Dar neįgyvendinta + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + Lempa + + + + Temperature + Temperatūra + + + + Cover + + + + + Filter + + + + + Other + Kita + + + + OpenLP.ProjectorTab + + + Projector + Projektorius + + + + Communication Options + Komunikacijos Parinktys + + + + Connect to projectors on startup + Prisijungti prie projektorių, paleidus programą + + + + Socket timeout (seconds) + Jungimo laiko limitas (sekundės) + + + + Poll time (seconds) + Apklausos laikas (sekundės) + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + Dublikuoti IP Adresą + + + + Invalid IP Address + Neteisingas IP Adresas + + + + Invalid Port Number + Neteisingas Prievado Numeris + + + + OpenLP.ScreenList + + + Screen + Ekranas + + + + primary + pirminis + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + [skaidrė %d] + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + Pertvarkyti Pamaldų Programos Elementą + + + + OpenLP.ServiceManager + + + Move to &top + Perkelti į pa&tį viršų + + + + Move item to the top of the service. + Perkelti elementą į patį pamaldų programos viršų. + + + + Move &up + Perkelti a&ukščiau + + + + Move item up one position in the service. + Perkelti elementą pamaldų programoje viena pozicija aukščiau. + + + + Move &down + Perkelti ž&emiau + + + + Move item down one position in the service. + Perkelti elementą pamaldų programoje viena pozicija žemiau. + + + + Move to &bottom + Perkelti į pačią apačią + + + + Move item to the end of the service. + Perkelti elementą į patį pamaldų programos galą. + + + + &Delete From Service + &Ištrinti iš Pamaldų Programos + + + + Delete the selected item from the service. + Ištrinti pasirinktą elementą iš pamaldų programos. + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + &Redaguoti Elementą + + + + &Reorder Item + Pe&rtvarkyti Elementą + + + + &Notes + &Pastabos + + + + &Change Item Theme + Pa&keisti Elemento Temą + + + + File is not a valid service. + Failas nėra teisinga pamaldų programa. + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + Jūsų elementas negali būti rodomas, nes trūksta rodymui reikalingo papildinio arba jis nėra įdiegtas + + + + &Expand all + Viską išskl&eisti + + + + Expand all the service items. + Išskleisti visus pamaldų programos elementus. + + + + &Collapse all + Viską sus&kleisti + + + + Collapse all the service items. + Suskleisti visus pamaldų programos elementus. + + + + Open File + Atidaryti Failą + + + + Moves the selection down the window. + + + + + Move up + Perkelti aukščiau + + + + Moves the selection up the window. + + + + + Go Live + Rodyti Gyvai + + + + Send the selected item to Live. + Siųsti pasirinktą elementą į Gyvai. + + + + &Start Time + + + + + Show &Preview + Ro&dyti Peržiūroje + + + + Modified Service + Pakeista Pamaldų Programa + + + + The current service has been modified. Would you like to save this service? + Dabartinė pamaldų programa buvo pakeista. Ar norėtumėte išsaugoti šią pamaldų programą? + + + + Custom Service Notes: + Pasirinktinos Pamaldų Programos Pastabos: + + + + Notes: + Pastabos: + + + + Playing time: + Grojimo laikas: + + + + Untitled Service + Bevardė Pamaldų Programa + + + + File could not be opened because it is corrupt. + Nepavyko atidaryti failo, nes jis yra pažeistas. + + + + Empty File + Tuščias Failas + + + + This service file does not contain any data. + Šiame pamaldų programos faile nėra jokių duomenų. + + + + Corrupt File + Pažeistas Failas + + + + Load an existing service. + Įkelti jau esančią pamaldų programą. + + + + Save this service. + Išsaugoti šią pamaldų programą. + + + + Select a theme for the service. + Pasirinkite temą pamaldoms. + + + + Slide theme + Skaidrės tema + + + + Notes + Pastabos + + + + Edit + Redaguoti + + + + Service copy only + + + + + Error Saving File + Klaida, bandant Išsaugoti Failą + + + + There was an error saving your file. + Įvyko klaida, bandant išsaugoti jūsų failą. + + + + Service File(s) Missing + Trūksta Pamaldų Programos Failo(-ų) + + + + &Rename... + &Pervadinti... + + + + Create New &Custom Slide + Sukurti Naują &Tinkintą Skaidrę + + + + &Auto play slides + &Automatiškai rodyti skaidres + + + + Auto play slides &Loop + Automatiškai rodyti skaidres &Ciklu + + + + Auto play slides &Once + Automatiškai rodyti skaidres &Vieną kartą + + + + &Delay between slides + &Pauzė tarp skaidrių + + + + OpenLP Service Files (*.osz *.oszl) + OpenLP Pamaldų Programos Failai (*.osz *.oszl) + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + OpenLP Pamaldų Programos Failai (*.osz);; OpenLP Pamaldų Programos Filai - mažieji (*.oszl) + + + + OpenLP Service Files (*.osz);; + OpenLP Pamaldų Programos Failai (*.osz);; + + + + File is not a valid service. + The content encoding is not UTF-8. + Filas nėra teisinga pamaldų programa. +Turinio koduotė nėra UTF-8. + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + Pamaldų programos failas, kurį bandote atidaryti yra seno formato. +Prašome išsaugoti jį, naudojant OpenLP 2.0.2 ar vėlesnę versiją. + + + + This file is either corrupt or it is not an OpenLP 2 service file. + Šis failas yra pažeistas arba tai nėra OpenLP 2 pamaldų programos failas. + + + + &Auto Start - inactive + &Automatinis Paleidimas - neaktyvus + + + + &Auto Start - active + &Automatinis Paleidimas - aktyvus + + + + Input delay + Įvesties pauzė + + + + Delay between slides in seconds. + Pauzė tarp skaidrių sekundėmis. + + + + Rename item title + Pervadinti elemento pavadinimą + + + + Title: + Pavadinimas: + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + Pamaldų Programos Elemento Pastabos + + + + OpenLP.SettingsForm + + + Configure OpenLP + Konfigūruoti OpenLP + + + + OpenLP.ShortcutListDialog + + + Action + Veiksmas + + + + Shortcut + Spartusis Klavišas + + + + Duplicate Shortcut + Dublikuoti Spartųjį Klavišą + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + Spartusis klavišas "%s" jau yra priskirtas kitam veiksmui, prašome naudoti kitą spartųjį klavišą. + + + + Alternate + Alternatyvus + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + Pasirinkite veiksmą ir nuspauskite vieną iš žemiau esančių mygtukų, kad pradėtumėte įvedinėti naują pirminį ar alternatyvų spartųjį klavišą, atitinkamai. + + + + Default + Numatytasis + + + + Custom + Pasirinktinas + + + + Capture shortcut. + Įvesti spartųjį klavišą. + + + + Restore the default shortcut of this action. + Atkurti numatytąjį šio veiksmo spartųjį klavišą. + + + + Restore Default Shortcuts + Atkurti Numatytuosius Sparčiuosius Klavišus + + + + Do you want to restore all shortcuts to their defaults? + Ar norite atstatyti visų sparčiųjų klavišų numatytąsias reikšmes? + + + + Configure Shortcuts + Konfigūruoti Sparčiuosius Klavišus + + + + OpenLP.SlideController + + + Hide + Slėpti + + + + Go To + Pereiti Prie + + + + Blank Screen + Uždengti Ekraną + + + + Blank to Theme + Rodyti Temos Foną + + + + Show Desktop + Rodyti Darbastalį + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + Pereiti prie ankstesnio. + + + + Move to next. + Pereiti prie kito. + + + + Play Slides + Rodyti Skaidres + + + + Delay between slides in seconds. + Pauzė tarp skaidrių sekundėmis. + + + + Move to live. + Rodyti Gyvai. + + + + Add to Service. + Pridėti prie Pamaldų Programos. + + + + Edit and reload song preview. + Redaguoti ir iš naujo įkelti giesmės peržiūrą. + + + + Start playing media. + Pradėti groti mediją. + + + + Pause audio. + Pristabdyti garso įrašą. + + + + Pause playing media. + Pristabdyti medijos grojimą. + + + + Stop playing media. + Stabdyti medijos grojimą. + + + + Video position. + Video įrašo vieta. + + + + Audio Volume. + Garso Įrašų Garsumas. + + + + Go to "Verse" + Pereiti prie "Posmelio" + + + + Go to "Chorus" + Pereiti prie "Priegiesmio" + + + + Go to "Bridge" + Pereiti prie "Tiltelio" + + + + Go to "Pre-Chorus" + Pereiti prie "Prieš-Priegiesmio" + + + + Go to "Intro" + Pereiti prie "Įžangos" + + + + Go to "Ending" + Pereiti prie "Pabaigos" + + + + Go to "Other" + Pereiti prie "Kita" + + + + Previous Slide + Ankstesnė Skaidrė + + + + Next Slide + Kita Skaidrė + + + + Pause Audio + Pristabdyti Garso Takelį + + + + Background Audio + Fono Garso Takelis + + + + Go to next audio track. + Pereiti prie kito garso takelio. + + + + Tracks + Takeliai + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + išsaugoti pakeitimus ir grįžti į OpenLP + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + Rašybos Tikrinimo Pasiūlymai + + + + Formatting Tags + Formatavimo Žymės + + + + Language: + Kalba: + + + + OpenLP.StartTimeForm + + + Theme Layout + Temos Išdėstymas + + + + The blue box shows the main area. + Mėlynas stačiakampis nurodo pagrindinę sritį. + + + + The red box shows the footer. + Raudonas stačiakampis nurodo poraštę. + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + Valandos: + + + + Minutes: + Minutės: + + + + Seconds: + Sekundės: + + + + Start + Pradžia + + + + Finish + Pabaiga + + + + Length + + + + + Time Validation Error + Laiko Tikrinimo Klaida + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + (apytiksliai %d eilučių skaidrėje) + + + + OpenLP.ThemeManager + + + Create a new theme. + Sukurti naują temą. + + + + Edit Theme + Redaguoti Temą + + + + Edit a theme. + Redaguoti temą. + + + + Delete Theme + Ištrinti Temą + + + + Delete a theme. + Ištrinti temą. + + + + Import Theme + Importuoti Temą + + + + Import a theme. + Importuoti temą. + + + + Export Theme + Eksportuoti Temą + + + + Export a theme. + Eksportuoti temą. + + + + &Edit Theme + &Redaguoti Temą + + + + &Delete Theme + &Ištrinti Temą + + + + Set As &Global Default + Nustatyti &Globaliai Numatytąja + + + + %s (default) + + + + + You must select a theme to edit. + Privalote pasirinkti kurią temą norite redaguoti. + + + + You are unable to delete the default theme. + Negalite ištrinti numatytosios temos. + + + + Theme %s is used in the %s plugin. + Tema %s yra naudojama %s papildinyje. + + + + You have not selected a theme. + Jūs nepasirinkote temos. + + + + Save Theme - (%s) + Išsaugoti Temą - (%s) + + + + Theme Exported + Tema Eksportuota + + + + Your theme has been successfully exported. + Jūsų tema buvo sėkmingai eksportuota. + + + + Theme Export Failed + Temos Eksportavimas Nepavyko + + + + Select Theme Import File + Pasirinkite Temos Importavimo Failą + + + + File is not a valid theme. + Failas nėra teisinga tema. + + + + &Copy Theme + &Kopijuoti Temą + + + + &Rename Theme + &Pervadinti Temą + + + + &Export Theme + &Eksportuoti Temą + + + + You must select a theme to rename. + Privalote pasirinkti kurią temą norite pervadinti. + + + + Rename Confirmation + Pervadinimo Patvirtinimas + + + + Rename %s theme? + Pervadinti %s temą? + + + + You must select a theme to delete. + Privalote pasirinkti kurią temą norite ištrinti. + + + + Delete Confirmation + Ištrynimo Patvirtinimas + + + + Delete %s theme? + Ištrinti %s temą? + + + + Validation Error + Tikrinimo Klaida + + + + A theme with this name already exists. + Tema tokiu pavadinimu jau yra. + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + Tema Jau Yra + + + + Theme %s already exists. Do you want to replace it? + Tema %s jau yra. Ar norite ją pakeisti? + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + OpenLP Temos (*.otz) + + + + OpenLP.ThemeWizard + + + Theme Wizard + Temos Vedlys + + + + Welcome to the Theme Wizard + Sveiki Atvykę į Temos Vedlį + + + + Set Up Background + Nustatykite Foną + + + + Set up your theme's background according to the parameters below. + Nusistatykite savo temos foną, pagal žemiau pateiktus parametrus. + + + + Background type: + Fono tipas: + + + + Gradient + Gradientas + + + + Gradient: + Gradientas: + + + + Horizontal + Horizontalus + + + + Vertical + Vertikalus + + + + Circular + Apskritimu + + + + Top Left - Bottom Right + Viršutinė Kairė - Apatinė Dešinė + + + + Bottom Left - Top Right + Apatinė Kairė - Viršutinė Dešinė + + + + Main Area Font Details + Pagrindinės Srities Šrifto Detalės + + + + Define the font and display characteristics for the Display text + Apibrėžkite šrifto ir rodymo charakteristikas Ekrano tekstui + + + + Font: + Šriftas: + + + + Size: + Dydis: + + + + Line Spacing: + Eilučių Intervalai: + + + + &Outline: + &Kontūras: + + + + &Shadow: + Š&ešėlis: + + + + Bold + Pusjuodis + + + + Italic + Kursyvas + + + + Footer Area Font Details + Poraštės Srities Šrifto Detalės + + + + Define the font and display characteristics for the Footer text + Apibrėžkite šrifto ir rodymo charakteristikas Poraštės tekstui + + + + Text Formatting Details + Teksto Formatavimo Detalės + + + + Allows additional display formatting information to be defined + Leidžia apibrėžti papildomą rodymo formatavimo informaciją + + + + Horizontal Align: + Horizontalus Lygiavimas: + + + + Left + Kairėje + + + + Right + Dešinėje + + + + Center + Centre + + + + Output Area Locations + Išvesties Sričių Vietos + + + + &Main Area + &Pagrindinė Sritis + + + + &Use default location + &Naudoti numatytąją vietą + + + + X position: + X vieta: + + + + px + tšk + + + + Y position: + Y vieta: + + + + Width: + Plotis: + + + + Height: + Aukštis: + + + + Use default location + Naudoti numatytąją vietą + + + + Theme name: + Temos pavadinimas: + + + + Edit Theme - %s + Redaguoti Temą - %s + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + Šis vedlys padės jums kurti ir redaguoti savo temas. Spustelėkite, žemiau esantį, mygtuką toliau, kad pradėtumėte savo fono nustatymą. + + + + Transitions: + Perėjimai: + + + + &Footer Area + &Poraštės Sritis + + + + Starting color: + Pradinė spalva: + + + + Ending color: + Galutinė spalva: + + + + Background color: + Fono spalva: + + + + Justify + Iš abiejų pusių + + + + Layout Preview + Išdėstymo Peržiūra + + + + Transparent + Permatomas + + + + Preview and Save + Peržiūra ir Išsaugojimas + + + + Preview the theme and save it. + Peržiūrėkite temą ir ją išsaugokite. + + + + Background Image Empty + Fono Paveikslas Tuščias + + + + Select Image + Pasirinkite Paveikslą + + + + Theme Name Missing + Trūksta Temos Pavadinimo + + + + There is no name for this theme. Please enter one. + Nėra šios temos pavadinimo. Prašome įrašyti pavadinimą. + + + + Theme Name Invalid + Neteisingas Temos Pavadinimas + + + + Invalid theme name. Please enter one. + Neteisingas temos pavadinimas. Prašome įrašyti pavadinimą. + + + + Solid color + Vientisa spalva + + + + color: + Spalva: + + + + Allows you to change and move the Main and Footer areas. + Leidžia jums keisti ir perkelti Pagrindinę ir Poraštės sritį. + + + + You have not selected a background image. Please select one before continuing. + Jūs nepasirinkote fono paveikslėlio. Prieš tęsiant, prašome pasirinkti fono paveikslėlį. + + + + OpenLP.ThemesTab + + + Global Theme + Globali Tema + + + + Theme Level + Temos Lygis + + + + S&ong Level + Gies&mių Lygis + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + Taikyti temą kiekvienai, duomenų bazėje esančiai, giesmei. Jeigu giesmė neturi su ja susietos temos, tuomet pamaldų temą. Jei pamaldos neturi temos, tuomet naudoti globalią temą. + + + + &Service Level + &Pamaldų Programos Lygis + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + Taikyti pamaldų programos temą, nustelbiant bet kokias atskirų giesmių temas. Jeigu pamaldų programa neturi temos, tuomet taikyti globalų lygį. + + + + &Global Level + &Globalus Lygis + + + + Use the global theme, overriding any themes associated with either the service or the songs. + Taikyti globalią temą, nustelbiant bet kokias temas, susietas su pamaldomis ar giesmėmis. + + + + Themes + Temos + + + + Universal Settings + Universalūs Nustatymai + + + + &Wrap footer text + &Laužyti poraštės tekstą + + + + OpenLP.Ui + + + Delete the selected item. + Ištrinti pasirinktą elementą. + + + + Move selection up one position. + Perkelti pasirinkimą viena pozicija aukščiau. + + + + Move selection down one position. + Perkelti pasirinkimą viena pozicija žemiau. + + + + &Vertical Align: + &Vertikalus Lygiavimas: + + + + Finished import. + Importavimas užbaigtas. + + + + Format: + Formatas: + + + + Importing + Importuojama + + + + Importing "%s"... + Importuojama "%s"... + + + + Select Import Source + Pasirinkite Importavimo Šaltinį + + + + Select the import format and the location to import from. + Pasirinkite importavimo formatą ir vietą iš kurios importuosite. + + + + Open %s File + + + + + %p% + %p% + + + + Ready. + + + + + Starting import... + Pradedamas importavimas... + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + Sveiki Atvykę į Biblijos Importavimo Vedlį + + + + Welcome to the Song Export Wizard + Sveiki Atvykę į Giesmių Eksportavimo Vedlį + + + + Welcome to the Song Import Wizard + Sveiki Atvykę į Giesmių Importavimo Vedlį + + + + Author + Singular + Autorius + + + + Authors + Plural + Autoriai + + + + © + Copyright symbol. + © + + + + Song Book + Singular + Giesmynas + + + + Song Books + Plural + Giesmynai + + + + Song Maintenance + Giesmių Priežiūra + + + + Topic + Singular + Tema + + + + Topics + Plural + Temos + + + + Title and/or verses not found + + + + + XML syntax error + XML sintaksės klaida + + + + Welcome to the Bible Upgrade Wizard + Sveiki Atvykę į Biblijos Naujinimo Vedlį + + + + Open %s Folder + Atidaryti %s Folder + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + Turite nurodyti vieną %s failą iš kurio importuosite. + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + Turite nurodyti vieną %s aplanką iš kurio importuosite. + + + + Importing Songs + Importuojamos Giesmės + + + + Welcome to the Duplicate Song Removal Wizard + Sveiki Atvykę į Giesmių Dublikatų Šalinimo Vedlį + + + + Written by + Parašė + + + + Author Unknown + Nežinomas Autorius + + + + About + Apie + + + + &Add + &Pridėti + + + + Add group + Pridėti grupę + + + + Advanced + Išplėstinė + + + + All Files + Visi Failai + + + + Automatic + + + + + Background Color + Fono Spalva + + + + Bottom + Apačioje + + + + Browse... + Naršyti... + + + + Cancel + Atšaukti + + + + CCLI number: + CCLI numeris: + + + + Create a new service. + Sukurti naują pamaldų programą. + + + + Confirm Delete + Patvirtinkite ištrynimą + + + + Continuous + Ištisai + + + + Default + Numatytoji + + + + Default Color: + Numatytoji Spalva: + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + Pamaldos %Y-%m-%d %H-%M + + + + &Delete + &Ištrinti + + + + Display style: + Rodymo stilius: + + + + Duplicate Error + Dublikavimo Klaida + + + + &Edit + &Redaguoti + + + + Empty Field + Tuščias Laukas + + + + Error + Klaida + + + + Export + Eksportuoti + + + + File + Failas + + + + File Not Found + Failas Nerastas + + + + File %s not found. +Please try selecting it individually. + Failas %s nerastas. +Prašome jūsų pasirinkti jį patiems. + + + + pt + Abbreviated font pointsize unit + + + + + Help + Pagalba + + + + h + The abbreviated unit for hours + val. + + + + Invalid Folder Selected + Singular + Pasirinktas Neteisingas Aplankas + + + + Invalid File Selected + Singular + Pasirinktas Neteisingas Failas + + + + Invalid Files Selected + Plural + Pasirinkti Neteisingi Failai + + + + Image + Paveikslas + + + + Import + Importuoti + + + + Layout style: + Išdėstymo stilius: + + + + Live + Gyvai + + + + Live Background Error + Rodymo Gyvai Fono Klaida + + + + Live Toolbar + Rodymo Gyvai Įrankių Juosta + + + + Load + + + + + Manufacturer + Singular + Gamintojas + + + + Manufacturers + Plural + Gamintojai + + + + Model + Singular + Modelis + + + + Models + Plural + Modeliai + + + + m + The abbreviated unit for minutes + min. + + + + Middle + Viduryje + + + + New + Naujas + + + + New Service + Nauja Pamaldų Programa + + + + New Theme + Nauja Tema + + + + Next Track + Kitas Takelis + + + + No Folder Selected + Singular + Nepasirinktas Aplankas + + + + No File Selected + Singular + Nepasirinktas Failas + + + + No Files Selected + Plural + Nepasirinkti Failai + + + + No Item Selected + Singular + Nepasirinktas Elementas + + + + No Items Selected + Plural + Nepasirinkti Elementai + + + + OpenLP 2 + OpenLP 2 + + + + OpenLP is already running. Do you wish to continue? + OpenLP jau yra vykdoma. Ar norite tęsti? + + + + Open service. + Atidaryti pamaldų programą. + + + + Play Slides in Loop + Rodyti Skaidres Ciklu + + + + Play Slides to End + Rodyti Skaidres iki Galo + + + + Preview + Peržiūra + + + + Print Service + Spausdinti Pamaldų Programą + + + + Projector + Singular + Projektorius + + + + Projectors + Plural + Projektoriai + + + + Replace Background + Pakeisti Foną + + + + Replace live background. + Pakeisti rodymo Gyvai foną. + + + + Reset Background + Atstatyti Foną + + + + Reset live background. + Atkurti rodymo Gyvai foną. + + + + s + The abbreviated unit for seconds + sek. + + + + Save && Preview + Išsaugoti ir Peržiūrėti + + + + Search + Paieška + + + + Search Themes... + Search bar place holder text + Temų Paieška... + + + + You must select an item to delete. + Privalote pasirinkti norimą ištrinti elementą. + + + + You must select an item to edit. + Privalote pasirinkti norimą redaguoti elementą. + + + + Settings + Nustatymai + + + + Save Service + Išsaugoti Pamaldų Programą + + + + Service + Pamaldų Programa + + + + Optional &Split + Pasirinktinis Pa&dalinimas + + + + Split a slide into two only if it does not fit on the screen as one slide. + Padalinti skaidrę į dvi tik tuo atveju, jeigu ji ekrane netelpa kaip viena skaidrė. + + + + Start %s + + + + + Stop Play Slides in Loop + Nustoti Rodyti Skaidres Ciklu + + + + Stop Play Slides to End + Nustoti Rodyti Skaidres iki Galo + + + + Theme + Singular + Tema + + + + Themes + Plural + Temos + + + + Tools + Įrankiai + + + + Top + Viršuje + + + + Unsupported File + Nepalaikomas Failas + + + + Verse Per Slide + Kiekviena Biblijos eilutė atskiroje skaidrėje + + + + Verse Per Line + Kiekviena Biblijos eilutė naujoje eilutėje + + + + Version + Versija + + + + View + + + + + View Mode + Rodinio Veiksena + + + + CCLI song number: + CCLI giesmės numeris: + + + + OpenLP 2.2 + OpenLP 2.2 + + + + Preview Toolbar + Peržiūros Įrankių juosta + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + %s ir %s + + + + %s, and %s + Locale list separator: end + %s, ir %s + + + + %s, %s + Locale list separator: middle + %s, %s + + + + %s, %s + Locale list separator: start + %s, %s + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + <strong>Pateikties Papildinys</strong><br />Pateikties papildinys suteikia galimybę rodyti pateiktis, naudojant kelias skirtingas programas. Prieinamas pateikčių programas vartotojas gali pasirinkti išskleidžiamajame langelyje. + + + + Presentation + name singular + Pateiktis + + + + Presentations + name plural + Pateiktys + + + + Presentations + container title + Pateiktys + + + + Load a new presentation. + Įkelti naują pateiktį. + + + + Delete the selected presentation. + Ištrinti pasirinktą pateiktį. + + + + Preview the selected presentation. + Peržiūrėti pasirinktą pateiktį. + + + + Send the selected presentation live. + Siųsti pasirinktą pateiktį į rodymą Gyvai. + + + + Add the selected presentation to the service. + Pridėti pasirinktą pateiktį į pamaldų programą. + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + Pasirinkite Pateiktį(-is) + + + + Automatic + + + + + Present using: + Pateikti, naudojant: + + + + File Exists + Failas Jau Yra + + + + A presentation with that filename already exists. + Pateiktis tokiu failo pavadinimu jau yra. + + + + This type of presentation is not supported. + Šis pateikties tipas nėra palaikomas. + + + + Presentations (%s) + Pateiktys (%s) + + + + Missing Presentation + Trūksta Pateikties + + + + The presentation %s is incomplete, please reload. + Pateiktis %s yra nepilna, prašome įkelti iš naujo. + + + + The presentation %s no longer exists. + Pateikties %s jau nebėra. + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + Powerpoint integravime įvyko klaida ir pateiktis bus sustabdyta. Paleiskite pateiktį iš naujo, jei norite ją pristatyti. + + + + PresentationPlugin.PresentationTab + + + Available Controllers + Prieinami Valdikliai + + + + %s (unavailable) + %s (neprieinama) + + + + Allow presentation application to be overridden + Leisti pateikčių programai būti nustelbtai + + + + PDF options + PDF parinktys + + + + Use given full path for mudraw or ghostscript binary: + Naudoti nurodytą pilną kelią mudraw ar ghostscript dvejetainėms: + + + + Select mudraw or ghostscript binary. + Pasirinkite mudraw ar ghostscript dvejetaines. + + + + The program is not ghostscript or mudraw which is required. + Programa nėra reikiamas ghostscript ar mudraw. + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + <strong>Nuotolinės Prieigos Papildinys</strong><br />Nuotolinės prieigos papildinys suteikia galimybę siųsti pranešimus kitame kompiuteryje vykdomai OpenLP versijai per žiniatinklio naršyklę ar per nuotolinę API sąsają. + + + + Remote + name singular + Nuotolinė prieiga + + + + Remotes + name plural + + + + + Remote + container title + Nuotolinė prieiga + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + Serverio konfigūracijos pakeitimų įsigaliojimui reikalingas paleidimas iš naujo. + + + + RemotePlugin.Mobile + + + Service Manager + Pamaldų Programos Tvarkytuvė + + + + Slide Controller + Skaidrių Valdiklis + + + + Alerts + Įspėjimai + + + + Search + Paieška + + + + Home + Pradžia + + + + Refresh + Įkelti iš naujo + + + + Blank + Uždengti + + + + Theme + Tema + + + + Desktop + Darbastalis + + + + Show + Rodyti + + + + Prev + + + + + Next + Kitas + + + + Text + Tekstas + + + + Show Alert + Rodyti Įspėjimą + + + + Go Live + Rodyti Gyvai + + + + Add to Service + Pridėti prie Pamaldų Programos + + + + Add &amp; Go to Service + Pridėti ir pereiti prie Pamaldų programos + + + + No Results + Nėra Rezultatų + + + + Options + Parinktys + + + + Service + Pamaldų Programa + + + + Slides + Skaidrės + + + + Settings + Nustatymai + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + OpenLP 2.2 Scenos Rodinys + + + + OpenLP 2.2 Live View + OpenLP 2.2 Gyvai Rodinys + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + Aptarnavimo IP adresas: + + + + Port number: + Prievado numeris: + + + + Server Settings + Serverio Nustatymai + + + + Remote URL: + Nuotolinis URL: + + + + Stage view URL: + Scenos rodinio URL: + + + + Display stage time in 12h format + Rodyti scenos laiką 12 valandų formatu + + + + Android App + Android Programa + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + Nuskenuokite QR kodą arba spustelėkite <a href="https://play.google.com/store/apps/details?id=org.openlp.android">atsisiųsti</a>, kad įdiegtumėte Android programą iš Google Play. + + + + Live view URL: + Gyvo rodinio URL: + + + + HTTPS Server + HTTPS Serveris + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + Nepavyko rasti SSL sertifikato. HTTPS serveris nebus prieinamas tol, kol nebus rastas SSL sertifikatas. Išsamesnės informacijos ieškokite naudojimo vadove. + + + + User Authentication + Vartotojo Tapatybės Nustatymas + + + + User id: + Vartotojo id: + + + + Password: + Slaptažodis: + + + + Show thumbnails of non-text slides in remote and stage view. + Rodyti netekstinių skaidrių miniatiūras nuotoliniame ir scenos rodinyje. + + + + SongUsagePlugin + + + &Song Usage Tracking + Giesmių &Naudojimo Sekimas + + + + &Delete Tracking Data + Iš&trinti Sekimo Duomenis + + + + Delete song usage data up to a specified date. + Ištrinti giesmių naudojimo duomenis iki nurodytos datos. + + + + &Extract Tracking Data + Iš&skleisti Sekimo Duomenis + + + + Generate a report on song usage. + Kurti giesmių naudojimo ataskaitą. + + + + Toggle Tracking + Perjungti Sekimą + + + + Toggle the tracking of song usage. + Perjungti giesmių naudojimo sekimą. + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + <strong>Giesmių Naudojimo Papildinys</strong><br />Šis papildinys seka giesmių naudojimą pamaldų metu. + + + + SongUsage + name singular + Giesmių Naudojimas + + + + SongUsage + name plural + Giesmių Naudojimas + + + + SongUsage + container title + Giesmių Naudojimas + + + + Song Usage + Giesmių Naudojimas + + + + Song usage tracking is active. + Giesmių naudojimo sekimas yra aktyvus. + + + + Song usage tracking is inactive. + Giesmių naudojimo sekimas yra neaktyvus. + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + Ištrinti Giesmių Naudojimo Duomenis + + + + Delete Selected Song Usage Events? + Ištrinti Pasirinktus Giesmių Naudojimo Įvykius? + + + + Are you sure you want to delete selected Song Usage data? + Ar tikrai norite ištrinti pasirinktus Giesmių Naudojimo duomenis? + + + + Deletion Successful + Ištrynimas Sėkmingas + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + Pasirinkite datą, iki kurios turėtų būti ištrinti giesmių naudojimo duomenys. +Visi iki šios datos įrašyti duomenys bus negrįžtamai ištrinti. + + + + All requested data has been deleted successfully. + Visi užklausti duomenys buvo sėkmingai ištrinti. + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + Giesmių Naudojimo Išskleidimas + + + + Select Date Range + Pasirinkite Datos Atkarpą + + + + to + iki + + + + Report Location + Ataskaitos Vieta + + + + Output File Location + Išvesties Failo Vieta + + + + usage_detail_%s_%s.txt + + + + + Report Creation + Ataskaitos Kūrimas + + + + Report +%s +has been successfully created. + Ataskaita +%s +sėkmingai sukurta. + + + + Output Path Not Selected + Nepasirinktas Išvesties Kelias + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + Jūs nepasirinkote savo giesmių naudojimo ataskaitai teisingos išvesties vietos. +Prašome pasirinkti, savo kompiuteryje esantį, kelią. + + + + Report Creation Failed + Ataskaitos Kūrimas Nepavyko + + + + An error occurred while creating the report: %s + Įvyko klaida, kuriant ataskaitą: %s + + + + SongsPlugin + + + &Song + &Giesmę + + + + Import songs using the import wizard. + Importuoti giesmes, naudojant importavimo vedlį. + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + <strong>Giesmių Papildinys</strong><br />Giesmių papildinys suteikia galimybę rodyti bei valdyti giesmes. + + + + &Re-index Songs + Iš naujo &indeksuoti Giesmes + + + + Re-index the songs database to improve searching and ordering. + Iš naujo indeksuoti giesmių duomenų bazę, kad pagerinti paiešką ir rikiavimą. + + + + Reindexing songs... + Iš naujo indeksuojamos giesmės... + + + + Arabic (CP-1256) + Arabų (CP-1256) + + + + Baltic (CP-1257) + Baltų (CP-1257) + + + + Central European (CP-1250) + Vidurio Europos (CP-1250) + + + + Cyrillic (CP-1251) + Kirilica (CP-1251) + + + + Greek (CP-1253) + Graikų (CP-1253) + + + + Hebrew (CP-1255) + Hebrajų (CP-1255) + + + + Japanese (CP-932) + Japonų (CP-932) + + + + Korean (CP-949) + Korėjiečių (CP-949) + + + + Simplified Chinese (CP-936) + Kinų, supaprastintoji (CP-936) + + + + Thai (CP-874) + Tajų (CP-874) + + + + Traditional Chinese (CP-950) + Kinų, tradicinė (CP-950) + + + + Turkish (CP-1254) + Turkų (CP-1254) + + + + Vietnam (CP-1258) + Vietnamiečių (CP-1258) + + + + Western European (CP-1252) + Vakarų Europos (CP-1252) + + + + Character Encoding + Simbolių Koduotė + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + Prašome pasirinkti simbolių koduotę. +Koduotė atsakinga už teisingą simbolių atvaizdavimą. + + + + Song + name singular + Giesmė + + + + Songs + name plural + Giesmės + + + + Songs + container title + Giesmės + + + + Exports songs using the export wizard. + Eksportuoja giesmes per eksportavimo vedlį. + + + + Add a new song. + Pridėti naują giesmę. + + + + Edit the selected song. + Redaguoti pasirinktą giesmę. + + + + Delete the selected song. + Ištrinti pasirinktą giesmę. + + + + Preview the selected song. + Peržiūrėti pasirinktą giesmę. + + + + Send the selected song live. + Siųsti pasirinktą giesmę į rodymą Gyvai. + + + + Add the selected song to the service. + Pridėti pasirinktą giesmę į pamaldų programą. + + + + Reindexing songs + Iš naujo indeksuojamos giesmės + + + + CCLI SongSelect + CCLI SongSelect + + + + Import songs from CCLI's SongSelect service. + Importuoti giesmes iš CCLI SongSelect tarnybos. + + + + Find &Duplicate Songs + Rasti &Giesmių Dublikatus + + + + Find and remove duplicate songs in the song database. + Rasti ir pašalinti giesmių duomenų bazėje esančius, giesmių dublikatus. + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + Žodžiai + + + + Music + Author who wrote the music of a song + Muzika + + + + Words and Music + Author who wrote both lyrics and music of a song + Žodžiai ir Muzika + + + + Translation + Author who translated the song + Vertimas + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + Autorių Priežiūra + + + + Display name: + Rodomas vardas: + + + + First name: + Vardas: + + + + Last name: + Pavardė: + + + + You need to type in the first name of the author. + Turite įrašyti autoriaus vardą. + + + + You need to type in the last name of the author. + Turite įrašyti autoriaus pavardę. + + + + You have not set a display name for the author, combine the first and last names? + Jūs nenustatėte rodomą autoriaus vardą, sujungti vardą ir pavardę? + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + Failas neturi teisingo plėtinio. + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + Neteisingas DreamBeam giesmės failas. Trūksta DreamSong žymės. + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + Administruoja %s + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + Netikėtas duomenų formatavimas. + + + + No song text found. + Nerasta giesmės teksto. + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + Šio failo nėra. + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + Nepavyko rasti "Songs.MB" failo. Jis turėtų būti tame pačiame aplanke, kuriame yra failas "Songs.DB". + + + + This file is not a valid EasyWorship database. + Šis failas nėra teisinga EasyWorship duomenų bazė. + + + + Could not retrieve encoding. + Nepavyko nuskaityti koduotės. + + + + SongsPlugin.EditBibleForm + + + Meta Data + Meta Duomenys + + + + Custom Book Names + Pasirinktini Knygų Pavadinimai + + + + SongsPlugin.EditSongForm + + + Song Editor + Giesmės Redaktorius + + + + &Title: + &Pavadinimas: + + + + Alt&ernate title: + Alt&ernatyvus pavadinimas: + + + + &Lyrics: + Giesmės žodžiai: + + + + &Verse order: + P&osmelių tvarka: + + + + Ed&it All + Re&daguoti Visą + + + + Title && Lyrics + Pavadinimas ir Giesmės žodžiai + + + + &Add to Song + &Pridėti prie Giesmės + + + + &Remove + Ša&linti + + + + &Manage Authors, Topics, Song Books + &Tvarkyti Autorius, Temas, Giesmynus + + + + A&dd to Song + Pri&dėti prie Giesmės + + + + R&emove + Ša&linti + + + + Book: + Knyga: + + + + Number: + Numeris: + + + + Authors, Topics && Song Book + Autoriai, Temos ir Giesmynai + + + + New &Theme + Nauja &Tema + + + + Copyright Information + Autorinių Teisių Informacija + + + + Comments + Komentarai + + + + Theme, Copyright Info && Comments + Tema, Autorinės Teisės ir Komentarai + + + + Add Author + Pridėti Autorių + + + + This author does not exist, do you want to add them? + Tokio autoriaus nėra, ar norite jį pridėti? + + + + This author is already in the list. + Šis autorius jau yra sąraše. + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + Jūs nepasirinkote teisingo autoriaus. Arba pasirinkite autorių iš sąrašo, arba įrašykite naują autorių ir spustelėkite mygtuką "Pridėti prie Giesmės", kad pridėtumėte naują autorių. + + + + Add Topic + Pridėti Temą + + + + This topic does not exist, do you want to add it? + Tokios temos nėra, ar norite ją pridėti? + + + + This topic is already in the list. + Ši tema jau yra sąraše. + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + Jūs nepasirinkote teisingos temos. Arba pasirinkite temą iš sąrašo, arba įrašykite naują temą ir spustelėkite mygtuką "Pridėti prie Giesmės", kad pridėtumėte naują temą. + + + + You need to type in a song title. + Turite įrašyti giesmės pavadinimą. + + + + You need to type in at least one verse. + Turite įrašyti bent vieną posmelį. + + + + Add Book + Pridėti Knygą + + + + This song book does not exist, do you want to add it? + Tokio giesmyno nėra, ar norite jį pridėti? + + + + You need to have an author for this song. + Ši giesmė privalo turėti autorių. + + + + Linked Audio + Susiję Garso Įrašai + + + + Add &File(s) + Pridėti &Failą(-us) + + + + Add &Media + Pridėti &Mediją + + + + Remove &All + Šalinti &Viską + + + + Open File(s) + Atidaryti Failą(-us) + + + + <strong>Warning:</strong> Not all of the verses are in use. + <strong>Įspėjimas:</strong> Panaudoti ne visi posmeliai. + + + + <strong>Warning:</strong> You have not entered a verse order. + <strong>Įspėjimas:</strong> Jūs neįvedėte posmelių tvarkos. + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + Neteisinga Posmelių Tvarka + + + + &Edit Author Type + &Keisti Autoriaus Tipą + + + + Edit Author Type + Keisti Autoriaus Tipą + + + + Choose type for this author + Pasirinkite šiam autoriui tipą + + + + SongsPlugin.EditVerseForm + + + Edit Verse + Redaguoti + + + + &Verse type: + &Posmo tipas: + + + + &Insert + Į&terpti + + + + Split a slide into two by inserting a verse splitter. + Padalinti skaidrę į dvi, įterpiant posmelio skirtuką. + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + Giesmių Eksportavimo Vedlys + + + + Select Songs + Pasirinkite Giesmes + + + + Check the songs you want to export. + Pažymėkite giesmes, kurias norite eksportuoti. + + + + Uncheck All + Nuimti žymėjimą nuo visų + + + + Check All + Pažymėti Visas + + + + Select Directory + Pasirinkite Katalogą + + + + Directory: + Katalogas: + + + + Exporting + Eksportuojama + + + + Please wait while your songs are exported. + Prašome palaukti, kol jūsų giesmės yra eksportuojamos. + + + + You need to add at least one Song to export. + Eksportavimui, turite pridėti bent vieną Giesmę. + + + + No Save Location specified + Nenurodyta Išsaugojimo vieta + + + + Starting export... + Pradedamas eksportavimas... + + + + You need to specify a directory. + Privalote nurodyti katalogą. + + + + Select Destination Folder + Pasirinkite Paskirties Aplanką + + + + Select the directory where you want the songs to be saved. + Pasirinkite katalogą, kuriame norite, kad būtų išsaugotos giesmės. + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + Šis vedlys padės jums eksportuoti savo giesmes į atvirą ir nemokamą <strong>OpenLyrics </strong> šlovinimo giesmės formatą. + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + Neteisingas Foilpresenter giesmės failas. Nerasta posmelių. + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + Pasirinkite Dokumentą/Pateikties Failus + + + + Song Import Wizard + Giesmių Importavimo Vedlys + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + Šis vedlys padės jums importuoti giesmes iš įvairių formatų. Žemiau, spustelėkite mygtuką Kitas, kad pradėtumėte procesą, pasirinkdami formatą, iš kurio importuoti. + + + + Generic Document/Presentation + Bendrinis Dokumentas/Pateiktis + + + + Add Files... + Pridėti Failus... + + + + Remove File(s) + Šalinti Failą(-us) + + + + Please wait while your songs are imported. + Prašome palaukti, kol bus importuotos jūsų giesmės. + + + + OpenLP 2.0 Databases + OpenLP 2.0 Duomenų Bazės + + + + Words Of Worship Song Files + Words Of Worship Giesmių Failai + + + + Songs Of Fellowship Song Files + Songs Of Fellowship Giesmių Failai + + + + SongBeamer Files + SongBeamer Failai + + + + SongShow Plus Song Files + SongShow Plus Giesmių Failai + + + + Foilpresenter Song Files + Foilpresenter Giesmių Failai + + + + Copy + Kopijuoti + + + + Save to File + Išsaugoti į Failą + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + The Songs of Fellowship importavimo įrankis buvo išjungtas, nes OpenLP negali pasiekti OpenOffice ar LibreOffice. + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + Bendrinis dokumento/pateikties importavimo įrankis buvo išjungtas, nes OpenLP negali pasiekti OpenOffice ar LibreOffice. + + + + OpenLyrics or OpenLP 2.0 Exported Song + OpenLyrics ar OpenLP 2.0 Eksportuota Giesmė + + + + OpenLyrics Files + OpenLyrics Failai + + + + CCLI SongSelect Files + CCLI SongSelect Failai + + + + EasySlides XML File + EasySlides XML Failas + + + + EasyWorship Song Database + EasyWorship Giesmių Duomenų Bazė + + + + DreamBeam Song Files + DreamBeam Giesmių Failai + + + + You need to specify a valid PowerSong 1.0 database folder. + Turite nurodyti teisingą PowerSong 1.0 duomenų bazės aplanką. + + + + ZionWorx (CSV) + ZionWorx (CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + Iš pradžių konvertuokite savo ZionWorx duomenų bazę į CSV tekstinį failą, kaip tai yra paaiškinta <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Naudotojo Vadove</a>. + + + + SundayPlus Song Files + SundayPlus Giesmių Failai + + + + This importer has been disabled. + Šis importavimo įrankis buvo išjungtas. + + + + MediaShout Database + MediaShout Duomenų Bazė + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + MediaShout importavimo įrankis yra palaikomas tik operacinėje sistemoje Windows. Jis buvo išjungtas dėl trūkstamo Python modulio. Norėdami naudotis šiuo moduliu, turėsite įdiegti "pyodbc" modulį. + + + + SongPro Text Files + SongPro Tekstiniai Failai + + + + SongPro (Export File) + SongPro (Eksportavimo Failas) + + + + In SongPro, export your songs using the File -> Export menu + Programoje SongPro, eksportuokite savo giesmes, naudodami meniu Failas->Eksportavimas + + + + EasyWorship Service File + EasyWorship Pamaldų Programos Failas + + + + WorshipCenter Pro Song Files + WorshipCenter Pro Giesmių Failai + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + WorshipCenter Pro importavimo įrankis yra palaikomas tik operacinėje sistemoje Windows. Jis buvo išjungtas dėl trūkstamo Python modulio. Norėdami naudotis šiuo moduliu, turėsite įdiegti "pyodbc" modulį. + + + + PowerPraise Song Files + PowerPraise Giesmių Failai + + + + PresentationManager Song Files + PresentationManager Giesmių Failai + + + + ProPresenter 4 Song Files + ProPresenter 4 Giesmių Failai + + + + Worship Assistant Files + Worship Assistant Failai + + + + Worship Assistant (CSV) + Worship Assistant (CSV) + + + + In Worship Assistant, export your Database to a CSV file. + Programoje Worship Assistant, eksportuokite savo Duomenų Bazę į CSV failą. + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + Pasirinkite Medija Failą(-us) + + + + Select one or more audio files from the list below, and click OK to import them into this song. + Žemiau pasirinkite vieną ar daugiau garso įrašo failų ir spustelėkite Gerai, kad importuotumėte juos į šią giesmę. + + + + SongsPlugin.MediaItem + + + Titles + Pavadinimai + + + + Lyrics + Giesmės žodžiai + + + + CCLI License: + CCLI Licencija: + + + + Entire Song + Visoje Giesmėje + + + + Are you sure you want to delete the %n selected song(s)? + + Ar tikrai norite ištrinti %n pasirinktą giesmę? + Ar tikrai norite ištrinti %n pasirinktas giesmes? + Ar tikrai norite ištrinti %n pasirinktų giesmių? + + + + + Maintain the lists of authors, topics and books. + Prižiūrėti autorių, temų ir giesmynų sąrašus. + + + + copy + For song cloning + + + + + Search Titles... + Pavadinimų Paieška... + + + + Search Entire Song... + Paieška Visoje Giesmėje... + + + + Search Lyrics... + Giesmės Žodžių Paieška... + + + + Search Authors... + Autorių Paieška... + + + + Search Song Books... + Giesmynų Paieška... + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + Nepavyko atidaryti MediaShout duomenų bazės. + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + Neteisinga OpenLP 2.0 giesmių duomenų bazė. + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + Eksportuojama "%s"... + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + Neteisingas OpenSong giesmės failas. Trūksta giesmės žymės. + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + Eilutės nerastos. Trūksta "PART" antraštės. + + + + No %s files found. + Nerasta %s failų. + + + + Invalid %s file. Unexpected byte value. + Neteisingas %s failas. Netikėta baito reikšmė. + + + + Invalid %s file. Missing "TITLE" header. + Neteisingas %s failas. Trūksta "TITLE" antraštės. + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + Neteisingas %s failas. Trūksta "COPYRIGHTLINE" antraštės. + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + Giesmynų Priežiūra + + + + &Name: + &Pavadinimas: + + + + &Publisher: + &Leidėjas: + + + + You need to type in a name for the book. + Turite įrašyti knygos pavadinimą. + + + + SongsPlugin.SongExportForm + + + Your song export failed. + Jūsų giesmių eksportavimas nepavyko. + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + Eksportavimas užbaigtas. Kad importuotumėte šiuos failus, naudokite <strong>OpenLyrics</strong> importavimo įrankį. + + + + Your song export failed because this error occurred: %s + Jūsų giesmių importavimas nepavyko, nes įvyko ši klaida: %s + + + + SongsPlugin.SongImport + + + copyright + autorinės teisės + + + + The following songs could not be imported: + Nepavyko importuoti sekančių giesmių: + + + + Cannot access OpenOffice or LibreOffice + Nepavyko prieiti prie OpenOffice ar LibreOffice + + + + Unable to open file + Nepavyko atidaryti failą + + + + File not found + Failas nerastas + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + Nepavyko pridėti autoriaus. + + + + This author already exists. + Šis autorius jau yra. + + + + Could not add your topic. + Nepavyko pridėti jūsų temos. + + + + This topic already exists. + Tokia tema jau yra. + + + + Could not add your book. + Nepavyko pridėti jūsų knygos. + + + + This book already exists. + Ši knyga jau yra. + + + + Could not save your changes. + Nepavyko išsaugoti jūsų pakeitimų. + + + + Could not save your modified author, because the author already exists. + Nepavyko išsaugoti jūsų modifikuoto autoriaus, nes jis jau yra. + + + + Could not save your modified topic, because it already exists. + Nepavyko išsaugoti jūsų modifikuotos temos, nes ji jau yra. + + + + Delete Author + Ištrinti Autorių + + + + Are you sure you want to delete the selected author? + Ar tikrai norite ištrinti pasirinktą autorių? + + + + This author cannot be deleted, they are currently assigned to at least one song. + Šis autorius negali būti ištrintas, nes jis yra priskirtas, mažiausiai, vienai giesmei. + + + + Delete Topic + Ištrinti Temą + + + + Are you sure you want to delete the selected topic? + Ar tikrai norite ištrinti pasirinktą temą? + + + + This topic cannot be deleted, it is currently assigned to at least one song. + Ši tema negali būti ištrinta, nes ji yra priskirta, mažiausiai, vienai giesmei. + + + + Delete Book + Ištrinti Knygą + + + + Are you sure you want to delete the selected book? + Ar tikrai norite ištrinti pasirinktą knygą? + + + + This book cannot be deleted, it is currently assigned to at least one song. + Ši knyga negali būti ištrinta, nes ji yra priskirta, mažiausiai, vienai giesmei. + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + Autorius %s jau yra. Ar norėtumėte, kad giesmės, kurių autorius %s, naudotų esantį autorių %s? + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + Tema %s jau yra. Ar norėtumėte, kad giesmės, kurių tema %s, naudotų esančią temą %s? + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + Knyga %s jau yra. Ar norėtumėte, kad giesmės, kurių knyga %s, naudotų esančią knygą %s? + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + CCLI SongSelect Importavimo Įrankis + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + <strong>Pastaba:</strong> Giesmių iš CCLI SongSelect tarnybos importavimui, reikalingas interneto ryšys. + + + + Username: + Vartotojo vardas: + + + + Password: + Slaptažodis: + + + + Save username and password + Išsaugoti vartotojo vardą ir slaptažodį + + + + Login + Prisijungti + + + + Search Text: + Paieškos Tekstas: + + + + Search + Paieška + + + + Found %s song(s) + Rasta %s giesmė(-ių) + + + + Logout + Atsijungti + + + + View + + + + + Title: + Pavadinimas: + + + + Author(s): + Autorius(-iai): + + + + Copyright: + Autorinės Teisės: + + + + CCLI Number: + CCLI Numeris: + + + + Lyrics: + Giesmės žodžiai: + + + + Back + Grįžti + + + + Import + Importuoti + + + + More than 1000 results + Daugiau kaip 1000 rezultatų + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + Jūsų paieška grąžino daugiau kaip 1000 rezultatų ir buvo sustabdyta. Prašome patobulinti savo paiešką, kad būtų gauti tikslesni rezultatai. + + + + Logging out... + Atsijungiama... + + + + Save Username and Password + Išsaugoti Vartotojo Vardą ir Slaptažodį + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + ĮSPĖJIMAS: Vartotojo vardo ir slaptažodžio išsaugojimas yra NESAUGUS, jūsų slaptažodis yra laikomas GRYNO TEKSTO pavidalu. Spustelėkite Taip, kad išsaugotumėte savo slaptažodį arba Ne, kad tai atšauktumėte. + + + + Error Logging In + Prisijungimo Klaida + + + + There was a problem logging in, perhaps your username or password is incorrect? + Įvyko prisijungimo klaida, galbūt, jūsų vartotojo vardas arba slaptažodis yra neteisingas? + + + + Song Imported + + + + + Incomplete song + Neužbaigta giesmė + + + + This song is missing some information, like the lyrics, and cannot be imported. + Šioje giesmėje trūksta kai kurios informacijos, tokios kaip giesmės žodžiai, todėl ji negali būti importuota. + + + + Your song has been imported, would you like to import more songs? + Jūsų giesmė importuota, ar norėtumėte importuoti daugiau giesmių? + + + + SongsPlugin.SongsTab + + + Songs Mode + Giesmių Veiksena + + + + Enable search as you type + Įjungti paiešką rinkimo metu + + + + Display verses on live tool bar + Rodyti posmelius rodymo Gyvai įrankių juostoje + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + Rodyti giesmyną poraštėje + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + Temų Priežiūra + + + + Topic name: + Temos pavadinimas: + + + + You need to type in a topic name. + Turite įrašyti temos pavadinimą. + + + + SongsPlugin.VerseType + + + Verse + Posmelis + + + + Chorus + Priegiesmis + + + + Bridge + Tiltelis + + + + Pre-Chorus + Prieš-Priegiesmis + + + + Intro + Įžanga + + + + Ending + Pabaiga + + + + Other + Kita + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + Neteisingas Words of Worship giesmės failas. Trūksta "CSongDoc::CBlock" eilutės. + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + Neteisingas Words of Worship giesmės failas. Trūksta "WoW File\nSong Words" antraštės. + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + Klaida, skaitant CSV failą. + + + + Line %d: %s + Eilutė %d: %s + + + + Decoding error: %s + Dekodavimo klaida: %s + + + + File not valid WorshipAssistant CSV format. + Failas yra neteisingo WorshipAssistant CSV formato. + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + Neįmanoma prisijungti prie WorshipCenter Pro duomenų bazės. + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Klaida, skaitant CSV failą. + + + + File not valid ZionWorx CSV format. + Failas nėra teisingo ZionWorx CSV formato. + + + + Line %d: %s + Eilutė %d: %s + + + + Decoding error: %s + Dekodavimo klaida: %s + + + + Record %d + + + + + Wizard + + + Wizard + Vedlys + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + Šis vedlys padės jums pašalinti giesmių dublikatus iš giesmių duomenų bazės. Jūs turėsite galimybę peržiūrėti kiekvieną galimą giesmės dublikatą prieš tai, kai jis bus ištrintas. Taigi, be jūsų aiškaus pritarimo nebus pašalinta nei viena giesmė. + + + + Searching for duplicate songs. + Ieškoma giesmių dublikatų. + + + + Please wait while your songs database is analyzed. + Prašome palaukti, kol bus išanalizuota jūsų giesmių duomenų bazė. + + + + Here you can decide which songs to remove and which ones to keep. + Čia galite nuspręsti, kurias giesmes pašalinti, o kurias palikti. + + + + Review duplicate songs (%s/%s) + Peržiūrėti giesmių dublikatus (%s/%s) + + + + Information + Informacija + + + + No duplicate songs have been found in the database. + Duomenų bazėje nerasta giesmių dublikatų. + + + diff --git a/resources/i18n/lv.ts b/resources/i18n/lv.ts new file mode 100644 index 000000000..99881634f --- /dev/null +++ b/resources/i18n/lv.ts @@ -0,0 +1,9574 @@ + + + + AlertsPlugin + + + &Alert + + + + + Show an alert message. + + + + + Alert + name singular + + + + + Alerts + name plural + + + + + Alerts + container title + + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + + + + + Alert &text: + + + + + &New + + + + + &Save + un saglabāt + + + + Displ&ay + + + + + Display && Cl&ose + + + + + New Alert + Jauns ziņojums + + + + &Parameter: + + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + Izveidots un attēlots paziņojuma teksts. + + + + AlertsPlugin.AlertsTab + + + Font + Burti + + + + Font name: + Burtu veids: + + + + Font color: + Burtu krāsa: + + + + Background color: + Fona krāsa: + + + + Font size: + Burtu izmērs: + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + + + + + Bible + name singular + Bībele + + + + Bibles + name plural + Bībeles + + + + Bibles + container title + Bībeles + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + Importēt Bībeli. + + + + Add a new Bible. + Pievienot jaunu Bībeli. + + + + Edit the selected Bible. + Rediģēt atzīmēto Bībeli. + + + + Delete the selected Bible. + Dzēst atzīmēto Bībeli. + + + + Preview the selected Bible. + Pārbaudīt atzīmēto Bībeli. + + + + Send the selected Bible live. + + + + + Add the selected Bible to the service. + Izmantot atzīmētās Bībeles šai kalpošanā. + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + un atjaunojiet vecāka veida Bībeles + + + + Upgrade the Bible databases to the latest format. + + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + Tīmekļa Bībele nav pieejama + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + Vēl neviena Bībele nav instalēta. Lūdzu izmantojiet importēšanas vedni (ang. wizard) vienas vai vairāku Bībeles tekstu instalēšanai. + + + + No Bibles Available + Nav pieejamas Bībeles + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + Rādīt pantu + + + + Only show new chapter numbers + Rādīt tikai jaunās nodaļas numurus + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + ( un ) + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Latvian + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + Vecā derība + + + + New Testament + Jaunā derība + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Latvian + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + No: + + + + To: + Līdz: + + + + Text Search + Meklēt tekstā + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + Fona krāsa: + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + Bībele + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + + + + + &Open + + + + + Open an existing service. + + + + + &Save + un saglabāt + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Latvian + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + Iestatījumi + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + Ekrāns + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + Fona krāsa: + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + Iestatījumi + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + Tēma + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + Tēma + + + + Desktop + Ekrāns + + + + Show + + + + + Prev + + + + + Next + Nākamais + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + Iestatījumi + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/mk.ts b/resources/i18n/mk.ts new file mode 100644 index 000000000..91e21024e --- /dev/null +++ b/resources/i18n/mk.ts @@ -0,0 +1,9587 @@ + + + + AlertsPlugin + + + &Alert + &Предупредување + + + + Show an alert message. + Покажи порака за предупредување + + + + Alert + name singular + Предупредување + + + + Alerts + name plural + Предупредувања + + + + Alerts + container title + Предупредувања + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + Предупредувачка порака + + + + Alert &text: + Предупредување &текст + + + + &New + &Нов + + + + &Save + &Зачувај + + + + Displ&ay + Прика&жи + + + + Display && Cl&ose + Прикажи && За&твори + + + + New Alert + Ново предупредување + + + + &Parameter: + &Параметар + + + + No Parameter Found + Параметар не е пронајден + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Немате внесено параметар за да биде заменет.⏎ +Дали сакате да продолжите? + + + + No Placeholder Found + Не е пронајдена местоположба + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Текстот за предупредување не содржи'<>'.⏎ +Дали сакате да продолжите? + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + Предупредувачка порака е направена и прикажана. + + + + AlertsPlugin.AlertsTab + + + Font + Фонт + + + + Font name: + Име на фонтот: + + + + Font color: + Боја на фонт + + + + Background color: + Боја на позадина: + + + + Font size: + Големина на фонт: + + + + Alert timeout: + Времетраење на предупредување: + + + + BiblesPlugin + + + &Bible + &Библија + + + + Bible + name singular + Библија + + + + Bibles + name plural + Библии + + + + Bibles + container title + Библии + + + + No Book Found + Книгата не е најдена + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + Нема таква книга во оваа Библија. Провери дали е напишано името на книгата правилно. + + + + Import a Bible. + Внеси Библија. + + + + Add a new Bible. + Додади нова Библија + + + + Edit the selected Bible. + Уреди ја избраната Библија. + + + + Delete the selected Bible. + Избриши ја избраната Библија + + + + Preview the selected Bible. + Прегледај ја избраната Библија. + + + + Send the selected Bible live. + Пушти ја одбраната Библија во живо + + + + Add the selected Bible to the service. + Додај ја одбраната Библија во служба + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + <strong>Додаток за Библија</strong><br />Додатокот за Библија дава можност да се прикажат Библиски стихови од различни извори за време на службата. + + + + &Upgrade older Bibles + &Надгради постари Библии + + + + Upgrade the Bible databases to the latest format. + Надгради ги базите на Библијата до најновиот формат + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + Треба да одредиш име на верзијата на Библијата. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Треба да одредиш авторски права за Библијата. Библиите од јавна сопственост треба да бидат обележани како такви. + + + + Bible Exists + Оваа Библија веќе постои + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + Оваа Библија беќе постои. Внеси друга Библија или прво избриши ја постоечката. + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + Грешка при повикување на стих + + + + Web Bible cannot be used + Web Библијата не може да се користи + + + + Text Search is not available with Web Bibles. + Текстуално пребарување не е достапно со Web Библии + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + Немаш внесено клучен збор за пребарување.⏎ +Можеш да одделиш различни зборови со празно место за да ги пребараш сите клучни зборови и можеш да ги одделиш со запирка за да пребаруваш само еден збор. + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + Во моментов нема инсталирани Библии. Искористи го волшебникот за Внесување да инсталираш една. + + + + No Bibles Available + Нема достапни Библии + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + Приказ на стихови + + + + Only show new chapter numbers + Покажи само бројки на новите поглавја + + + + Bible theme: + Тема на Библијата: + + + + No Brackets + Без загради + + + + ( And ) + ( И ) + + + + { And } + { И } + + + + [ And ] + [ И ] + + + + Note: +Changes do not affect verses already in the service. + Забелешка:⏎ +Промените немаат ефект врз стиховите веќе во служба. + + + + Display second Bible verses + Прикажи стихови од втората Библија + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Macedonian + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + Одбери име на книга + + + + Current name: + Име: + + + + Corresponding name: + Соодветно име: + + + + Show Books From + Покажи книги од + + + + Old Testament + Новиот Завет + + + + New Testament + Новиот Завет + + + + Apocrypha + Апокрифи + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + Треба да одбереш книга + + + + BiblesPlugin.CSVBible + + + Importing books... %s + Внесување книги... %s + + + + Importing verses... done. + Внесување на стихови... завршено. + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + Детали за лиценца + + + + Version name: + Верзија: + + + + Copyright: + Авторски права: + + + + Permissions: + Дозволи + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Macedonian + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + Регистрирање Библија и вчитување на книги... + + + + Registering Language... + Регистрирам јазик... + + + + Importing %s... + Importing <book name>... + Внесување %s... + + + + Download Error + Грешка при симнување + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + Има проблем при симнувањето на одбраните стихови. Проверете ја интернет конекцијата, и ако проблемот продолжи ве молиме пријавете грешка во програмата. + + + + Parse Error + Грешка при анализа + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + Има проблем при отпакувањето на одбраните стихови. Ако проблемот продолжи ве молиме пријавете грешка во програмата. + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + Волшебник за внесување Библија + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + Овој волшебник ке ти помогне да внесеш Библии од повеќе формати. Притисни го копчето следно за да почнеш со одбирање на форматот од кој ке внесуваш. + + + + Web Download + Web симнување + + + + Location: + Локација: + + + + Crosswalk + Премин + + + + BibleGateway + Библиски портал + + + + Bible: + Библија: + + + + Download Options + Опции за симнување + + + + Server: + Сервер: + + + + Username: + Корисничко име: + + + + Password: + Лозинка: + + + + Proxy Server (Optional) + Proxy Сервер (по избор) + + + + License Details + Детали за лиценца + + + + Set up the Bible's license details. + Постави детали околу лиценцата на Библијата. + + + + Version name: + Верзија: + + + + Copyright: + Авторски права: + + + + Please wait while your Bible is imported. + Ве молам почекајте дадека Библијата се внесе. + + + + You need to specify a file with books of the Bible to use in the import. + Треба да одредиш фајл со книги од Библијата за да внесеш. + + + + You need to specify a file of Bible verses to import. + Треба да одредиш фајл со Библиски стихови за внесување. + + + + You need to specify a version name for your Bible. + Треба да одредиш име на верзијата на Библијата. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Треба да одредиш авторски права за Библијата. Библиите од јавна сопственост треба да бидат обележани како такви. + + + + Bible Exists + Оваа Библија веќе постои + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + Оваа Библија беќе постои. Внеси друга Библија или прво избриши ја постоечката. + + + + Your Bible import failed. + Внесувањето на Библијата е неуспешно. + + + + CSV File + CSF фајл + + + + Bibleserver + Сервер на Библии + + + + Permissions: + Дозволи + + + + Bible file: + Фајл од Библија: + + + + Books file: + Фајл од Книга: + + + + Verses file: + Фајл од стихови: + + + + Registering Bible... + Регистрирам Библија... + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + Одбери јазик + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + OpenLP неможе да го одреди јазикот од преводот на Библијава. Одберет го јазикот од следната листа. + + + + Language: + Јазик: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + Мораш да одбереш јазик. + + + + BiblesPlugin.MediaItem + + + Quick + Брзо + + + + Find: + Најди: + + + + Book: + Книга: + + + + Chapter: + Глава: + + + + Verse: + Стих: + + + + From: + Од: + + + + To: + До: + + + + Text Search + Пребарување текст + + + + Second: + Втор: + + + + Scripture Reference + Референци во Писмото + + + + Toggle to keep or clear the previous results. + Уклучи за да ги избришеш претходните резултати. + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + Неможеш да комбинираш пребарувања на стихови од една или две библии. Дали сакаш да го избришеш резултато и да поќнеш друго пребарување? + + + + Bible not fully loaded. + Библијата е нецолосно вчитана. + + + + Information + Информација + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + Втората Библија не ги содржи сите стихови од првата библија. Само стиховите што ги има и во двете библии ке се прикажат. %d стихови не се прикажани во резултатот. + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + Одбери место за резервна копија + + + + Bible Upgrade Wizard + Волшебник за надградба на Библија + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + Овој волшебник ќе ти помогне да ја надградиш постоечката библија од претходна верзија на OpenLP 2. Притисни го копчето следно да започнеш со процесот на надградба. + + + + Select Backup Directory + Одбери место за резервна копија + + + + Please select a backup directory for your Bibles + Одбери место за резервна копија за твоите Библии + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + Претходни изданија на OpenLP 2.0 неможат да користат надградени Библии. Ова ќе направи резервна копија на постоечките Библии за да можеш потоа само да ги копираш фајловите назад во OpenLP data директориумот ако имаш потреба да се вратиш на претходната верзија. Инструкции за тоа ќе најдеш на страната <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + Please select a backup location for your Bibles. + Одбери место за резервна копија на твоите Библии + + + + Backup Directory: + Место за резервна копија: + + + + There is no need to backup my Bibles + Нема потреба да се прави резервна копија на моите Библии + + + + Select Bibles + Избери Библии + + + + Please select the Bibles to upgrade + Одбери ги Библиите за надградба + + + + Upgrading + Надградување + + + + Please wait while your Bibles are upgraded. + Почекајте додека Библиите се надградуваат. + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + Резервното копирање не беше успешно.⏎ +За да ги копираш библиите ти треба дозвола да запишуваш на дадената локација. + + + + Upgrading Bible %s of %s: "%s" +Failed + Надградување Библија%s of %s: "%s"⏎ +Неуспешно + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + Надградување Библија %s of %s: "%s"⏎ +Надградување... + + + + Download Error + Грешка при симнување + + + + To upgrade your Web Bibles an Internet connection is required. + Да ги надградиш твоите Web Библии ти треба интернет конекција. + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + Надградување библија %s of %s: "%s"⏎ +Надградување %s ... + + + + Upgrading Bible %s of %s: "%s" +Complete + Надградување Библија %s of %s: "%s"⏎ +Завршено + + + + , %s failed + , %s неуспешно + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + Надградување Библија(и) %s успешно%s⏎ +Стихови од web библии ќе бидат симнати по ваше барање а за тоа треба интернет конекција. + + + + Upgrading Bible(s): %s successful%s + Надградување Библија(и) %s успешно%s + + + + Upgrade failed. + Надградбата не успеа. + + + + You need to specify a backup directory for your Bibles. + Треба да одбереш локазија за резервната копија на твоите Библии. + + + + Starting upgrade... + Започнувам надградба + + + + There are no Bibles that need to be upgraded. + Нема Библии што им треба надградба + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + Сопствен слајд + + + + Custom Slides + name plural + Сопствени слајдови + + + + Custom Slides + container title + Сопствени слајдови + + + + Load a new custom slide. + Вчитај нов сопствен слајд. + + + + Import a custom slide. + Внеси сопствен слјад. + + + + Add a new custom slide. + Додади нов сопствен слајд. + + + + Edit the selected custom slide. + Уреди го избраниот сопствен слајд. + + + + Delete the selected custom slide. + Избриши го избраниот сопствен слајд. + + + + Preview the selected custom slide. + Прегледај го избраниот сопствен слајд. + + + + Send the selected custom slide live. + Прати го избраниот сопствен слајд во живо + + + + Add the selected custom slide to the service. + Додади го избраниот сопствен слајд во службата. + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + Сопствен приказ + + + + Display footer + Прикажи footer + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + Уреди сопствени слајдови + + + + &Title: + &Наслов: + + + + Add a new slide at bottom. + Додај нов слајд на дното. + + + + Edit the selected slide. + Уреди го избраниот слајд. + + + + Edit all the slides at once. + Уреди ги сите слајдови одеднаш. + + + + Split a slide into two by inserting a slide splitter. + Подели слајд на две со внесување на разделувач на слајдови. + + + + The&me: + Те&ма: + + + + &Credits: + &Заслуги: + + + + You need to type in a title. + Треба да напишеш наслов + + + + Ed&it All + Уре&ди ги сите + + + + Insert Slide + Внеси слајд + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + <strong>Додаток за слики</strong><br />Додатокот за слики прикажува слики.<br />Една од особините на овој додаток е можноста да се групираат повеќе слики во менаџерот на служба заедно, со што се олеснува прикажувањето на слики. Овој додаток може да го искористи опцијата за "временско повторување" да направи слајд шоу што оди автоматски. Како додаток на ова, слики од додатокот може да се искористат како замена за тековната позадинска тема, што рендерира текстуални предмети како песни со избрана слика како позадина наместо позадината овозможена од темата. + + + + Image + name singular + Слика + + + + Images + name plural + Слики + + + + Images + container title + Слики + + + + Load a new image. + Внеси нова слика + + + + Add a new image. + Додај нова слика. + + + + Edit the selected image. + Уреди ја избраната слика. + + + + Delete the selected image. + Избриши одбрана слика + + + + Preview the selected image. + Прика=и одбрана слика. + + + + Send the selected image live. + Прати ја избраната слика во живо + + + + Add the selected image to the service. + Додај избрана слика на служба. + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + Избери Attachment + + + + ImagePlugin.MediaItem + + + Select Image(s) + Избери Слика(и) + + + + You must select an image to replace the background with. + Мораш да избереш слика со која ќе ја замениш позадината. + + + + Missing Image(s) + Недостасува слика(и) + + + + The following image(s) no longer exist: %s + Следните слика(и) повеќе не постојат: %s + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + Следните слика(и) повеќе не постојат: %s⏎ +Сакаш ли да ги додадеш другите слики? + + + + There was a problem replacing your background, the image file "%s" no longer exists. + Имаше проблем со замената на позадина, сликата "%s" не постои повеќе. + + + + There was no display item to amend. + Немаше дисплеј ставка да се измени. + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + <strong>Медиа додаток</strong><br />Медиа додатокот овозможува репродуцирање на звук и видео. + + + + Media + name singular + Медиа + + + + Media + name plural + Медиа + + + + Media + container title + Медиа + + + + Load new media. + Вчитај нова медиа + + + + Add new media. + Додај нова медиа + + + + Edit the selected media. + Удери ја избраната Медиа. + + + + Delete the selected media. + Избричи ја избраната медиа. + + + + Preview the selected media. + Прегледај ја избраната медиа. + + + + Send the selected media live. + Прати ја избраната медиа во живо. + + + + Add the selected media to the service. + Додај ја избраната медиа во службата. + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + Избери медиа + + + + You must select a media file to delete. + Мораш да избереш медиа фајл за да го избришеш. + + + + You must select a media file to replace the background with. + Мораш да избереш медиа фајл со кој ќе ја замениш позадината. + + + + There was a problem replacing your background, the media file "%s" no longer exists. + Имаше проблем со заменувањето на позадината, медиа фајлот "%s" повеќе не постои. + + + + Missing Media File + Недостасува медиа фајл + + + + The file %s no longer exists. + Фајлот %s повеќе не постои. + + + + Videos (%s);;Audio (%s);;%s (*) + Видеа (%s);;Аудио (%s);;%s (*) + + + + There was no display item to amend. + Немаше дисплеј ставка да се измени. + + + + Unsupported File + Неподдржан фајл + + + + Use Player: + Користи плеер: + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + Слики + + + + Information + Информација + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + Библискиот формат се промени.⏎ +Треба да ги надградиш постоечките библии.⏎ +Дали OpenLP да надградува? + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + Заслуги + + + + License + Лиценца + + + + build %s + Изградба %s + + + + 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; version 2 of the License. + Овој програм е бесплатен софтвер; можеш да го редистрибуираш и/или модифицираш под условите од GNU General Public License како што е објавено од Free Software Foundation; верзија 2 на лиценцата. + + + + 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 below for more details. + Овој програм е дистрибуиран со надеж дека ќе биде корисен, но БЕЗ НИКАКВА ГАРАНЦИЈА; дури без имплицирана гаранција при ПРОДАЖБА или ПРИЛАГОДУВАЊЕ ЗА ОДРЕДЕНА НАМЕНА. Погледни поделе за повеќе детали. + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + Подесувања на кориснички интерфејс + + + + Number of recent files to display: + Број на неодамнечни фајлови за прикажување: + + + + Remember active media manager tab on startup + Запамти го табот активен медиа менаџер на стартување + + + + Double-click to send items straight to live + Двоен клик да ги пратиш содржина во живо + + + + Expand new service items on creation + Прошири ја содржината на новата служба на создавањето + + + + Enable application exit confirmation + + + + + Mouse Cursor + Стрелка на глувчето + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + Боја на позадина: + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + Библија + + + + Images + Слики + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + Сопствени слајдови + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + Грешка при симнување + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + &Нов + + + + &Open + + + + + Open an existing service. + + + + + &Save + &Зачувај + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Macedonian + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + Достапни медиа плеери + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + %s (недостапно) + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + Јазик: + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + Боја на позадина: + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + Автоматски + + + + Background Color + Боја на позадина + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + Стандардна боја: + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + Слика + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + Неподдржан фајл + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + Автоматски + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + %s (недостапно) + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + Предупредувања + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + Лозинка: + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + &Наслов: + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + Уре&ди ги сите + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + Книга: + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + Корисничко име: + + + + Password: + Лозинка: + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + Авторски права: + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + Информација + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/ml.ts b/resources/i18n/ml.ts new file mode 100644 index 000000000..9e4fbd7c7 --- /dev/null +++ b/resources/i18n/ml.ts @@ -0,0 +1,9572 @@ + + + + AlertsPlugin + + + &Alert + &ജാഗ്രത + + + + Show an alert message. + ജാഗ്രത സന്ദേശം കാണിക്കുക + + + + Alert + name singular + ജാഗ്രത + + + + Alerts + name plural + ജാഗ്രതകള്‍ + + + + Alerts + container title + ജാഗ്രതകള്‍ + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + ജാഗ്രത സന്ദേശം + + + + Alert &text: + ജാഗ്രത &text: + + + + &New + &പുതിയ + + + + &Save + &സൂക്ഷിക്കുക + + + + Displ&ay + കാണിക്കുക + + + + Display && Cl&ose + കാണിക്കുക അടയ്ക്കുക + + + + New Alert + പുതിയ ജാഗ്രത + + + + &Parameter: + + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + ജാഗ്രത + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + ജാഗ്രത + + + + AlertsPlugin.AlertsTab + + + Font + + + + + Font name: + + + + + Font color: + + + + + Background color: + + + + + Font size: + + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + + + + + Bible + name singular + ബൈബിള്‍ + + + + Bibles + name plural + ബൈബിളുകള്‍ + + + + Bibles + container title + ബൈബിളുകള്‍ + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + ബൈബിള്‍ + + + + Add a new Bible. + ബൈബിള്‍ + + + + Edit the selected Bible. + ബൈബിള്‍ + + + + Delete the selected Bible. + ബൈബിള്‍ + + + + Preview the selected Bible. + ബൈബിള്‍ + + + + Send the selected Bible live. + ബൈബിള്‍ + + + + Add the selected Bible to the service. + ബൈബിള്‍ + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + <strong>ബൈബിള്‍ Plugin</strong><br />The ബൈബിള്‍ plugin provides the ability to display Bible verses from different sources during the service. + + + + &Upgrade older Bibles + ബൈബിളുകള്‍ + + + + Upgrade the Bible databases to the latest format. + ബൈബിള്‍ + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + ബൈബിള്‍ + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + ബൈബിളുകള്‍ + + + + Bible Exists + ബൈബിള്‍ + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + ബൈബിള്‍ + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + ബൈബിള്‍ + + + + Text Search is not available with Web Bibles. + ബൈബിളുകള്‍ + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + ബൈബിളുകള്‍ + + + + No Bibles Available + ബൈബിളുകള്‍ + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Malayalam + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Malayalam + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + ബൈബിള്‍ + + + + You need to specify a file with books of the Bible to use in the import. + ബൈബിള്‍ + + + + You need to specify a file of Bible verses to import. + ബൈബിള്‍ + + + + You need to specify a version name for your Bible. + ബൈബിള്‍ + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + ബൈബിളുകള്‍ + + + + Bible Exists + ബൈബിള്‍ + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + ബൈബിള്‍ + + + + Your Bible import failed. + ബൈബിള്‍ + + + + CSV File + + + + + Bibleserver + ബൈബിള്‍ + + + + Permissions: + + + + + Bible file: + ബൈബിള്‍ + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + ബൈബിള്‍ + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + ബൈബിള്‍ + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Text Search + + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + ബൈബിള്‍ + + + + Bible not fully loaded. + ബൈബിള്‍ + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + ബൈബിള്‍ + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + ബൈബിള്‍(s): %s successful%s⏎ + + + + Upgrading Bible(s): %s successful%s + ബൈബിള്‍(s): %s successful%s + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + ബൈബിള്‍ + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + &പുതിയ + + + + &Open + + + + + Open an existing service. + + + + + &Save + &സൂക്ഷിക്കുക + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Malayalam + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + ജാഗ്രതകള്‍ + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/nb.ts b/resources/i18n/nb.ts index df91eb588..f578cfe35 100644 --- a/resources/i18n/nb.ts +++ b/resources/i18n/nb.ts @@ -3,37 +3,37 @@ AlertsPlugin - + &Alert - &Varsel + &Melding - + Show an alert message. - Vis en varselmelding. + Vis en melding. - + Alert name singular - Varsel - - - - Alerts - name plural - Varsel + Melding Alerts - container title - Varsel + name plural + Meldinger - + + Alerts + container title + Meldinger + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. - <strong>Varsel</strong><br />Dette programtillegget kontrolerer visningen av varsel- og opplysningsmeldinger. + <strong>Meldinger</strong><br />Dette programtillegget kontrollerer visningen av varsel- og opplysningsmeldinger. @@ -41,12 +41,12 @@ Alert Message - Varselmelding + Meldinger Alert &text: - Varsel&tekst: + Meldings&tekst: @@ -71,7 +71,7 @@ New Alert - Nytt Varsel + Ny melding @@ -99,14 +99,14 @@ Vil du fortsette? The alert text does not contain '<>'. Do you want to continue anyway? - Varselteksten inneholder ikke '<>'. + Meldingsteksten inneholder ikke '<>'. Vil du fortsette likevel? You haven't specified any text for your alert. Please type in some text before clicking New. - Du har ikke spesifisert noen tekst for varselet. + Du har ikke spesifisert noen tekst for meldingen. Vennligst skriv inn tekst før du klikker Ny. @@ -115,7 +115,7 @@ Vennligst skriv inn tekst før du klikker Ny. Alert message created and displayed. - Varselmeldingen er laget og vist. + Meldingen er laget og vist. @@ -148,91 +148,91 @@ Vennligst skriv inn tekst før du klikker Ny. Alert timeout: - Varselvarighet: + Meldingsvarighet: BiblesPlugin - + &Bible &Bibel - + Bible name singular Bibel - + Bibles name plural Bibler - + Bibles container title Bibler - + No Book Found Ingen bok funnet - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Ingen samsvarende bok ble funnet i denne bibelen. Sjekk at du har stavet navnet på boken riktig. - + Import a Bible. Importer en ny bibel. - + Add a new Bible. Legg til en ny bibel. - + Edit the selected Bible. Rediger valgte bibel. - + Delete the selected Bible. Slett valgte bibel. - + Preview the selected Bible. Forhåndsvis valgte bibel. - + Send the selected Bible live. - Frem-vis valgte bibel. + Fremvis valgte bibel. - + Add the selected Bible to the service. Legg valgte bibelsitat til gudsteneste-/møteplanlegger. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bibel</strong><br />Dette tillegget gjør det mulig å vise bibelsitat fra ulike kilder under en gudstjeneste/møte. - + &Upgrade older Bibles &Oppgraderer eldre bibler - + Upgrade the Bible databases to the latest format. Oppgrader bibeldatabasen til nyeste format. @@ -429,7 +429,7 @@ Vennligst skriv inn tekst før du klikker Ny. Malachi - Malakias + Malaki @@ -574,7 +574,7 @@ Vennligst skriv inn tekst før du klikker Ny. Wisdom - Visdomens + Visdomsboken @@ -660,61 +660,61 @@ Vennligst skriv inn tekst før du klikker Ny. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + vers verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + vers - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - til + til , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + og end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + slutt @@ -722,12 +722,12 @@ Vennligst skriv inn tekst før du klikker Ny. You need to specify a version name for your Bible. - Du må angi et navn på bibelroversettingen. + Du må angi et navn på bibelroversettelsen. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - Du må angi rettighetene for Bibelen. Offentlig eiendom "PD" bibler må markeres deretter. + Du må angi rettighetene for Bibelen. Offentlig eiendom ("Public Domain") bibler må markeres deretter. @@ -737,7 +737,7 @@ Vennligst skriv inn tekst før du klikker Ny. This Bible already exists. Please import a different Bible or first delete the existing one. - Denne bibelen finnes allerede. Vennligst importere en annen bibel eller slett den eksisterende. + Denne bibelen finnes allerede. Vennligst importer en annen bibel eller slett den eksisterende. @@ -756,7 +756,7 @@ etterfølges av en eller flere ikke-numeriske tegn. Duplicate Book Name - Dublett bok-navn + Dublett boknavn @@ -767,39 +767,39 @@ etterfølges av en eller flere ikke-numeriske tegn. BiblesPlugin.BibleManager - + Scripture Reference Error - Bibelreferansefeil + Feil i bibelreferanse - + Web Bible cannot be used Nettbibel kan ikke brukes - + Text Search is not available with Web Bibles. Tekstsøk er ikke tilgjengelig med nettbibler. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Du har ikke angitt et søkeord. Du kan skille ulike søkeord med mellomrom for å søke etter alle søkeordene dine, og du kan skille dem med komma for å søke etter ett av dem. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Det er ingen bibler installert. Vennligst bruk importeringsveiviseren for å installere en eller flere bibler. - + No Bibles Available Ingen bibler tilgjengelig - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -898,25 +898,25 @@ Endringer påvirker ikke vers som allerede fins i møteprogrammet. Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - Flere alternative vers-skilletegn kan defineres. + Flere alternative versskilletegn kan defineres. De må skilles med en loddrett strek. "|" -Vennligst tøm denne redigerings-linjen for å bruke standardverdien. +Vennligst tøm denne redigeringslinjen for å bruke standardverdien. English - Norsk(bokmål) + Norsk (bokmål) Default Bible Language - For-valgt bibelspråk + Standard bibelspråk Book name language in search field, search results and on display: - Bok-navn språk i søkefelt, + Boknavn språk i søkefelt, søkeresultat og på skjerm: @@ -932,7 +932,7 @@ søkeresultat og på skjerm: Show verse numbers - Vis vers numrene + Vis versnumrene @@ -965,7 +965,7 @@ søkeresultat og på skjerm: New Testament - Der nye testamente + Det nye testamente @@ -975,7 +975,7 @@ søkeresultat og på skjerm: The following book name cannot be matched up internally. Please select the corresponding name from the list. - Følgende bok-navn stemmer ikke med interne navn. Vennligst velg et tilhørende navn fra listen. + Følgende boknavn stemmer ikke med interne navn. Vennligst velg et tilhørende navn fra listen. @@ -989,14 +989,14 @@ søkeresultat og på skjerm: BiblesPlugin.CSVBible - + Importing books... %s Importerer bøker... %s - + Importing verses... done. - Ferdig å importere vers. + Importere vers... utført. @@ -1004,7 +1004,7 @@ søkeresultat og på skjerm: Bible Editor - Bibelredigering + Bibelredigerer @@ -1029,17 +1029,17 @@ søkeresultat og på skjerm: Default Bible Language - For-valgt bibelspråk + Standard bibelspråk Book name language in search field, search results and on display: - Bok-navn språk i søkefelt, søkeresultat og på skjerm: + Boknavn språk i søkefelt, søkeresultat og på skjerm: Global Settings - Globale instillinger + Globale innstillinger @@ -1054,56 +1054,56 @@ søkeresultat og på skjerm: English - Norsk(bokmål) + Norsk (bokmål) This is a Web Download Bible. It is not possible to customize the Book Names. - Dette er en web-bibel. -Det er ikke mulig å tilpasse bok-navn. + Dette er en nettbibel. +Det er ikke mulig å tilpasse boknavn. To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. - Hvis du vil bruke tilpassede bok-navn, må "Bibel-språk" velges i fliken Metadata, eller hvis "Globale innstillinger" er valgt, på Bibel siden OpenLP Innstillinger. + Hvis du vil bruke tilpassede boknavn, må "Bibelspråk" velges i fliken Metadata, eller hvis "Globale innstillinger" er valgt, på Bibel-siden i OpenLP Innstillinger. BiblesPlugin.HTTPBible - + Registering Bible and loading books... - Registrer bibel og laster bøker... + Registrerer bibel og laster bøker... - + Registering Language... - Registrer språk... + Registrerer språk... - + Importing %s... Importing <book name>... Importerer %s... - + Download Error Nedlastingsfeil - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Det oppstod et problem ved nedlastingen av de valgte versene. Vennligst sjekk internettilkoblingen. Dersom denne feilen vedvarer, vær vennlig å rapportere feilen. - + Parse Error Analysefeil - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Det oppstod et problem ved uthenting av de valgte versene. Dersom denne feilen vedvarer, vær vennlig å rapportere feilen. @@ -1111,164 +1111,184 @@ Det er ikke mulig å tilpasse bok-navn. BiblesPlugin.ImportWizardForm - + Bible Import Wizard - Bibelimporteringsverktøy + Bibelimportverktøy - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. - Denne veiviseren vil hjelpe deg å importere bibler fra en rekke ulike formater. For å starte importen klikk på "Neste-knappen" og så velg format og sted å importere fra. + Denne veiviseren vil hjelpe deg å importere bibler fra en rekke ulike formater. For å starte importen klikk på "Neste-knappen" og velg så format og sted å importere fra. - + Web Download Nettnedlastning - + Location: Plassering/kilde: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bibel: - + Download Options Nedlastingsalternativer - + Server: Server: - + Username: Brukernavn: - + Password: Passord: - + Proxy Server (Optional) Proxyserver (valgfritt) - + License Details Lisensdetaljer - + Set up the Bible's license details. Sett opp Bibelens lisensdetaljer. - + Version name: Versjonnavn: - + Copyright: Copyright: - + Please wait while your Bible is imported. Vennligst vent mens bibelen blir importert. - + You need to specify a file with books of the Bible to use in the import. Du må angi en fil som inneholder bøkene i bibelen du vil importere. - + You need to specify a file of Bible verses to import. Du må angi en fil med bibelvers som skal importeres. - + You need to specify a version name for your Bible. - Du må angi et navn på bibelroversettingen. + Du må angi et navn på bibeloversettelsen. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Du må angi rettighetene for Bibelen. Offentlige bibler må markeres deretter. - + Bible Exists Bibelen finnes allerede - + This Bible already exists. Please import a different Bible or first delete the existing one. Denne bibelen finnes allerede. Vennligst importere en annen bibel eller slett den eksisterende. - + Your Bible import failed. Bibelimporteringen mislyktes. - + CSV File CSV-fil - + Bibleserver Bibelserver - + Permissions: Rettigheter: - + Bible file: Bibelfil: - + Books file: Bokfil: - + Verses file: Versfil: - + Registering Bible... Registrerer Bibel... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Registrert bibel. Vær oppmerksom på at versene blir nedlastet på din forespørsel. Internettilkobling er påkrevd. + + + + Click to download bible list + Klikk for å laste ned bibelliste + + + + Download bible list + Laste ned bibelliste + + + + Error during download + Feil under nedlasting + + + + An error occurred while downloading the list of bibles from %s. + En feil oppstod under nedlasting av listen over bibler fra %s. @@ -1307,7 +1327,7 @@ Det er ikke mulig å tilpasse bok-navn. Find: - Finn: + Søk: @@ -1352,12 +1372,12 @@ Det er ikke mulig å tilpasse bok-navn. Toggle to keep or clear the previous results. - Velg for å beholde eller slette tidlegere resultat. + Velg for å beholde eller slette tidligere resultat. You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - Du kan ikke kombinere enkle og doble bibelvers-søkeresultater. Ønsker du å slette dine søkeresultater og starte et nytt søk? + Du kan ikke kombinere enkle og doble søkeresultater for bibelvers. Ønsker du å slette dine søkeresultater og starte et nytt søk? @@ -1372,7 +1392,7 @@ Det er ikke mulig å tilpasse bok-navn. The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. - Den andre bibelen innehoder ikke alle versene i hovedbibelen. Bare vers funnet i begge vil bli vist. %d vers er ikke med i resulstatet. + Den andre bibelen innehoder ikke alle versene i hovedbibelen. Bare vers funnet i begge vil bli vist. %d vers er ikke med i resultatet. @@ -1404,28 +1424,41 @@ You will need to re-import this Bible to use it again. Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - Feil bibel filtype vedlagt. Dette ser ut som en Zefania XML bibel, vennligst bruk Zefania import alternativet. + Feil bibelfiltype lagt inn. Dette ser ut som en Zefania XML-bibel, vennligst bruk Zefania import alternativet. + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + Importerer %(bookname)s %(chapter)s... BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Fjerner ubrukte tagger (dette kan ta noen minutter) ... + + + Importing %(bookname)s %(chapter)s... + Importerer %(bookname)s %(chapter)s... + BiblesPlugin.UpgradeWizardForm Select a Backup Directory - Velg en backup katalog + Velg en backupmappe Bible Upgrade Wizard - Oppgraderings veiviser + Oppgraderingsveiviser @@ -1435,17 +1468,17 @@ You will need to re-import this Bible to use it again. Select Backup Directory - Velg backup katalog + Velg backupmappe Please select a backup directory for your Bibles - Venligst velg en backup katalog for dine bibler + Venligst velg en backupmappe for dine bibler Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - Tidligere versjoner av OpenLP 2.0 kan ikke benytte oppgraderte bibler. Dette vil opprette en backup av dine eksisterende bibler slik at du enkelt kan kopiere filene tilbake til OpenLP fillageret dersom du behøver å gå tilbake til en tidligere versjon av OpenLP. Instruksjoner på hvordan du kan gjenopprette filene kan finnes i vår <a href="http://wiki.openlp.org/faq">Ofte Spurte Spørsmål</a>. + Tidligere versjoner av OpenLP 2.0 kan ikke benytte oppgraderte bibler. Dette vil opprette en backup av dine eksisterende bibler slik at du enkelt kan kopiere filene tilbake til OpenLP fillageret dersom du behøver å gå tilbake til en tidligere versjon av OpenLP. Instruksjoner på hvordan du kan gjenopprette filene kan finnes i vår <a href="http://wiki.openlp.org/faq">Ofte Spurte Spørsmål (FAQ)</a>. @@ -1455,12 +1488,12 @@ You will need to re-import this Bible to use it again. Backup Directory: - Backup katalog: + Backupkatalog: There is no need to backup my Bibles - Det er ikke nødvendig å oppgrade mine bibler + Det er ikke nødvendig å sikkerhetskopiere mine bibler @@ -1470,7 +1503,7 @@ You will need to re-import this Bible to use it again. Please select the Bibles to upgrade - Vegl bibel som skal oppgraderes + Velg bibel som skal oppgraderes @@ -1480,27 +1513,26 @@ You will need to re-import this Bible to use it again. Please wait while your Bibles are upgraded. - Venligst vent, biblene blir oppdatert. + Vennligst vent mens dine bibler blir oppgradert. The backup was not successful. To backup your Bibles you need permission to write to the given directory. Backup mislyktes. -For å ta backup av dine filer må du ha tillatelse til å skrive til den oppgitte mappen. +For å ta backup av dine filer må du ha tillatelse til å skrive til den angitte mappen. Upgrading Bible %s of %s: "%s" Failed - Bibeloppgradering %s av %s: "%s" -Var misslykket + Bibeloppgradering %s av %s: "%s" mislyktes Upgrading Bible %s of %s: "%s" Upgrading ... - Bibeloppgraderer %s av %s: "%s" + Oppgraderer bibel %s av %s: "%s" Oppgraderer ... @@ -1511,7 +1543,7 @@ Oppgraderer ... To upgrade your Web Bibles an Internet connection is required. - For å oppgradere din internett-bibel er det nødvendig med internettilkobling. + For å oppgradere din internettbibel er tilkobling til internett påkrevd. @@ -1525,7 +1557,7 @@ Oppgraderer %s... Upgrading Bible %s of %s: "%s" Complete Oppgraderer bibel %s av %s: "%s" -Ferdig +Utført @@ -1536,18 +1568,18 @@ Ferdig Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Oppgradering bibel(er): %s vellykket%s -Vær oppmerksom på at versene fra netbibler blir nedlastet på din forespørsel så det er nødvendig med internettilkobling. + Oppgraderer bibel(er): %s vellykket%s +Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørsel. Internettilkobling er påkrevd. Upgrading Bible(s): %s successful%s - Oppgradering bibel(er): %s vellykket%s + Oppgraderer bibel(er): %s vellykket%s Upgrade failed. - Oppgraderingen var mislykket. + Oppgraderingen mislyktes. @@ -1568,75 +1600,83 @@ Vær oppmerksom på at versene fra netbibler blir nedlastet på din forespørsel BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. - Feil bibel filtype vedlagt. Zefania bibler kan komprimeres. Du må dekomprimere dem før import. + Feil bibelfiltype oppgitt. Zefania bibler kan komprimeres. Du må dekomprimere dem før import. + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + Importerer %(bookname)s %(chapter)s... CustomPlugin - + Custom Slide name singular Egendefinert lysbilde - + Custom Slides name plural Egendefinerte lysbilder - + Custom Slides container title Egendefinerte lysbilder - + Load a new custom slide. Vis et nytt egendefinert lysbilde. - + Import a custom slide. Importer et egendefinert lysbilde. - + Add a new custom slide. Legg til et egendefinert lysbilde. - + Edit the selected custom slide. Rediger valgte lysbilde. - + Delete the selected custom slide. - Slett det valgte lysbilde. + Slett valgte lysbilde. - + Preview the selected custom slide. Forhåndsvis valgte lysbilde. - + Send the selected custom slide live. - Frem-vis valgte egendefinerte side. + Fremvis valgte egendefinerte lysbilde. - + Add the selected custom slide to the service. Legg valgte lysbilde til møteplan. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. - <strong>Brukerdefinert lysbilde</strong><br/> Programtillegget for brukerdefinert lysbilde gir en sørre frihett til å lage egne tekst bilder som kan vises på samme vis som sanger. + <strong>Brukerdefinert lysbilde</strong><br/> Programtillegget for brukerdefinert lysbilde gir en større frihet til å lage egne lysbilder som kan vises på samme vis som sanger. @@ -1654,7 +1694,7 @@ Vær oppmerksom på at versene fra netbibler blir nedlastet på din forespørsel Import missing custom slides from service files - Importer manglende egendefinerte lysbilder fra møteprogram filene + Importer manglende egendefinerte lysbilder fra møteprogramfilene @@ -1712,12 +1752,12 @@ Vær oppmerksom på at versene fra netbibler blir nedlastet på din forespørsel Insert Slide - Tilføy lysbilde + Sett inn lysbilde You need to add at least one slide. - Du må minst legge til ett lysbilde. + Du må legge til minst ett lysbilde. @@ -1725,13 +1765,13 @@ Vær oppmerksom på at versene fra netbibler blir nedlastet på din forespørsel Edit Slide - Redigere bilde + Rediger bilde CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Er du sikker på at du vil slette det %n valgte egendefinerte bilde? @@ -1742,60 +1782,60 @@ Vær oppmerksom på at versene fra netbibler blir nedlastet på din forespørsel ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. - <strong>Bildetillegg</strong><br/>Bildetillegget gir mulighet til visning av bilder.<br />Et av særtrekkene med dette tillegget er muligheten til å gruppere flere bilder sammen i møteplanleggeren, noe som gjør visning av flere bilder enklere. Programtillegget kan også benytte seg av OpenLP's "tidsbestemte løkke-funksjon" til å lage en lysbildefremvisning som kjører automatisk. I tillegg kan bilder fra tillegget brukes til å overstyre gjeldende temabakgrunn, noe som gir tekstbaserte bilder; som sanger, det valgte bildet som bakgrunn. + <strong>Bildetillegg</strong><br/>Bildetillegget gir mulighet til visning av bilder.<br />Et av særtrekkene med dette tillegget er muligheten til å gruppere flere bilder sammen i møteplanleggeren, noe som gjør visning av flere bilder enklere. Programtillegget kan også benytte seg av OpenLP's "tidsbestemte løkke-funksjon" til å lage en lysbildefremvisning som kjører automatisk. I tillegg kan bilder fra tillegget brukes til å overstyre gjeldende temabakgrunn, noe som gir tekstbaserte bilder som sanger det valgte bildet som bakgrunn. - + Image name singular Bilde - + Images name plural Bilder - + Images container title Bilder - + Load a new image. Last et nytt bilde. - + Add a new image. Legg til et nytt bilde. - + Edit the selected image. Rediger valgte bilde. - + Delete the selected image. Slett valgte bilde. - + Preview the selected image. Forhåndsvis valgte bilde. - + Send the selected image live. Send valgte bilde til skjerm. - + Add the selected image to the service. Legg valgte bilde til møteprogrammet. @@ -1815,20 +1855,20 @@ Vær oppmerksom på at versene fra netbibler blir nedlastet på din forespørsel Group name: - Gruppe-navn: + Gruppenavn: You need to type in a group name. - Du må skrive gruppe-navn + Du må skrive inn et gruppenavn. - + Could not add the new group. Kunne ikke legge til den nye gruppen. - + This group already exists. Denne gruppen finnes allerede. @@ -1838,7 +1878,7 @@ Vær oppmerksom på at versene fra netbibler blir nedlastet på din forespørsel Select Image Group - Velg bilde gruppe + Velg bildegruppe @@ -1877,36 +1917,36 @@ Vær oppmerksom på at versene fra netbibler blir nedlastet på din forespørsel Velg bilde(r) - + You must select an image to replace the background with. Du må velge et bilde å erstatte bakgrunnen med. - + Missing Image(s) Bilde(r) mangler - + The following image(s) no longer exist: %s De følgende bilde(r) finnes ikke lenger: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? De følgende bilde(r) finnes ikke lenger: %s Vil du likevel legge til de andre bildene? - + There was a problem replacing your background, the image file "%s" no longer exists. Det oppstod et problem ved erstatting av bakgrunnen, bildefilen "%s" finnes ikke lenger. - + There was no display item to amend. - Det var ingen vinings element å endre. + Det var ingen visningselement å endre. @@ -1914,17 +1954,17 @@ Vil du likevel legge til de andre bildene? -- Topp-nivå gruppe -- - + You must select an image or group to delete. Du må velge et bilde eller en gruppe som skal slettes. - + Remove group - Flytt gruppe + Fjern gruppe - + Are you sure you want to remove "%s" and everything in it? Er du sikker på at du vil fjerne "%s" med alt innhold? @@ -1945,22 +1985,22 @@ Vil du likevel legge til de andre bildene? Phonon er en mediespiller som samhandler med operativsystemet for å gi mediefunksjoner. - + Audio - Audio + Lyd - + Video Video - + VLC is an external player which supports a number of different formats. VLC er en ekstern spiller som støtter et antall forskjellige formater. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit er en mediespiller som kjøres i en nettleser. Denne spilleren gjør det mulig å gjengi tekst over video. @@ -1968,60 +2008,60 @@ Vil du likevel legge til de andre bildene? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Mediatillegg</strong><br/>Mediatillegget tilbyr avspilling av lyd og video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. - Last ny media-fil. + Last ny mediafil. - + Add new media. Legg til nytt media. - + Edit the selected media. Rediger valgte media. - + Delete the selected media. Slett valgte media. - + Preview the selected media. Forhåndsvis valgte media. - + Send the selected media live. - Frem-vis valgte media. + Fremvis valgte media. - + Add the selected media to the service. Legg valgte media til møteprogram. @@ -2031,7 +2071,7 @@ Vil du likevel legge til de andre bildene? Select Media Clip - Velg media klipp + Velg medieklipp @@ -2041,7 +2081,7 @@ Vil du likevel legge til de andre bildene? Media path: - Sti til mediafil: + Sti til mediefil: @@ -2056,7 +2096,7 @@ Vil du likevel legge til de andre bildene? Track Details - Spor innformasjon + Spor detaljer @@ -2129,7 +2169,7 @@ Vil du likevel legge til de andre bildene? An error happened during initialization of VLC player - En feil oppstod under oppstart av VLC avspiller + En feil oppstod under oppstart av VLCavspiller @@ -2144,7 +2184,7 @@ Vil du likevel legge til de andre bildene? The CD was not loaded correctly, please re-load and try again. - CD ikke lagt riktig i, prøv igjenn. + CD ikke lagt riktig i, prøv igjen. @@ -2179,7 +2219,7 @@ Vil du likevel legge til de andre bildene? The name of the mediaclip must not contain the character ":" - Navnet på media-klippet kan ikke inneholde tegnet ":" + Navnet på medieklippet kan ikke inneholde tegnet ":" @@ -2190,47 +2230,47 @@ Vil du likevel legge til de andre bildene? Velg media - + You must select a media file to delete. - Du må velge en media-fil som sakl slettes. + Du må velge en mediefil som skal slettes. - + You must select a media file to replace the background with. Du må velge en fil å erstatte bakgrunnen med. - + There was a problem replacing your background, the media file "%s" no longer exists. Det oppstod et problem ved bytting av bakgrunn, filen "%s" finnes ikke lenger. - + Missing Media File - Media-fil mangler + Mediefil mangler - + The file %s no longer exists. Filen %s finnes ikke lenger. - + Videos (%s);;Audio (%s);;%s (*) Videoer (%s);;Lyd (%s);;%s (*) - + There was no display item to amend. - Det var ingen vinings element å endre. + Det var ingen visning element å legge til. Unsupported File - Denne filen støttes ikke + Denne filtypen støttes ikke - + Use Player: Bruk mediaspiller: @@ -2245,27 +2285,27 @@ Vil du likevel legge til de andre bildene? VLC mediaspiller er nødvendig for avspilling av optiske enheter - + Load CD/DVD Legg til CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled Legg til CD/DVD - støttes bare når VLC er installert og aktivert - + The optical disc %s is no longer available. Den optiske platen %s er ikke lenger tilgjengelig. - + Mediaclip already saved Media-klippet er allerede lagret - + This mediaclip has already been saved Dette media-klippet har allerede blitt lagret @@ -2275,7 +2315,7 @@ Vil du likevel legge til de andre bildene? Allow media player to be overridden - Tillate media player å bli overstyrt + Tillat mediaspiller å bli overstyrt @@ -2294,17 +2334,17 @@ Vil du likevel legge til de andre bildene? OpenLP - + Image Files Bildefiler - + Information Informasjon - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -2315,22 +2355,22 @@ Vil du at OpenLP skal oppgradere nå? Backup - Sikerhetskopi + Sikkerhetskopi OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - OpenLP har blitt oppgradert, vil du opprette en sikkerhetskopi av OpenLP sin data mappe? + OpenLP har blitt oppgradert, vil du opprette en sikkerhetskopi av OpenLPs datamappe? Backup of the data folder failed! - Sikkerhetskopieringen var mislykket! + Sikkerhetskopieringen mislyktes! A backup of the data folder has been created at %s - En sikkerhetskopi av data mappen er opprettet i %s + En sikkerhetskopi av datamappen er opprettet i %s @@ -2358,7 +2398,7 @@ Vil du at OpenLP skal oppgradere nå? 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; version 2 of the License. - Dette programmet er gratis programvare; du kan re-distribuere det og / eller modifisere det under vilkårene i GNU General Public License, versjon 2. Som er offentliggjort av Free Software Foundation. + Dette programmet er gratis programvare; du kan redistribuere det og/eller modifisere det under vilkårene i GNU General Public License, versjon 2, utgitt av Free Software Foundation. @@ -2376,7 +2416,7 @@ Find out more about OpenLP: http://openlp.org/ OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. OpenLP <version><revision> - Open Source Lyrics Projection -OpenLP er et gratis presentasjonprogram for menigheter og forsamlinger. Det kan brukes i kirker og bedehus til å vise sangtekster, bibelvers, videoer, bilder og til og med presentasjoner (hvis Impress, PowerPoint eller PowerPoint Viewer er installert) ved hjelp av datamaskin og data-projektor. +OpenLP er et gratis presentasjonprogram for menigheter og forsamlinger. Det kan brukes i kirker og bedehus til å vise sangtekster, bibelvers, videoer, bilder og til og med presentasjoner (hvis Impress, PowerPoint eller PowerPoint Viewer er installert) ved hjelp av datamaskin og dataprojektor. Finn ut mer om OpenLP: http://openlp.org/ @@ -2385,7 +2425,7 @@ OpenLP er skrevet og vedlikeholdt av frivillige. Hvis du ønsker at det blir skr Volunteer - Frivillig bidrag + Frivillig @@ -2471,13 +2511,95 @@ Final Credit on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + Prosjekt ledelse + %s + +Utviklere + %s + +Bidragsytere + %s + +Testere + %s + +Detaljister + %s + +Oversettere + Afrikaans (af) + %s + Tsjekkisk (cs) + %s + Dansk (da) + %s + Tysk (de) + %s + Gresk (el) + %s + Engelsk, Storbritannia (en_GB) + %s + Engelsk, Sørafrika (en_ZA) + %s + Spansk (es) + %s + Estisk (et) + %s + Finsk (fi) + %s + Fransk (fr) + %s + Ungarsk (hu) + %s + Indonesisk (id) + %s + Japansk (ja) + %s + Norsk bokmål (nb) + %s + Nederlandsk (nl) + %s + Polsk (pl) + %s + Portugisisk, Brasil (pt_BR) + %s + Russisk (ru) + %s + Svensk (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s +Dokumentasjon + %s + +Utvikler verktøy + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Endelig takk + "For så høyt har Gud elsket verden at han ga + sin Sønn, den enbårne, for at hver den som + tror på ham, ikke skal gå fortapt, + men ha evig liv." -- Joh 3:16 + + Og sist, men ikke minst, takken går til Gud vår + far, for at han sendte sin Sønn for å dø + på korset, og satte oss fri fra synd. Fordi Han har + satt oss fri gir vi deg dette programmet + fritt uten omkostninger, + . Copyright © 2004-2015 %s Portions copyright © 2004-2015 %s - + Copyright © 2004-2015 %s +Delvis copyright © 2004-2015 %s @@ -2510,7 +2632,7 @@ Portions copyright © 2004-2015 %s Enable application exit confirmation - Aktiver avsluttningsbekreftelse + Aktiver avslutningsbekreftelse @@ -2520,7 +2642,7 @@ Portions copyright © 2004-2015 %s Hide mouse cursor when over display window - Sjul musepekeren når den er over visningsvinduet + Skjul musepekeren når den er over visningsvinduet @@ -2555,22 +2677,22 @@ Portions copyright © 2004-2015 %s Browse for an image file to display. - Søk etter en bildefild som skal vises. + Søk etter en bildefil som skal vises. Revert to the default OpenLP logo. - Gå tilbake til standar OpenLP logo. + Gå tilbake til standard OpenLP logo. Default Service Name - Standard møteprogram-navn + Standard møteprogramnavn Enable default service name - Aktiver standard møteprogram-navn + Aktiver standard møteprogramnavn @@ -2625,12 +2747,12 @@ Portions copyright © 2004-2015 %s Consult the OpenLP manual for usage. - Slå opp i OpenLP manual for bruk. + Se OpenLP brukermanual for bruk. Revert to the default service name "%s". - Tilbakestill til standard møteprogram-navn "%s". + Tilbakestill til standard møteprogramnavn "%s". @@ -2655,22 +2777,22 @@ Portions copyright © 2004-2015 %s Current path: - Gjeldene sti: + Gjeldende sti: Custom path: - Egen-valgt sti: + Egendefinert sti: Browse for new data file location. - Bla for ny datafil plassering. + Bla for ny datafilplassering. Set the data location to the default. - Tilbakestill til standard plassering. + Tilbakestill til standard dataplassering. @@ -2680,7 +2802,7 @@ Portions copyright © 2004-2015 %s Cancel OpenLP data directory location change. - Avbryt endring av datafil plasseringen i OpenLP. + Avbryt endring av datafilplasseringen i OpenLP. @@ -2705,7 +2827,7 @@ Portions copyright © 2004-2015 %s Select Data Directory Location - Velg plass for datakatalog + Velg plassering for datakatalog @@ -2737,7 +2859,7 @@ Click "Yes" to reset the data directory to the default location. @@ -2764,7 +2886,7 @@ Dataene katalogen vil bli endret når OpenLP blir lukket. Display Workarounds - Grafikk løsninger + Grafikkløsninger @@ -2800,7 +2922,7 @@ synes å inneholde OpenLP datafiler. Ønsker du å erstatte disse filene med gje Restart Required - Må startes på nytt + Omstart påkrevd @@ -2831,12 +2953,12 @@ synes å inneholde OpenLP datafiler. Ønsker du å erstatte disse filene med gje Digital - Digitalt + Digital Storage - + Lager @@ -2981,47 +3103,47 @@ synes å inneholde OpenLP datafiler. Ønsker du å erstatte disse filene med gje Storage 1 - + Lager 1 Storage 2 - + Lager 2 Storage 3 - + Lager 3 Storage 4 - + Lager 4 Storage 5 - + Lager 5 Storage 6 - + Lager 6 Storage 7 - + Lager 7 Storage 8 - + Lager 8 Storage 9 - + Lager 9 @@ -3079,7 +3201,7 @@ synes å inneholde OpenLP datafiler. Ønsker du å erstatte disse filene med gje Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - Oops! Det oppstod et problem i OpenLP som ikke kunne opprettes. Teksten i boksen nedenfor inneholder innformsjon som kan være nyttig for OopenLP's utviklere. Så venligst send en e-post til bugs@openlp.org sammen med en detaljert beskrivels om hva du gjorde da problemet oppstod. + Oops! Det oppstod et problem i OpenLP som ikke kunne gjenopprettes. Teksten i boksen nedenfor inneholder informasjon som kan være nyttig for OpenLP's utviklere. Vennligst send en e-post til bugs@openlp.org sammen med en detaljert beskrivelse av hva du gjorde da problemet oppstod. @@ -3095,8 +3217,8 @@ synes å inneholde OpenLP datafiler. Ønsker du å erstatte disse filene med gje Please enter a description of what you were doing to cause this error (Minimum 20 characters) - Venligst send en beskrivelse av hva du gjorde som forårsaket feilen -(Minimum 20 tegn.) + Vennligst send en beskrivelse av hva du gjorde som forårsaket feilen +(Minst 20 tegn.) @@ -3115,18 +3237,18 @@ synes å inneholde OpenLP datafiler. Ønsker du å erstatte disse filene med gje Platform: %s - Pattform: %s + Plattform: %s Save Crash Report - Lagre krasj raport + Lagre krasjrapport Text files (*.txt *.log *.text) - Tekst filer (*.txt *.log *.text) + Tekstfiler (*.txt *.log *.text) @@ -3147,15 +3269,15 @@ Version: %s **OpenLP feilrapport** Versjon: %s ---- Detaljer av feilen. --- +--- Feildetaljer. --- %s --- Tilbakesporing av feilen --- %s ---- System informasjon --- +--- Systeminformasjon --- %s ---- Bibliotek versjoner --- +--- Bibliotekversjoner --- %s @@ -3179,22 +3301,22 @@ Version: %s **OpenLP feilrapport** Versjon: %s ---- Detaljer av feilen. --- +--- Feildetaljer. --- %s --- Tilbakesporing av feilen --- %s ---- System informasjon --- +--- Systeminformasjon --- %s ---- Bibliotek versjoner --- +--- Bibliotekversjoner --- %s OpenLP.FileRenameForm - + File Rename Skift navn på filen @@ -3204,7 +3326,7 @@ Versjon: %s Nytt filnavn: - + File Copy Kopier fil @@ -3214,271 +3336,283 @@ Versjon: %s Select Translation - Velg oversetting + Velg oversettelse Choose the translation you'd like to use in OpenLP. - Velg oversetting som du vil bruke i OppenLP. + Velg oversettelse som du vil bruke i OpenLP. Translation: - Oversetting: + Oversettelse: OpenLP.FirstTimeWizard - + Songs Sanger - + First Time Wizard - Første gangs veiviser + Førstegangs veiviser - + Welcome to the First Time Wizard - Velkommen til "Første gangs veiviser" + Velkommen til førstegangs veiviser - + Activate required Plugins Aktiver nødvendige programtillegg - + Select the Plugins you wish to use. Velg tillegg som du ønsker å bruke. - + Bible Bibel - + Images Bilder - + Presentations Presentasjoner - + Media (Audio and Video) Media (Lyd og video) - + Allow remote access - Tillate fjernkontroll + Tillate fjernstyring - + Monitor Song Usage Overvåke bruk av sanger - + Allow Alerts - Tillate varsel-meldinger + Tillate varselmeldinger - + Default Settings Standardinnstillinger - + Downloading %s... Nedlasting %s... - + Enabling selected plugins... Aktiverer programtillegg... - + No Internet Connection - Mangler internett tilkobling + Mangler internettilkobling - + Unable to detect an Internet connection. - Umulig å oppdage en internett-tilkobling. - - - - Sample Songs - Eksempel-sanger - - - - Select and download public domain songs. - Velg og last ned public domain PD sanger. + Umulig å oppdage en internettilkobling. - Sample Bibles - Eksempel-bibler + Sample Songs + Eksempelsanger + Select and download public domain songs. + Velg og last ned "public domain" sanger. + + + + Sample Bibles + Eksempelbibler + + + Select and download free Bibles. Velg og last ned gratis bibler. - + Sample Themes - Eksempel tema - - - - Select and download sample themes. - Velg og last ned eksempel tema. + Eksempeltema - Set up default settings to be used by OpenLP. - Sett opp standard-innstillinger for OpenLP. + Select and download sample themes. + Velg og last ned eksempeltema. + Set up default settings to be used by OpenLP. + Sett opp standardinnstillinger for OpenLP. + + + Default output display: Standard skjerm: - + Select default theme: Velg standard tema: - + Starting configuration process... Starter konfigurasjonsprosessen... - + Setting Up And Downloading Setter opp og laster ned - + Please wait while OpenLP is set up and your data is downloaded. Venligst vent mens OpenLP blir satt opp og data lastet ned. - + Setting Up Setter opp - + Custom Slides Egendefinerte lysbilder - + Finish Slutt - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. - Ingen Internett-tilkobling ble funnet. "Første-gangs veiviseren" trenger en Internett-tilkobling for å kunne laste ned eksempel-sanger, bibler og temaer. Klikk Fullfør-knappen for å begynne OpenLP og utføre innledende innstillinger uten eksempeldata. + Ingen Internett-tilkobling ble funnet. "Første-gangs veiviseren" trenger en Internett-tilkobling for å kunne laste ned eksempel-sanger, bibler og temaer. Klikk Fullfør-knappen for å starte OpenLP og utføre innledende innstillinger uten eksempeldata. -For å kjøre "Første-gangs veiviser" og importere disse eksempeldata på et senere tidspunkt, kan du kontrollere Internett-tilkoblingen og kjøre denne veiviseren ved å velge "Verktøy / Kjør første-gagns veiviser på nytt" fra OpenLP. +For å kjøre "Første-gangs veiviser" og importere disse eksempeldata på et senere tidspunkt, kan du kontrollere Internettilkoblingen og kjøre denne veiviseren ved å velge "Verktøy / Kjør førstegangs veiviser på nytt" fra OpenLP. - + Download Error Nedlastingsfeil - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - Det var forbindelseproblemer, så videre nedlasting ble avsluttet. Prøv å kjøre første gang veiviseren senere. + Det var forbindelseproblemer, så videre nedlasting ble avsluttet. Prøv å kjøre førstegangs veiviseren senere. - + Download complete. Click the %s button to return to OpenLP. Nedlasting fullført. Klikk på %s for å gå tilbake til OpenLP. - + Download complete. Click the %s button to start OpenLP. Nedlasting fullført. Klikk på %s knappen for å starte OpenLP. - + Click the %s button to return to OpenLP. Klikk på %s for å gå tilbake til OpenLP. - + Click the %s button to start OpenLP. Klikk på %s knappen for å starte OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Det var forbindelsesproblemer under nedlastingen, så videre nedlasting ble avsluttet. Prøv å kjøre førstegangs veiviseren senere. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + Denne veiviseren hjelper deg å sette opp OpenLP for førstegangs bruk. Klikk %s knappen for å starte. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + + +For å avbryte "Førstegangs veiviser" fullstendig (og ikke starte OpenLP), trykk på %s knappen nå. - + Downloading Resource Index - - - - - Please wait while the resource index is downloaded. - + Laster ned ressursindeks + Please wait while the resource index is downloaded. + Vennligst vent mens ressursindeksen lastes ned. + + + Please wait while OpenLP downloads the resource index file... - + Vennligst vent mens OpenLP laster ned ressursindeksfilen ... - + Downloading and Configuring - + Laster ned og konfigurerer - + Please wait while resources are downloaded and OpenLP is configured. - + Vennligst vent mens ressursene blir lastet ned og OpenLP konfigurert. - + Network Error Nettverksfeil - + There was a network error attempting to connect to retrieve initial configuration information - + Det oppstod en nettverksfeil under forsøket på å koble til og hente innledende konfigurasjonsinformasjon + + + + Cancel + Avbryt + + + + Unable to download some files + Noen filer er umulig å laste ned @@ -3524,7 +3658,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s <HTML here> - <Sett inn Hypertekst her> + <Sett inn HTML-kode her> @@ -3544,12 +3678,22 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Tag %s already defined. - Merket %s er allerede definert. + Tagg %s er allerede definert. Description %s already defined. - + Beskrivelse %s er allerede definert. + + + + Start tag %s is not valid HTML + Start tagg %s er ikke gyldig HTMLkode + + + + End tag %s does not match end tag for start tag %s + Slutttagg %s stemmer ikke overens med slutttagg for starttagg %s @@ -3665,7 +3809,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Show blank screen warning - Vis svart skjerm + Vis "svart skjerm"-advarsel @@ -3745,7 +3889,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Timed slide interval: - Tidsbestemt lysbilde-intervall: + Tidsbestemt lysbildeintervall: @@ -3755,7 +3899,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Start background audio paused - Start med bakgrunnsmusikk pauset + Start med bakgrunnslyd pauset @@ -3790,7 +3934,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Move to next/previous service item - Gjennom sangen - &neste post på programmet + &Gjennom sangen - neste post på programmet @@ -3809,7 +3953,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -3884,7 +4028,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Open an existing service. - Åpne en allerede eksisterende møteprogram. + Åpne et allerede eksisterende møteprogram. @@ -3894,7 +4038,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Save the current service to disk. - Lagre gjeldene møteprogram til disk. + Lagre gjeldende møteprogram til disk. @@ -3909,7 +4053,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Save the current service under a new name. - Lagre gjeldene møteprogram med et nytt navn. + Lagre gjeldende møteprogram med et nytt navn. @@ -3934,12 +4078,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Media Manager - &Innholdselementer + &Innholdselementer (Bibliotek) Toggle Media Manager - Endre til Innholdselementer + Vis Innholdselementer @@ -3959,7 +4103,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Toggle the visibility of the theme manager. - Slår på temabehandler. + Slår på/av temabehandler. @@ -3974,7 +4118,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Toggle the visibility of the service manager. - Slår på møteprogram-behandler. + Slår på/av møteprogrambehandler. @@ -3989,7 +4133,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Toggle the visibility of the preview panel. - Slår på forhåndsvisningspanel. + Slår på/av forhåndsvisningspanel. @@ -4004,7 +4148,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Toggle the visibility of the live panel. - Slår på fremvisningpanel. + Slår på/av fremvisningpanel. @@ -4064,7 +4208,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Default - &Standar + &Standard @@ -4096,7 +4240,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. - Versjon %s av OpenLP er no tilgjengelig for nedlasting (du kjører versjon %s). + Versjon %s av OpenLP er nå tilgjengelig for nedlasting (du bruker versjon %s). Du kan laste ned siste versjon fra http://openlp.org/. @@ -4104,7 +4248,7 @@ Du kan laste ned siste versjon fra http://openlp.org/. OpenLP Version Updated - OpenLp er oppdatert + OpenLP er oppdatert @@ -4117,7 +4261,7 @@ Du kan laste ned siste versjon fra http://openlp.org/. Visningsskjerm er avslått - + Default Theme: %s Standard tema: %s @@ -4125,7 +4269,7 @@ Du kan laste ned siste versjon fra http://openlp.org/. English Please add the name of your language here - Norsk(bokmål) + Norsk (bokmål) @@ -4133,12 +4277,12 @@ Du kan laste ned siste versjon fra http://openlp.org/. Konfigurer &hurtigtaster... - + Close OpenLP Avslutt OpenLP - + Are you sure you want to close OpenLP? Er du sikker på at du vil avslutte OpenLP? @@ -4165,7 +4309,7 @@ Du kan laste ned siste versjon fra http://openlp.org/. Update the preview images for all themes. - Oppdater forhåndsvisningsbilder for all tema. + Oppdater forhåndsvisningsbilder for alle tema. @@ -4185,7 +4329,7 @@ Du kan laste ned siste versjon fra http://openlp.org/. Prevent the panels being moved. - Forhindrer at paneler blir flyttet. + Forhindre at paneler blir flyttet. @@ -4212,15 +4356,15 @@ Re-running this wizard may make changes to your current OpenLP configuration and Dersom du kjører veiviseren på nytt vil det sannsynlig føre til forandringer i gjeldende oppsett i OpenLP og legge til sanger i eksisterende sangliste og bytte gjeldene tema. - + Clear List Clear List of recent files Tøm listen - + Clear the list of recent files. - Tømmer listen over sist brukte møteprogram. + Tøm listen over siste brukte møteprogram. @@ -4245,7 +4389,7 @@ Dersom du kjører veiviseren på nytt vil det sannsynlig føre til forandringer Import settings? - Vil du importere instillinger? + Vil du importere innstillinger? @@ -4255,7 +4399,7 @@ Dersom du kjører veiviseren på nytt vil det sannsynlig føre til forandringer OpenLP Export Settings Files (*.conf) - OpenLP-innstillingsfiler (*.conf) + OpenLP eksportinnstillingsfiler (*.conf) @@ -4265,30 +4409,30 @@ Dersom du kjører veiviseren på nytt vil det sannsynlig føre til forandringer OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - OpenLP vil nå avsluttes. Importerte instillinger blir aktive ved neste oppstart av OpenLP. + OpenLP vil nå avsluttes. Importerte innstillinger blir aktive ved neste oppstart av OpenLP. Export Settings File - Ekstorter innstillingsfil + Eksporter innstillingsfil OpenLP Export Settings File (*.conf) - OpenLP-innstillingsfiler (*.conf) + OpenLP eksportinnstillingsfiler (*.conf) - + New Data Directory Error Ny datakatalog feil - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish - Kopierer OpenLP data til ny datakatalog plassering -%s. Vent til kopieringen er ferdig + Kopierer OpenLP data til ny datakatalogplassering - %s. Vent til kopieringen er ferdig - + OpenLP Data directory copy failed %s @@ -4309,7 +4453,7 @@ Dersom du kjører veiviseren på nytt vil det sannsynlig føre til forandringer Jump to the search box of the current active plugin. - + Gå til søkeboksen for den aktive plugin. @@ -4318,65 +4462,70 @@ Dersom du kjører veiviseren på nytt vil det sannsynlig føre til forandringer Importing settings will make permanent changes to your current OpenLP configuration. Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. - Er du sikker på at du vil importere instillinger? + Er du sikker på at du vil importere innstillinger? -Å iportere innstillinger vil gjøre permanente forandringer i din nåværende OpenLP konfigurasjon. +Å importere innstillinger vil gjøre permanente forandringer i din nåværende OpenLP konfigurasjon. -Dersom du importerer feil instillinger kan føre til uberegnelig opptreden eller OpenLP avsluttes unormalt. +Dersom du importerer feil innstillinger kan det føre til uberegnelig opptreden eller OpenLP avsluttes unormalt. The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. - Filen du valgte ser ikke ut til å være en gyldig OpenLP innstillings-fil + Filen du valgte ser ikke ut til å være en gyldig OpenLP innstillingsfil Behandlingen er avsluttet og ingen endringer er gjort. Projector Manager - + Projektor behandler Toggle Projector Manager - + Vis projektorbehandler Toggle the visibility of the Projector Manager - + Slår på/av projektorbehandler - + Export setting error - + Eksportinnstillingene er feil The key "%s" does not have a default value so it will be skipped in this export. - + Tasten "%s" har ikke en standardverdi, så den vil bli hoppet over i denne eksporten. + + + + An error occurred while exporting the settings: %s + Det oppstod en feil under eksport av innstillingene: %s OpenLP.Manager - + Database Error Databasefeil - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s - Databasen som vart forsøkt lastet er laget i en nyere versjon av OpenLP. Databasen har versjon %d, OpenLP krever versjon %d. Databasen blir ikke lastet. + Databasen som ble forsøkt lastet er laget i en nyere versjon av OpenLP. Databasen har versjon %d, OpenLP krever versjon %d. Databasen blir ikke lastet. Database: %s - + OpenLP cannot load your database. Database: %s @@ -4415,7 +4564,7 @@ Database: %s You must select an existing service item to add to. - Du må velge en eksiterende post i møteprogrammet som skal legges til. + Du må velge en eksisterende post i møteprogrammet som skal legges til. @@ -4447,7 +4596,7 @@ Database: %s Invalid File %s. Suffix not supported Ugyldig fil %s. -Fil-endelsen støttes ikke +Filendelsen støttes ikke @@ -4455,7 +4604,7 @@ Fil-endelsen støttes ikke &Klone - + Duplicate files were found on import and were ignored. Like versjoner av filene ble funnet ved importen og ble ignorert. @@ -4511,12 +4660,12 @@ Fil-endelsen støttes ikke Player Search Order - + Mediaspiller; søkerekkefølge Visible background for videos with aspect ratio different to screen. - + Synlig bakgrunn for videoer med størrelsesformat annerledes enn skjermen. @@ -4529,7 +4678,7 @@ Fil-endelsen støttes ikke Plugin List - Tillegsmoduler + Tilleggsmoduler @@ -4620,7 +4769,7 @@ Fil-endelsen støttes ikke Include slide text if available - Innkludere sidetekst om tilgjengelig + Inkluder sidetekst dersom tilgjengelig @@ -4630,12 +4779,12 @@ Fil-endelsen støttes ikke Include play length of media items - Inkluder spillelengd for mediaposter + Inkluder spillelengde for mediaposter Add page break before each text item - Legg til sideskift for kvar tekst-post + Legg til sideskift for hver tekst-post @@ -4668,22 +4817,22 @@ Fil-endelsen støttes ikke General projector error - Generell projektor problem + Generell projektorfeil Not connected error - Ikke tilkoblet problem + "Ikke tilkoblet"-feil Lamp error - Lampe problem + Lampefeil Fan error - Vifte problem + Viftefeil @@ -4693,7 +4842,7 @@ Fil-endelsen støttes ikke Cover open detected - Opdaget åpent deksel + Oppdaget åpent deksel @@ -4718,137 +4867,132 @@ Fil-endelsen støttes ikke Projector Busy - Prjektor opptatt + Projektor opptatt Projector/Display Error - Projektor/skjerm problem + Projektor/skjermfeil Invalid packet received - + Ugyldig pakke mottatt Warning condition detected - + Varseltilstand oppdaget Error condition detected - + Feiltilstand oppdaget PJLink class not supported - + PJLink klasse støttes ikke Invalid prefix character - + Ugyldig prefikstegn The connection was refused by the peer (or timed out) - + Tilkoblingen ble nektet av noden (eller på grunn av tidsavbrudd) The remote host closed the connection - + Den eksterne verten har avsluttet tilkoblingen The host address was not found - + Vertsadressen ble ikke funnet The socket operation failed because the application lacked the required privileges - + Tilkoblingen mislyktes fordi programmet manglet de nødvendige rettigheter The local system ran out of resources (e.g., too many sockets) - + Det lokale systemet gikk tom for ressurser (for eksempel for mange "sockets") The socket operation timed out - + Tilkobling ble tidsavbrutt The datagram was larger than the operating system's limit - + Datagrammet var større enn operativsystemets kapasitet An error occurred with the network (Possibly someone pulled the plug?) - + Det oppstod en feil med nettverket (Kanskje var det noen som trakk ut pluggen?) The address specified with socket.bind() is already in use and was set to be exclusive - + Adressen spesifisert med socket.bind() er allerede i bruk, og ble satt til å være eksklusiv The address specified to socket.bind() does not belong to the host - + Adressen spesifisert til socket.bind() hører ikke til verten The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) - + Den forespurte tilkoblingsoperasjonen er ikke støttet av det lokale operativsystemet (for eksempel mangel på IPv6-støtte) The socket is using a proxy, and the proxy requires authentication - + Tilkoblingen bruker en proxy, og proxyen krever godkjenning The SSL/TLS handshake failed - + SSL/TLS handshake mislyktes The last operation attempted has not finished yet (still in progress in the background) - + Siste forsøk er ennå ikke ferdig (det pågår fortsatt i bakgrunnen) Could not contact the proxy server because the connection to that server was denied - + Kunne ikke kontakte proxy-serveren fordi tilkoblingen til serveren det gjelder ble avvist The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) - + Tilkoblingen til proxy-serveren ble stengt uventet (før tilkoblingen til den endelige node ble etablert) The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. - + Tilkoblingen til proxy-serveren ble tidsavbrutt eller proxy-serveren sluttet å svare i godkjenningsfasen. The proxy address set with setProxy() was not found - - - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - + Proxy-adresse angitt med setProxy() ble ikke funnet An unidentified error occurred - + En ukjent feil oppstod @@ -4878,17 +5022,17 @@ Fil-endelsen støttes ikke Initialize in progress - + Initialisering pågår Power in standby - + Strøm i standby Warmup in progress - + Oppvarming pågår @@ -4898,12 +5042,12 @@ Fil-endelsen støttes ikke Cooldown in progress - + Avkjøling pågår Projector Information available - + Projektorinformasjon er tilgjengelig @@ -4915,23 +5059,28 @@ Fil-endelsen støttes ikke Received data Mottatte data + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + Tilkoblingen med proxy-serveren mislyktes fordi responsen fra proxy-serveren ikke kunne forstås + OpenLP.ProjectorEdit Name Not Set - + Navn ikke angitt You must enter a name for this entry.<br />Please enter a new name for this entry. - + Du må skrive inn et navn for denne oppføringen. <br/> Vennligst skriv inn et nytt navn for denne oppføringen. Duplicate Name - + Navnet er allerede i bruk @@ -4949,7 +5098,7 @@ Fil-endelsen støttes ikke IP Address - IP adresse + IPadresse @@ -4997,7 +5146,7 @@ Fil-endelsen støttes ikke Add a new projector - Legg til ny projektor + Legg til en ny projektor @@ -5042,17 +5191,17 @@ Fil-endelsen støttes ikke Connect to selected projector - Koble til valgt projektor + Koble til valgte projektor Connect to selected projectors - Koble til utvalgte projektorer + Koble til valgte projektorer Disconnect from selected projectors - Koble fra utvalgte projektorer + Koble fra valgte projektorer @@ -5077,67 +5226,67 @@ Fil-endelsen støttes ikke Blank selected projector screen - + Slukk valgte projektorskjerm Show selected projector screen - + Vis valgte projektorskjerm &View Projector Information - + &Vis projektorinformasjon &Edit Projector - + &Rediger projektor &Connect Projector - + &Koble til projektor D&isconnect Projector - + Koble &fra projektor Power &On Projector - + Slår &på projektor Power O&ff Projector - + Slår &av projektor Select &Input - + Velg &Inndata Edit Input Source - + Rediger inngangskilkde &Blank Projector Screen - + &Slukk projektorskjerm &Show Projector Screen - + &Vis projektorskjerm &Delete Projector - + &Slett projektor @@ -5147,7 +5296,7 @@ Fil-endelsen støttes ikke IP - + IP @@ -5162,47 +5311,47 @@ Fil-endelsen støttes ikke Projector information not available at this time. - + Projektorinformasjon er ikke tilgjengelig for øyeblikket. Projector Name - + Projektornavn Manufacturer - + Produsent Model - + Modell Other info - + Annen informasjon Power status - + Strømstatus Shutter is - + Lukkeren er Closed - + Lukket Current source input is - + Gjeldende kildeinngang er @@ -5227,17 +5376,17 @@ Fil-endelsen støttes ikke No current errors or warnings - + Ingen aktuelle feil eller advarsler Current errors/warnings - + Aktuelle feil/advarsler Projector Information - + Projektorinformasjon @@ -5247,7 +5396,7 @@ Fil-endelsen støttes ikke Not Implemented Yet - + Ikke implementert ennå @@ -5298,27 +5447,27 @@ Fil-endelsen støttes ikke Connect to projectors on startup - Koble seg til projektorer ved oppstart + Koble til projektorer ved oppstart Socket timeout (seconds) - + Socket tidsavbrudd i (sekunder) Poll time (seconds) - + Kontrolltid (sekunder) Tabbed dialog box - + Dialogboks med kategorier Single dialog box - + Enkel dialogboks @@ -5326,17 +5475,17 @@ Fil-endelsen støttes ikke Duplicate IP Address - + Gjentatt IP-adresse Invalid IP Address - + Ugyldig IPadresse Invalid Port Number - + Ugyldig portnummer @@ -5367,7 +5516,7 @@ Fil-endelsen støttes ikke [slide %d] - + [slide %d] @@ -5375,7 +5524,7 @@ Fil-endelsen støttes ikke Reorder Service Item - Ommorganisere programpost + Omorganisere programpost @@ -5428,7 +5577,7 @@ Fil-endelsen støttes ikke Delete the selected item from the service. - Slett valgte post frå programmet. + Slett valgte post fra programmet. @@ -5443,7 +5592,7 @@ Fil-endelsen støttes ikke &Edit Item - &Redigere post + &Rediger post @@ -5461,22 +5610,22 @@ Fil-endelsen støttes ikke &Skift postens tema - + File is not a valid service. - Filen er ikke gyldig møteprogram-fil. + Filen er ikke gyldig møteprogramfil. - + Missing Display Handler Visningsmodul mangler - + Your item cannot be displayed as there is no handler to display it Posten kan ikke vises fordi visningsmodul mangler - + Your item cannot be displayed as the plugin required to display it is missing or inactive Posten kan ikke vises fordi nødvendig programtillegg enten mangler eller er inaktiv @@ -5488,7 +5637,7 @@ Fil-endelsen støttes ikke Expand all the service items. - Utvider alle postene i møteprogrammet. + Utvid alle postene i møteprogrammet. @@ -5553,40 +5702,40 @@ Fil-endelsen støttes ikke Custom Service Notes: - Egne møteprogram notater: + Egne møteprogramnotater: - + Notes: Notater: - + Playing time: Spilletid: Untitled Service - Uten tittel; møteprogram + Møteprogram uten navn - + File could not be opened because it is corrupt. Filen kunne åpnes fordi den er skadet. - + Empty File Tom fil - + This service file does not contain any data. Denne møteprogram filen er tom. - + Corrupt File Skadet fil @@ -5606,32 +5755,32 @@ Fil-endelsen støttes ikke Velg et tema for møteprogrammet. - + Slide theme - Lysbilde-tema + Lysbildetema - + Notes Notater - + Edit Redigere - + Service copy only - Berre kopi i møteprogrammet + Bare kopi i møteprogrammet - + Error Saving File Feil under lagring av fil - + There was an error saving your file. Det oppstod en feil under lagringen av filen. @@ -5640,17 +5789,6 @@ Fil-endelsen støttes ikke Service File(s) Missing Møteprogramfil(er) mangler - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - Følgende fil(er) i møteprogrammet mangler: -<byte value="x9"/>%s - - Disse filene vil bli fjernet hvis du fortsetter å lagre. - &Rename... @@ -5677,7 +5815,7 @@ These files will be removed if you continue to save. Vis lysbilde &en gang - + &Delay between slides &Pause mellom lysbildene @@ -5687,69 +5825,85 @@ These files will be removed if you continue to save. OpenLP Møteprogramfiler (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + OpenLP Møteprogramfiler (*.osz);; OpenLP Møteprogramfiler - lett (*.oszl) - + OpenLP Service Files (*.osz);; - + OpenLP Møteprogramfiler (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. - + Filen er ikke et gyldig møteprogram +Innholdet er ikke i UTF-8 koding - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + Møteprogramfilen du prøver å åpne er i et gammelt format. +Vennligst lagre den med OpenLP 2.0.2 eller nyere. - + This file is either corrupt or it is not an OpenLP 2 service file. - + Denne filen er enten skadet eller den er ikke en OpenLP 2 møteprogramfil. - + &Auto Start - inactive &Auto start - inaktiv - + &Auto Start - active - + &Autostart - aktiv - + Input delay - + Inngangsforsinkelse - + Delay between slides in seconds. Ventetid mellom bildene i sekunder. - + Rename item title - + Endre navn på møteprogrampost - + Title: Tittel: + + + An error occurred while writing the service file: %s + Det oppstod en feil under skriving av møteprogramfilen: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + Følgende fil(er) i møteprogrammet mangler: %s + +Disse filene vil bli fjernet hvis du fortsetter til lagre. + OpenLP.ServiceNoteForm Service Item Notes - Programpost notater + Programpostnotater @@ -5775,7 +5929,7 @@ These files will be removed if you continue to save. Duplicate Shortcut - Dublett + Dublett snarvei @@ -5833,7 +5987,7 @@ These files will be removed if you continue to save. Hide - Sjul + Skjul @@ -5843,12 +5997,12 @@ These files will be removed if you continue to save. Blank Screen - Blanke skjerm + Vis sort skjerm Blank to Theme - Blanke til tema + Vis tema @@ -5993,7 +6147,7 @@ These files will be removed if you continue to save. Go to next audio track. - Gå til neste lyd-spor. + Gå til neste lydspor. @@ -6004,49 +6158,44 @@ These files will be removed if you continue to save. OpenLP.SourceSelectForm - + Select Projector Source - + Velg projektorkilde - + Edit Projector Source Text - + Rediger projektorkildetekst Ignoring current changes and return to OpenLP - + Ignorerer de aktuelle endringene og gå tilbake til OpenLP Delete all user-defined text and revert to PJLink default text - + Slett all brukerdefinert tekst og gå tilbake til PJLink standardtekst Discard changes and reset to previous user-defined text - + Forkast endringene og tilbakestill til forrige brukerdefinerte tekst Save changes and return to OpenLP - + Lagre endringer og gå tilbake til OpenLP + + + + Delete entries for this projector + Slett oppføringer for denne projektoren - Delete entries for this projector - - - - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? - + Are you sure you want to delete ALL user-defined source input text for this projector? + Er du sikker på at du vil slette all brukerdefinert inndata tekst for denne projektoren? @@ -6090,7 +6239,7 @@ These files will be removed if you continue to save. Item Start and Finish Time - Start og sluttid + Start- og sluttid @@ -6209,7 +6358,7 @@ These files will be removed if you continue to save. Sett som &globalt tema - + %s (default) %s (standard) @@ -6219,52 +6368,47 @@ These files will be removed if you continue to save. Du må velge et tema å redigere. - + You are unable to delete the default theme. Du kan ikke slette standard tema. - + Theme %s is used in the %s plugin. Tema %s er i bruk i programmodulen %s. - + You have not selected a theme. Du har ikke valgt et tema. - + Save Theme - (%s) - Lagre tema -(%s) + Lagre tema - (%s) - + Theme Exported Tema eksportert - + Your theme has been successfully exported. - Temaet har blitt eksportert uten problem. + Temaet har blitt eksportert uten problemer. - + Theme Export Failed Temaeksporten var mislykket - - Your theme could not be exported due to an error. - Temaet kunne ikke eksporteres på grunn av en feil. - - - + Select Theme Import File Velg en tema importfil - + File is not a valid theme. Filen er ikke et gyldig tema. @@ -6291,7 +6435,7 @@ These files will be removed if you continue to save. Rename Confirmation - Stadfest navnendring + Bekreft navneendring @@ -6306,7 +6450,7 @@ These files will be removed if you continue to save. Delete Confirmation - Stadfest sletting + Bekreft sletting @@ -6314,20 +6458,15 @@ These files will be removed if you continue to save. Slett %s tema? - + Validation Error Kontrollfeil - + A theme with this name already exists. Et tema med dette navnet finnes allerede. - - - OpenLP Themes (*.theme *.otz) - OpenLP tema (*.theme *.otz) - Copy of %s @@ -6335,27 +6474,37 @@ These files will be removed if you continue to save. Kopi av %s - + Theme Already Exists Tema finnes allerede - + Theme %s already exists. Do you want to replace it? Temaet %s finnes allerede. Vil du erstatte det? + + + The theme export failed because this error occurred: %s + Eksport av tema mislyktes fordi denne feilen oppstod: %s + + + + OpenLP Themes (*.otz) + OpenLP temaer (*.otz) + OpenLP.ThemeWizard Theme Wizard - Tema veiviser + Temaveiviser Welcome to the Theme Wizard - Velkommen til tema-veiviseren + Velkommen til temaveiviseren @@ -6365,12 +6514,12 @@ These files will be removed if you continue to save. Set up your theme's background according to the parameters below. - Sett opp tema-bakgrunn i henhold til parameterne nedenfor. + Sett opp temabakgrunn i henhold til parameterne nedenfor. Background type: - Bakgrunns-type: + Bakgrunnstype: @@ -6410,7 +6559,7 @@ These files will be removed if you continue to save. Main Area Font Details - Fontdetaljer for hovudfeltet + Fontdetaljer for hovedfeltet @@ -6470,7 +6619,7 @@ These files will be removed if you continue to save. Allows additional display formatting information to be defined - Ytterlige innstillingsmuliger for hvorledes teksten skal vises + Ytterlige innstillingsmuligheter for hvordan teksten skal vises @@ -6485,7 +6634,7 @@ These files will be removed if you continue to save. Right - Høgre + Høyre @@ -6495,7 +6644,7 @@ These files will be removed if you continue to save. Output Area Locations - Plassering av visningsområda + Plassering av tekst @@ -6590,7 +6739,7 @@ These files will be removed if you continue to save. Transparent - Transparent + Gjennomsiktig @@ -6645,7 +6794,7 @@ These files will be removed if you continue to save. Allows you to change and move the Main and Footer areas. - + Her kan du endre og flytte tekst- og bunntekst områdene. @@ -6683,7 +6832,7 @@ These files will be removed if you continue to save. Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. - Bruker temaet fra møteprogrammet og ignorer individuelle sangtema. Dersom det ikke er satt opp spesielt tema for møtet bruk globalt tema. + Bruk temaet fra møteprogrammet og ignorer individuelle sangtema. Dersom det ikke er satt opp spesielt tema for møtet bruk globalt tema. @@ -6703,12 +6852,12 @@ These files will be removed if you continue to save. Universal Settings - + Universelle innstillinger &Wrap footer text - + &Bryt bunntekst @@ -6756,7 +6905,7 @@ These files will be removed if you continue to save. Select Import Source - Velg importeringskilde + Velg importkilde @@ -6779,9 +6928,9 @@ These files will be removed if you continue to save. Klar. - + Starting import... - Starter å importere... + Starter import... @@ -6790,19 +6939,19 @@ These files will be removed if you continue to save. Du må angi minst én %s fil som du vil importere fra. - + Welcome to the Bible Import Wizard - Velkommen til bibele importveiviseren + Velkommen til bibelimportveiviseren Welcome to the Song Export Wizard - Velkommen til sang eksportveiviseren + Velkommen til sangeksportveiviseren Welcome to the Song Import Wizard - Velkommen til sang importveiviseren + Velkommen til sangimportveiviseren @@ -6864,7 +7013,7 @@ These files will be removed if you continue to save. Welcome to the Bible Upgrade Wizard - Velkommen til denne bibel oppgradering veiviseren + Velkommen til bibeloppgradering-veiviseren @@ -6884,14 +7033,14 @@ These files will be removed if you continue to save. Du må angi en %s mappe du vil importere fra. - + Importing Songs Importerer sanger Welcome to the Duplicate Song Removal Wizard - + Velkommen til veiviseren for fjerning sangduplikater @@ -6901,7 +7050,7 @@ These files will be removed if you continue to save. Author Unknown - Ukjend forfatter + Ukjent forfatter @@ -6961,12 +7110,12 @@ These files will be removed if you continue to save. Create a new service. - Lag ett nytt møteprogram. + Lag et nytt møteprogram. Confirm Delete - Bekreft slett + Bekreft sletting @@ -6998,7 +7147,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Display style: - Visning-stil: + Visningsstil: @@ -7023,7 +7172,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Export - Eksportere + Eksporter @@ -7116,25 +7265,25 @@ Vennligst prøv å velge den individuelt. Manufacturer Singular - + Produsent Manufacturers Plural - + Produsenter Model Singular - + Modell Models Plural - + Modeller @@ -7200,7 +7349,7 @@ Vennligst prøv å velge den individuelt. OpenLP 2 - + OpenLP 2 @@ -7228,174 +7377,184 @@ Vennligst prøv å velge den individuelt. Forhåndsvisning - + Print Service Skriv ut møteprogram - + Projector Singular Projektor - + Projectors Plural - + Projektorer - + Replace Background Erstatt bakgrunn - + Replace live background. Erstatt fremvisningbakgrunn. - + Reset Background Tilbakestill bakgrunn - + Reset live background. Tilbakestill fremvisningbakgrunn. - + s The abbreviated unit for seconds s - + Save && Preview Lagre && Forhåndsvisning - + Search Søk - + Search Themes... Search bar place holder text Søk tema... - + You must select an item to delete. Du må velge en post å slette. - + You must select an item to edit. Du må velge en post å redigere. - + Settings Innstillinger - + Save Service Lagre møteprogram - + Service Møteprogram - + Optional &Split - Valgfri &deling av side + Valgfri &deling - + Split a slide into two only if it does not fit on the screen as one slide. Splitte en side i to bare hvis det ikke passer på skjermen som en side. - + Start %s Start %s - + Stop Play Slides in Loop Stopp kontinuerlig visning - + Stop Play Slides to End Stopp visning av sider "til siste side" - + Theme Singular Tema - + Themes Plural Temaer - + Tools Verktøy - + Top Topp - + Unsupported File Denne filen støttes ikke - + Verse Per Slide Vers pr side - + Verse Per Line Vers pr linje - + Version Versjon - + View Vis - + View Mode Visningsmodus CCLI song number: - + CCLI sang nummer: OpenLP 2.2 + OpenLP 2.2 + + + + Preview Toolbar + Forhåndsvisning - verktøylinje + + + + Replace live background is not available on this platform in this version of OpenLP. @@ -7431,56 +7590,56 @@ Vennligst prøv å velge den individuelt. Source select dialog interface - + Velge kildegrensesnitt PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Programtillegget for presentasjoner</strong><br/>Programtillegget gir mulighet til å vise presentasjoner ved hjelp av en rekke ulike programmer. Valget av tilgjengelige presentasjonsprogrammer er tilgjengelig for brukeren i en nedtrekksboks. - + Presentation name singular Presentasjon - + Presentations name plural Presentasjoner - + Presentations container title Presentasjoner - + Load a new presentation. Last en ny presentasjon. - + Delete the selected presentation. Slett den valgte presentasjonen. - + Preview the selected presentation. Forhåndsvis den valgte presentasjonen. - + Send the selected presentation live. Fremvis valgte presentasjon. - + Add the selected presentation to the service. Legg valgte presentasjon til møteprogrammet. @@ -7523,17 +7682,17 @@ Vennligst prøv å velge den individuelt. Presentasjoner (%s) - + Missing Presentation Presentasjonen mangler - + The presentation %s is incomplete, please reload. Presentasjonen %s er ufullstendig, vennligst oppdater. - + The presentation %s no longer exists. Presentasjonen %s eksisterer ikke lenger. @@ -7541,46 +7700,56 @@ Vennligst prøv å velge den individuelt. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - + Det oppstod en feil i Powerpointintegrasjonen og presentasjonen vil bli stoppet. Start presentasjonen på nytt hvis du ønsker å fortsette. PresentationPlugin.PresentationTab - + Available Controllers Tilgjengelige presentasjonsprogram - + %s (unavailable) %s (utilgjengelig) - + Allow presentation application to be overridden - Tillat presentasjons-programmet å bli overstyrt + Tillat presentasjonsprogrammet å bli overstyrt - + PDF options PDF-valg - + Use given full path for mudraw or ghostscript binary: - + Bruk fullstendig bane for mudraw eller ghost binary: - + Select mudraw or ghostscript binary. + Velg mudraw eller ghost binary. + + + + The program is not ghostscript or mudraw which is required. + Programmet er ikke ghostscript eller mudraw som er nødvendig. + + + + PowerPoint options - - The program is not ghostscript or mudraw which is required. + + Clicking on a selected slide in the slidecontroller advances to next effect. @@ -7589,7 +7758,7 @@ Vennligst prøv å velge den individuelt. <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. - <strong>Fjernstyrings programtillegget</strong><br/> Dette fjernstyrings tillegget gir mulighet til å sende meldinger til en kjørende versjon av OpenLP på en annen datamaskin via en nettleser eller via en fjernkontroll-app. + <strong>Fjernstyringsprogramtillegget</strong><br/> Dette fjernstyringstillegget gir mulighet til å sende meldinger til en kjørende versjon av OpenLP på en annen datamaskin via en nettleser eller via en fjernstyrings-app. @@ -7612,140 +7781,140 @@ Vennligst prøv å velge den individuelt. Server Config Change - + Endre serverinstillingene Server configuration changes will require a restart to take effect. - + Endring av serverinnstillingene krever omstart for å tre i kraft. RemotePlugin.Mobile - + Service Manager Møteprogram - + Slide Controller - Fremvisnings kontroll + Fremvisningskontroll - + Alerts - Varsel + Meldinger - + Search Søk - + Home Hjem - + Refresh Oppdater - + Blank Slukk - + Theme Tema - + Desktop Srivebord - + Show Vis - + Prev Forrige - + Next Neste - + Text Tekst - + Show Alert - Vis varselmelding + Vis melding - + Go Live Send til fremvisning - + Add to Service Legg til i møteprogram - + Add &amp; Go to Service Legg til &amp; gå til møteprogram - + No Results Ingen resultat - + Options Alternativer - + Service Møteprogram - + Slides Bilder - + Settings Innstillinger - + OpenLP 2.2 Remote - + OpenLP 2.2 Fjernstyring - + OpenLP 2.2 Stage View - + OpenLP 2.2 scenevisning - + OpenLP 2.2 Live View - + OpenLP 2.2 Skjermvisning @@ -7773,12 +7942,12 @@ Vennligst prøv å velge den individuelt. Stage view URL: - Sene-visning URL: + Scenevisning URL: Display stage time in 12h format - Vis sene-tiden i 12-timersformat + Vis scenetiden i 12-timersformat @@ -7788,32 +7957,32 @@ Vennligst prøv å velge den individuelt. Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. - Skanne QR-koden eller klikk <a href="https://play.google.com/store/apps/details?id=org.openlp.android"> download</a> for å installere Android app fra Google Play. + Skann QR-koden eller klikk <a href="https://play.google.com/store/apps/details?id=org.openlp.android"> download</a> for å installere Android app fra Google Play. Live view URL: - + Skjermvisning URL: HTTPS Server - + HTTPS Server Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. - + Kunne ikke finne et SSL-sertifikat. HTTPS-serveren vil ikke være tilgjengelig med mindre et SSL-sertifikat er funnet. Se i bruksanvisningen for mer informasjon. User Authentication - + Brukergodkjenning User id: - Bruker id: + Bruker-id: @@ -7823,91 +7992,91 @@ Vennligst prøv å velge den individuelt. Show thumbnails of non-text slides in remote and stage view. - + Vis miniatyrbilder av ikke-tekst slides i fjernstyrings- og scenevisning. SongUsagePlugin - + &Song Usage Tracking &Logging av sangbruk - + &Delete Tracking Data &Slett loggdata - + Delete song usage data up to a specified date. Slett loggdata til en gitt dato. - + &Extract Tracking Data &Ta utdrag av loggdata - + Generate a report on song usage. Generere en rapport om sang bruken. - + Toggle Tracking Slå på logging - + Toggle the tracking of song usage. Slår logging av sanger av/på. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - <strong>Sagbruk modulen</strong><br/>Dette programtillegget logger bruken av sangene på møtene. + <strong>Sangbrukmodulen</strong><br/>Dette programtillegget logger bruken av sangene på møtene. - + SongUsage name singular Sangbruk - + SongUsage name plural Sangbruk - + SongUsage container title Sangbruk - + Song Usage Sangbruk - + Song usage tracking is active. - Sang loggingen er aktiv. + Sanglogging er aktiv. - + Song usage tracking is inactive. - Sang loggingen er ikke aktiv. + Sanglogging er ikke aktiv. - + display vise - + printed utskrevet @@ -7917,7 +8086,7 @@ Vennligst prøv å velge den individuelt. Delete Song Usage Data - Slette sangbruksdata + Slett sangbruksdata @@ -7938,12 +8107,13 @@ Vennligst prøv å velge den individuelt. Select the date up to which the song usage data should be deleted. All data recorded before this date will be permanently deleted. - + Velg en dato som sangbruksdata skal slettes fram til. +Alle data som er registrert før denne datoen vil bli varig slettet. All requested data has been deleted successfully. - + Sletting av alle valgte data var vellykket. @@ -7969,22 +8139,22 @@ All data recorded before this date will be permanently deleted. Målmappe - + Output File Location Ut-fil plasering - + usage_detail_%s_%s.txt - bruks_ditaljer_%s_%s.txt + bruks_detaljer_%s_%s.txt - + Report Creation Rapport opprettet - + Report %s has been successfully created. @@ -7993,46 +8163,57 @@ has been successfully created. er opprettet uten problem. - + Output Path Not Selected Målmappe er ikke valgt - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. - + Du må velge en gyldig mål-mappe for sangbrukrapporten. +Velg en eksisterende sti på harddisken. + + + + Report Creation Failed + Rapportopprettelsen mislyktes + + + + An error occurred while creating the report: %s + Det oppstod en feil ved oppretting av rapporten: %s SongsPlugin - + &Song &Sang - + Import songs using the import wizard. Importere sanger med importveiviseren. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. - <strong>Sang programtillegg</strong><br/> Dette tillegget gir mulighet til å vise og administrere sanger. + <strong>Sangprogramtillegg</strong><br/> Dette tillegget gir mulighet til å vise og administrere sanger. - + &Re-index Songs &Oppdatere sangindeksen - + Re-index the songs database to improve searching and ordering. - Omorganisere sangdatabasen for å oppnå bedre inndeling og søking. + Reindekserer sangdatabasen for å oppnå bedre inndeling og søking. - + Reindexing songs... Indekserer sanger på nytt ... @@ -8117,92 +8298,92 @@ Please select an existing path on your computer. for the correct character representation. Usually you are fine with the preselected choice. Tegntabell-innstillingen er avgjørende for riktige tegn. -Vanligvis fungerer forehåndsvalgt innstilling. +Vanligvis fungerer forhåndsvalgt innstilling. Please choose the character encoding. The encoding is responsible for the correct character representation. - Velg tegntabell-innstilling. + Velg tegntabellinnstilling. Innstillingen er avgjørende for riktige tegn. - + Song name singular Sang - + Songs name plural Sanger - + Songs container title Sanger - + Exports songs using the export wizard. Eksporter sanger ved hjelp av eksport-veiviseren. - + Add a new song. Legg til en ny sang. - + Edit the selected song. Rediger valgte sang. - + Delete the selected song. Slett valgte sang. - + Preview the selected song. Forhåndsvis valgte sang. - + Send the selected song live. Send valgte sang til fremvisning. - + Add the selected song to the service. Legg valgte sang til møteprogrammet. - + Reindexing songs Indekserer sanger på nytt - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. Importer sanger fra CCLI's SongSelect. - + Find &Duplicate Songs - + Finn sang&duplikater - + Find and remove duplicate songs in the song database. - + Finne og fjern sangduplikater fra sangdatabasen. @@ -8217,13 +8398,13 @@ Innstillingen er avgjørende for riktige tegn. Music Author who wrote the music of a song - Musikk + Melodi Words and Music Author who wrote both lyrics and music of a song - Tekst og musikk + Tekst og melodi @@ -8257,7 +8438,7 @@ Innstillingen er avgjørende for riktige tegn. You need to type in the first name of the author. - Du må skrive inn forfatterens fornavn. + Du må oppgi forfatterens fornavn. @@ -8283,7 +8464,7 @@ Innstillingen er avgjørende for riktige tegn. Invalid DreamBeam song file. Missing DreamSong tag. - + Ugyldig DreamBeam sangfil. Mangler DreamSong tagg. @@ -8296,12 +8477,12 @@ Innstillingen er avgjørende for riktige tegn. "%s" could not be imported. %s - + "%s" kunne ikke importeres. %s Unexpected data formatting. - + Uventet dataformatering. @@ -8312,27 +8493,28 @@ Innstillingen er avgjørende for riktige tegn. [above are Song Tags with notes imported from EasyWorship] - + +[ovenfor er sang-tillegg med notater importert fra EasyWorship] This file does not exist. - + Denne filen eksisterer ikke. Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. - + Kunne ikke finne "Songs.MB" filen. Det må være i samme mappe som "Songs.DB" filen. This file is not a valid EasyWorship database. - + Denne filen er ikke en gyldig EasyWorship database. Could not retrieve encoding. - + Kunne ikke hente koding. @@ -8345,7 +8527,7 @@ Innstillingen er avgjørende for riktige tegn. Custom Book Names - Tilpassa boknavn + Egendefinerte boknavn @@ -8453,7 +8635,7 @@ Innstillingen er avgjørende for riktige tegn. This author does not exist, do you want to add them? - Denne forfatteren eksisterer ikke, skal han opprettes? + Denne forfatteren eksisterer ikke, skal den opprettes? @@ -8468,7 +8650,7 @@ Innstillingen er avgjørende for riktige tegn. Add Topic - Legg til emne- + Legg til emne @@ -8483,7 +8665,7 @@ Innstillingen er avgjørende for riktige tegn. You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - Du har ikke valgt et gyldig emne. Enten velger du et emne fra listen, eller skriv inn et nytt emne og klikk på "Tilføye sangen emne"-knappen for å legge til det nye emnet. + Du har ikke valgt et gyldig emne. Enten velger du et emne fra listen, eller skriv inn et nytt emne og klikk på "Legg til emne"-knappen for å legge til det nye emnet. @@ -8549,13 +8731,15 @@ Innstillingen er avgjørende for riktige tegn. There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. Please enter the verses separated by spaces. - + Det er ingen vers tilsvarende "%(invalid)s". Gyldig oppføring er %(valid)s. +Fyll inn versene adskilt med mellomrom. There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. Please enter the verses separated by spaces. - + Det er ingen vers tilsvarende "%(invalid)s". Gyldige oppføringer er %(valid)s. +Fyll inn versene adskilt med mellomrom. @@ -8565,17 +8749,17 @@ Please enter the verses separated by spaces. &Edit Author Type - + &Rediger forfatterkategori Edit Author Type - + Rediger forfatterkategori Choose type for this author - + Velg kategori for denne forfatteren @@ -8669,7 +8853,7 @@ Please enter the verses separated by spaces. Du må angi en katalog. - + Select Destination Folder Velg målmappe @@ -8681,7 +8865,7 @@ Please enter the verses separated by spaces. This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. - + Denne veiviseren vil hjelpe til å eksportere sangene til det åpne og gratis <strong>OpenLyrics</strong> sangfremviser-formatet. @@ -8782,7 +8966,7 @@ Please enter the verses separated by spaces. OpenLyrics or OpenLP 2.0 Exported Song - OpenLyrics eller OpenLP 2,0 Eksporterte sanger + OpenLyrics eller OpenLP 2.0 eksporterte sanger @@ -8812,7 +8996,7 @@ Please enter the verses separated by spaces. You need to specify a valid PowerSong 1.0 database folder. - Du må angi en gyldig PowerSong 1,0 database mappe. + Du må angi en gyldig PowerSong 1.0 databasemappe. @@ -8822,7 +9006,7 @@ Please enter the verses separated by spaces. First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. - Først må du konvertere ZionWorx databasen til en CSV tekstfil, som forklart i <a href="http://manual.openlp.org/songs.html#importing-from-zionworx"> Brukerveiledning</a>. + Først må du konvertere ZionWorx databasen til en CSV tekstfil, som forklart i <a href="http://manual.openlp.org/songs.html#importing-from-zionworx"> brukerveiledningen</a>. @@ -8862,12 +9046,12 @@ Please enter the verses separated by spaces. EasyWorship Service File - + EasyWorship møteprogramfil WorshipCenter Pro Song Files - + WorshipCenter Pro sangfiler @@ -8877,32 +9061,32 @@ Please enter the verses separated by spaces. PowerPraise Song Files - + PowerPraise sangfiler PresentationManager Song Files - + PresentationManager sangfiler ProPresenter 4 Song Files - + ProPresenter 4 sangfiler Worship Assistant Files - + Worship Assistant filer Worship Assistant (CSV) - + Worship Assistant (CSV) In Worship Assistant, export your Database to a CSV file. - + I Worship Assistant, eksporter din databse til en CSV fil. @@ -8943,9 +9127,9 @@ Please enter the verses separated by spaces. Are you sure you want to delete the %n selected song(s)? - - - + + Er du sikker du vil slette den %n valgte sangen? + Er du sikker på at du vil slette de %n valgte sangene? @@ -8962,7 +9146,7 @@ Please enter the verses separated by spaces. Search Titles... - Søk tittler... + Søk titler... @@ -8998,7 +9182,7 @@ Please enter the verses separated by spaces. Not a valid OpenLP 2.0 song database. - Ikke en gyldig OpenLP 2,0 sang database. + Ikke en gyldig OpenLP 2.0 sangdatabase. @@ -9014,7 +9198,7 @@ Please enter the verses separated by spaces. Invalid OpenSong song file. Missing song tag. - Ugyldig OpenSong sang fil. Mangler sang tag. + Ugyldig OpenSong sangfil. Mangler sang tagg. @@ -9076,15 +9260,20 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. Sangeksporten mislyktes. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Ferdig eksport. For å importere disse filene bruk en "importør" som takler <strong>OpenLyrics</strong> formatet. + + + Your song export failed because this error occurred: %s + Eksport av sangen mislyktes fordi denne feilen oppstod: %s + SongsPlugin.SongImport @@ -9174,7 +9363,7 @@ Please enter the verses separated by spaces. This author cannot be deleted, they are currently assigned to at least one song. - Denne forfatteren kan ikke slettes. Han er for øyeblikket tilknyttet minst én sang. + Denne forfatteren kan ikke slettes. Den er for øyeblikket tilknyttet minst én sang. @@ -9194,7 +9383,7 @@ Please enter the verses separated by spaces. Delete Book - Slette bok + Slett bok @@ -9227,12 +9416,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + CCLI SongSelect importør <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + <strong>Merk:</strong> En Internettilkobling er nødvendig for å importere sanger fra CLLI SongSelect. @@ -9247,17 +9436,17 @@ Please enter the verses separated by spaces. Save username and password - + Lagre brukernavn og passord Login - + Logg inn Search Text: - + Søketekst: @@ -9265,14 +9454,14 @@ Please enter the verses separated by spaces. Søk - + Found %s song(s) - + Fant %s sang(er) Logout - + Logg ut @@ -9287,7 +9476,7 @@ Please enter the verses separated by spaces. Author(s): - + Forfatter(e): @@ -9297,7 +9486,7 @@ Please enter the verses separated by spaces. CCLI Number: - + CCLI Nummer: @@ -9307,7 +9496,7 @@ Please enter the verses separated by spaces. Back - + Tilbake @@ -9317,57 +9506,57 @@ Please enter the verses separated by spaces. More than 1000 results - + Mer enn 1000 treff Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. - + Søket har gitt mer enn 1000 treff, og av den grunn stoppet. Vennligst avgrens søket for å oppnå et bedre resultater. Logging out... - + Logger av... - + Save Username and Password - + Lagre brukernavn og passord - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + ADVARSEL: Å lagre ditt brukernavn og passord her er usikkert, passordet blir lagret i klartekst. Klikk Ja/Yes for å lagre passordet eller Nei/No for å avbryte dette. - + Error Logging In - + Feil ved innlogging - + There was a problem logging in, perhaps your username or password is incorrect? - + Det var problemer med å logge inn, kanskje brukernavn eller passord er feil? - + Song Imported - + Sang importert - - Your song has been imported, would you like to exit now, or import more songs? - + + Incomplete song + Ufullstendig sang - - Import More Songs - + + This song is missing some information, like the lyrics, and cannot be imported. + Denne sangen har noen mangler, f. eks sangteksten, og kan derfor ikke importeres. - - Exit Now - Avslutt nå + + Your song has been imported, would you like to import more songs? + Sangen har blitt importert, ønsker du å importere flere sanger? @@ -9400,7 +9589,7 @@ Please enter the verses separated by spaces. Display songbook in footer - Vis sangbok i fotnote + Vis sangbok i bunntekst @@ -9413,7 +9602,7 @@ Please enter the verses separated by spaces. Topic name: - Emne navn: + Emnenavn: @@ -9451,12 +9640,12 @@ Please enter the verses separated by spaces. Ending - Avsluttning + Avslutning Other - Tillegg + Tilleggsinformasjon @@ -9469,7 +9658,7 @@ Please enter the verses separated by spaces. Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. - + Ugyldig Words of Worship sangfil. Mangler "WoW File\nSong Words" header. @@ -9487,12 +9676,12 @@ Please enter the verses separated by spaces. Decoding error: %s - Dekoding-feil: %s + Dekodingsfeil: %s File not valid WorshipAssistant CSV format. - + Filen er ikke i gyldig WorshipAssistant CSV-format. @@ -9528,7 +9717,7 @@ Please enter the verses separated by spaces. Decoding error: %s - Dekoding-feil: %s + Dekodingsfeil: %s @@ -9546,27 +9735,27 @@ Please enter the verses separated by spaces. This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. - Denne veiviseren vil hjelpe deg å fjerne dupliserte sanger fra sang databasen. Du får sjanse til å vurdere alle potensielle dupliserte sanger før de slettes. Så ingen sanger vil bli slettet uten din godkjenning. + Denne veiviseren vil hjelpe deg å fjerne sangduplikater fra sangdatabasen. Du får muligheten til å vurdere alle potensielle duplikater før de slettes, ingen sanger vil bli slettet uten din godkjenning. Searching for duplicate songs. - Søker etter dupliserte sanger. + Søker etter sangduplikater. Please wait while your songs database is analyzed. - Vennligst vent mens sang databasen blir analysert. + Vennligst vent mens sangdatabasen blir analysert. Here you can decide which songs to remove and which ones to keep. - Her kan du velge hvilken sang du vil slette eller beholde. + Her kan du velge hvilke sanger du vil slette eller beholde. Review duplicate songs (%s/%s) - Gjennomgår dupliserte sanger (% s /% s) + Gjennomgå sangduplikater (%s/%s) @@ -9576,7 +9765,7 @@ Please enter the verses separated by spaces. No duplicate songs have been found in the database. - Ingen dupliserte sanger er blitt funnet i databasen. + Ingen sangduplikater er blitt funnet i databasen. diff --git a/resources/i18n/nl.ts b/resources/i18n/nl.ts index a043e31d2..52822668a 100644 --- a/resources/i18n/nl.ts +++ b/resources/i18n/nl.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert W&aarschuwing - + Show an alert message. Toon waarschuwingsberichten. - + Alert name singular Waarschuwing - + Alerts name plural Waarschuwingen - + Alerts container title Waarschuwingen - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Waarschuwingsplug-in</strong><br />De waarschuwingsplug-in regelt de weergave van waarschuwingen op het scherm. @@ -154,85 +154,85 @@ Voer eerst tekst in voordat u op Nieuw klikt. BiblesPlugin - + &Bible &Bijbel - + Bible name singular Bijbel - + Bibles name plural Bijbels - + Bibles container title Bijbels - + No Book Found Geen bijbelboek gevonden - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Er kon geen bijbelboek met die naam gevonden worden. Controleer de spelling. - + Import a Bible. Importeer een bijbel. - + Add a new Bible. Voeg een nieuwe bijbel toe. - + Edit the selected Bible. Geselecteerde bijbel bewerken. - + Delete the selected Bible. Geselecteerde bijbel verwijderen. - + Preview the selected Bible. Geselecteerde bijbeltekst in voorbeeldscherm tonen. - + Send the selected Bible live. Geselecteerde bijbeltekst live tonen. - + Add the selected Bible to the service. Geselecteerde bijbeltekst aan de liturgie toevoegen. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bijbel plug-in</strong><br />De Bijbel plug-in voorziet in de mogelijkheid bijbelteksten uit verschillende bronnen weer te geven tijdens de dienst. - + &Upgrade older Bibles &Upgrade oude bijbels - + Upgrade the Bible databases to the latest format. Upgrade de bijbeldatabases naar de meest recente indeling. @@ -660,61 +660,61 @@ Voer eerst tekst in voordat u op Nieuw klikt. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + vers verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + verzen - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - tot + tot , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + en end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + einde @@ -767,39 +767,39 @@ gevolgd worden door een of meerdere niet-nummer lettertekens. BiblesPlugin.BibleManager - + Scripture Reference Error Fout in schriftverwijzing - + Web Bible cannot be used Online bijbels kunnen niet worden gebruikt - + Text Search is not available with Web Bibles. In online bijbels kunt u niet zoeken op tekst. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Geen zoekterm opgegeven. Woorden met een spatie ertussen betekent zoeken naar alle woorden, woorden met een komma ertussen betekent zoeken naar de afzonderlijke woorden. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Er zijn geen bijbels geïnstalleerd. Gebruik de Import Assistent om een of meerdere bijbels te installeren. - + No Bibles Available Geen bijbels beschikbaar - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -989,12 +989,12 @@ zoekresultaten en in weergave: BiblesPlugin.CSVBible - + Importing books... %s Importeren bijbelboeken... %s - + Importing verses... done. Importeren bijbelverzen... klaar. @@ -1072,203 +1072,224 @@ De namen van bijbelboeken kunnen niet aangepast worden. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Bezig met registreren van bijbel en laden van boeken... - + Registering Language... Bezig met registreren van de taal... - + Importing %s... Importing <book name>... Bezig met importeren van "%s"... - + Download Error - Download fout + Downloadfout - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. - Er ging iets mis bij het downloaden van de bijbelverzen. Controleer uw internetverbinding. Als dit probleem zich blijft herhalen is er misschien sprake van een programmafout. + Er is een fout opgetreden bij het downloaden van de bijbelverzen. Controleer uw internetverbinding. Als dit probleem zich blijft herhalen is er misschien sprake van een programmafout. - + Parse Error Verwerkingsfout - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. - Er ging iets mis bij het uitpakken van de bijbelverzen. Als dit probleem zich blijft herhalen is er misschien sprake van een programmafout. + Er is een fout opgetreden bij het uitpakken van de bijbelverzen. Als dit probleem zich blijft herhalen is er misschien sprake van een programmafout. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bijbel Import Assistent - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Deze Assistent helpt u bijbels van verschillende bestandsformaten te importeren. Om de Assistent te starten klikt op volgende. - + Web Download Onlinebijbel - + Location: Locatie: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bijbelvertaling: - + Download Options Download opties - + Server: Server: - + Username: Gebruikersnaam: - + Password: Wachtwoord: - + Proxy Server (Optional) Proxyserver (optioneel) - + License Details Licentie details - + Set up the Bible's license details. Geef aan welke licentievoorwaarden gelden voor deze bijbelvertaling. - + Version name: Versie naam: - + Copyright: Copyright: - + Please wait while your Bible is imported. Een moment geduld. De bijbelvertaling wordt geïmporteerd. - + You need to specify a file with books of the Bible to use in the import. Er moet een bestand met beschikbare bijbelboeken opgegeven worden. - + You need to specify a file of Bible verses to import. Er moet een bestand met bijbelverzen opgegeven worden. - + You need to specify a version name for your Bible. U moet een naam opgeven voor deze versie van de bijbel. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. U moet opgeven welke copyrights gelden voor deze bijbelvertaling. Bijbel in het publieke domein moeten als zodanig gemarkeerd worden. - + Bible Exists Bijbel bestaat al - + This Bible already exists. Please import a different Bible or first delete the existing one. Deze bijbelvertaling bestaat reeds. Importeer een andere vertaling of verwijder eerst de bestaande versie. - + Your Bible import failed. Het importeren is mislukt. - + CSV File CSV bestand - + Bibleserver Bibleserver.com - + Permissions: Rechten: - + Bible file: Bijbel bestand: - + Books file: Bijbelboeken bestand: - + Verses file: Bijbelverzen bestand: - + Registering Bible... Bezig met registreren van bijbel... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Bijbel geregistreerd. Let op, de bijbelverzen worden gedownload +indien nodig en een internetverbinding is dus noodzakelijk. + + + + Click to download bible list + Klik om de bijbellijst te downloaden + + + + Download bible list + Download bijbellijst + + + + Error during download + Fout tijdens het downloaden + + + + An error occurred while downloading the list of bibles from %s. + Er is een fout opgetreden bij het downloaden van de bijbellijst van %s. @@ -1407,13 +1428,26 @@ De bijbel moet opnieuw geïmporteerd worden om weer gebruikt te kunnen worden.Incorrect bijbelbestand. Het lijkt een Zefania XML bijbel te zijn, waarvoor u de Zefania importoptie kunt gebruiken. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + Bezig met importeren van %(bookname)s %(chapter)s... + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Ongebruikte tags verwijderen (dit kan enkele minuten duren)... + + + Importing %(bookname)s %(chapter)s... + Bezig met importeren van %(bookname)s %(chapter)s... + BiblesPlugin.UpgradeWizardForm @@ -1568,73 +1602,81 @@ Let op, de bijbelverzen worden gedownload wanneer deze nodig zijn. Een internetv BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Incorrect bijbelbestand. Zefania bijbels kunnen gecomprimeerd zijn en moeten uitgepakt worden vóór het importeren. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + Bezig met importeren van %(bookname)s %(chapter)s... + + CustomPlugin - + Custom Slide name singular Aangepaste dia - + Custom Slides name plural Aangepaste dia’s - + Custom Slides container title Aangepaste dia’s - + Load a new custom slide. Aangepaste dia laden. - + Import a custom slide. Aangepaste dia importeren. - + Add a new custom slide. Aangepaste dia toevoegen. - + Edit the selected custom slide. Geselecteerde dia bewerken. - + Delete the selected custom slide. Geselecteerde aangepaste dia verwijderen. - + Preview the selected custom slide. Bekijk voorbeeld aangepaste dia. - + Send the selected custom slide live. Bekijk aangepaste dia live. - + Add the selected custom slide to the service. Aangepaste dia aan liturgie toevoegen. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Aangepaste Dia plug-in</strong><br />De Aangepaste Dia plug-in voorziet in mogelijkheden aangepaste tekst weer te geven op dezelfde manier als liederen. Deze plugin voorziet in meer mogelijkheden dan de Lied plugin. @@ -1731,7 +1773,7 @@ Let op, de bijbelverzen worden gedownload wanneer deze nodig zijn. Een internetv CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Weet u zeker dat u de %n geselecteerde dia wilt verwijderen? @@ -1742,60 +1784,60 @@ Let op, de bijbelverzen worden gedownload wanneer deze nodig zijn. Een internetv ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Afbeeldingen plug-in</strong><br />De afbeeldingen plug-in voorziet in de mogelijkheid afbeeldingen te laten zien.<br />Een van de bijzondere mogelijkheden is dat meerdere afbeeldingen als groep in de liturgie worden opgenomen, zodat weergave van meerdere afbeeldingen eenvoudiger wordt. Deze plug-in maakt doorlopende diashows (bijv. om de 3 sec. een nieuwe dia) mogelijk. Ook kun met deze plug-in de achtergrondafbeelding van het thema vervangen met een andere afbeelding. Ook de combinatie van tekst en beeld is mogelijk. - + Image name singular Afbeelding - + Images name plural Afbeeldingen - + Images container title Afbeeldingen - + Load a new image. Nieuwe afbeelding laden. - + Add a new image. Nieuwe afbeelding toevoegen. - + Edit the selected image. Geselecteerde afbeelding bewerken. - + Delete the selected image. Geselecteerde afbeelding verwijderen. - + Preview the selected image. Voorbeeld van geselecteerde afbeelding bekijken. - + Send the selected image live. Geselecteerde afbeelding live tonen. - + Add the selected image to the service. Geselecteerde afbeelding aan liturgie toevoegen. @@ -1823,12 +1865,12 @@ Let op, de bijbelverzen worden gedownload wanneer deze nodig zijn. Een internetv U moet een groepsnaam invullen. - + Could not add the new group. Kon de nieuwe groep niet toevoegen. - + This group already exists. Deze groep bestaat al. @@ -1877,34 +1919,34 @@ Let op, de bijbelverzen worden gedownload wanneer deze nodig zijn. Een internetv Selecteer afbeelding(en) - + You must select an image to replace the background with. Selecteer een afbeelding om de achtergrond te vervangen. - + Missing Image(s) Ontbrekende afbeelding(en) - + The following image(s) no longer exist: %s De volgende afbeelding(en) ontbreken: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? De volgende afbeelding(en) ontbreken: %s De andere afbeeldingen alsnog toevoegen? - + There was a problem replacing your background, the image file "%s" no longer exists. Achtergrond kan niet vervangen worden omdat de afbeelding "%s" ontbreekt. - + There was no display item to amend. Er wordt geen item weergegeven dat aangepast kan worden. @@ -1914,17 +1956,17 @@ De andere afbeeldingen alsnog toevoegen? -- Hoogste niveau groep -- - + You must select an image or group to delete. Selecteer een afbeelding of groep om te verwijderen. - + Remove group Verwijder groep - + Are you sure you want to remove "%s" and everything in it? Weet u zeker dat u "%s" en alles daarin wilt verwijderen? @@ -1945,22 +1987,22 @@ De andere afbeeldingen alsnog toevoegen? Phonon is een mediaplayer die samen met het operating media afspeelmogelijkheden biedt. - + Audio Audio - + Video Video - + VLC is an external player which supports a number of different formats. VLC is een externe speler die veel verschillende bestandsformaten ondersteunt. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit is een mediaplayer die draait binnen een browser. Deze speler maakt het mogelijk tekst over een video heen te vertonen. @@ -1968,60 +2010,60 @@ De andere afbeeldingen alsnog toevoegen? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media plug-in</strong><br />De media plug-in voorziet in de mogelijkheid om audio en video af te spelen. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Nieuwe media laden. - + Add new media. Nieuwe media toevoegen. - + Edit the selected media. Geselecteerd mediabestand bewerken. - + Delete the selected media. Geselecteerd mediabestand verwijderen. - + Preview the selected media. Toon voorbeeld van geselecteerd mediabestand. - + Send the selected media live. Geselecteerd mediabestand live tonen. - + Add the selected media to the service. Geselecteerd mediabestand aan liturgie toevoegen. @@ -2190,37 +2232,37 @@ De andere afbeeldingen alsnog toevoegen? Selecteer mediabestand - + You must select a media file to delete. Selecteer een mediabestand om te verwijderen. - + You must select a media file to replace the background with. Selecteer een mediabestand om de achtergrond mee te vervangen. - + There was a problem replacing your background, the media file "%s" no longer exists. Probleem met het vervangen van de achtergrond, omdat het bestand "%s" niet meer bestaat. - + Missing Media File Ontbrekend mediabestand - + The file %s no longer exists. Mediabestand %s bestaat niet meer. - + Videos (%s);;Audio (%s);;%s (*) Video’s (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Er wordt geen item weergegeven dat aangepast kan worden. @@ -2230,7 +2272,7 @@ De andere afbeeldingen alsnog toevoegen? Bestandsformaat wordt niet ondersteund - + Use Player: Gebruik speler: @@ -2245,27 +2287,27 @@ De andere afbeeldingen alsnog toevoegen? De VLC speler is nodig om CD's en DVD's af te kunnen spelen. - + Load CD/DVD CD/DVD laden - + Load CD/DVD - only supported when VLC is installed and enabled CD/DVD laden - alleen mogelijk wanneer VLC geïnstalleerd is - + The optical disc %s is no longer available. De schijf %s is niet meer beschikbaar. - + Mediaclip already saved Fragment was al opgeslagen - + This mediaclip has already been saved Dit fragment was al opgeslagen @@ -2294,17 +2336,17 @@ De andere afbeeldingen alsnog toevoegen? OpenLP - + Image Files Afbeeldingsbestanden - + Information Informatie - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3156,7 +3198,7 @@ lijkt al OpenLP data bestanden te bevatten. Wilt u de oude bestanden vervangen Error Occurred - Er gaat iets fout + Fout @@ -3278,7 +3320,7 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken. OpenLP.FileRenameForm - + File Rename Bestand hernoemen @@ -3288,7 +3330,7 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken. Nieuwe bestandsnaam: - + File Copy Bestand kopiëren @@ -3314,167 +3356,167 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken. OpenLP.FirstTimeWizard - + Songs Liederen - + First Time Wizard Eerste Keer Assistent - + Welcome to the First Time Wizard Welkom bij de Eerste Keer Assistent - + Activate required Plugins Activeer noodzakelijke plug-ins - + Select the Plugins you wish to use. Selecteer de plug-ins die u gaat gebruiken. - + Bible Bijbel - + Images Afbeeldingen - + Presentations Presentaties - + Media (Audio and Video) Media (audio en video) - + Allow remote access Toegang op afstand toestaan - + Monitor Song Usage Liedgebruik bijhouden - + Allow Alerts Toon berichten - + Default Settings Standaardinstellingen - + Downloading %s... Bezig met downloaden van %s... - + Enabling selected plugins... Bezig met inschakelen van geselecteerde plug-ins... - + No Internet Connection Geen internetverbinding - + Unable to detect an Internet connection. OpenLP kan geen internetverbinding vinden. - + Sample Songs Voorbeeldliederen - + Select and download public domain songs. Selecteer en download liederen uit het publieke domein. - + Sample Bibles Voorbeeldbijbels - + Select and download free Bibles. Selecteer en download (gratis) bijbels uit het publieke domein. - + Sample Themes Voorbeeldthema's - + Select and download sample themes. Selecteer en download voorbeeldthema's. - + Set up default settings to be used by OpenLP. Stel standaardinstellingen in voor OpenLP. - + Default output display: Standaard presentatiescherm: - + Select default theme: Selecteer standaard thema: - + Starting configuration process... Het configuratieproces wordt gestart... - + Setting Up And Downloading Instellen en downloaden - + Please wait while OpenLP is set up and your data is downloaded. Een moment geduld terwijl OpenLP ingesteld wordt en de voorbeeldgegevens worden gedownload. - + Setting Up Instellen - + Custom Slides Aangepaste dia’s - + Finish Voltooien - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3483,47 +3525,47 @@ To re-run the First Time Wizard and import this sample data at a later time, che U kunt op een later tijdstip de Eerste Keer Assistent opnieuw starten om deze voorbeelddata alsnog te downloaden. Controleer dan of uw internetverbinding correct functioneert en kies in het menu van OpenLP de optie "Hulpmiddelen / Herstart Eerste Keer Assistent". - + Download Error Download fout - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. Er is een verbindingsprobleem opgetreden tijdens het downloaden. Volgende downloads zullen overgeslagen worden. Probeer alstublieft de Eerste Keer Assistent later nogmaals te starten. - + Download complete. Click the %s button to return to OpenLP. Download afgerond. Klik op %s om terug te keren naar OpenLP. - + Download complete. Click the %s button to start OpenLP. Download afgerond. Klik op %s om OpenLP te starten. - + Click the %s button to return to OpenLP. Klik op %s om terug te keren naar OpenLP. - + Click the %s button to start OpenLP. Klik op %s om OpenLP te starten. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Er is een verbindingsprobleem opgetreden tijdens het downloaden. Volgende downloads zullen overgeslagen worden. Probeer alstublieft de Eerste Keer Assistent later nogmaals te starten. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. Deze assistent helpt u bij het instellen van OpenLP voor het eerste gebruik. Klik op %s om te beginnen. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. @@ -3532,39 +3574,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. - + Downloading Resource Index Bezig met downloaden van bronindex - + Please wait while the resource index is downloaded. Een moment geduld. De bronindex wordt gedownload. - + Please wait while OpenLP downloads the resource index file... Een moment geduld. OpenLP downloadt de bronindex... - + Downloading and Configuring Bezig met downloaden en instellen - + Please wait while resources are downloaded and OpenLP is configured. Een moment geduld. De bronnen worden gedownload en OpenLP wordt ingesteld. - + Network Error Netwerkfout - + There was a network error attempting to connect to retrieve initial configuration information - + Er is een netwerkfout opgetreden tijdens het ophalen van de standaardinstellingen + + + + Cancel + Annuleer + + + + Unable to download some files + Kon sommige bestanden niet downloaden @@ -3637,6 +3689,16 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. Description %s already defined. Omschrijving %s is al gedefinieerd. + + + Start tag %s is not valid HTML + Starttag %s is geen correcte HTML + + + + End tag %s does not match end tag for start tag %s + Eindtag %s komt niet overeen met de verwachte eindtag van starttag %s + OpenLP.FormattingTags @@ -3895,7 +3957,7 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. OpenLP.MainDisplay - + OpenLP Display OpenLP Weergave @@ -4202,7 +4264,7 @@ U kunt de laatste versie op http://openlp.org/ downloaden. Projectie is uitgeschakeld: scherm staat op zwart - + Default Theme: %s Standaardthema: %s @@ -4210,7 +4272,7 @@ U kunt de laatste versie op http://openlp.org/ downloaden. English Please add the name of your language here - Engels + Dutch @@ -4218,12 +4280,12 @@ U kunt de laatste versie op http://openlp.org/ downloaden. &Sneltoetsen instellen... - + Close OpenLP OpenLP afsluiten - + Are you sure you want to close OpenLP? OpenLP afsluiten? @@ -4297,13 +4359,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and De Eerste Keer Assistent opnieuw starten zou veranderingen in uw huidige OpenLP instellingen kunnen maken en mogelijk liederen aan uw huidige lijst kunnen toevoegen en uw standaardthema wijzigen. - + Clear List Clear List of recent files Lijst leegmaken - + Clear the list of recent files. Maak de lijst met recente bestanden leeg. @@ -4363,17 +4425,17 @@ De Eerste Keer Assistent opnieuw starten zou veranderingen in uw huidige OpenLP OpenLP Export instellingsbestand (*.config) - + New Data Directory Error Nieuwe bestandslocatie fout - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish OpenLP data wordt nu naar de nieuwe datamaplocatie gekopieerd - %s - Een moment geduld alstublieft - + OpenLP Data directory copy failed %s @@ -4434,7 +4496,7 @@ Verwerking is gestopt en er is niets veranderd. Projectorbeheer wel / niet tonen - + Export setting error Exportfout @@ -4443,16 +4505,21 @@ Verwerking is gestopt en er is niets veranderd. The key "%s" does not have a default value so it will be skipped in this export. De sleutel "%s" heeft geen standaardwaarde waardoor hij overgeslagen wordt in deze export. + + + An error occurred while exporting the settings: %s + Er is een fout opgetreden tijdens het exporteren van de instellingen: %s + OpenLP.Manager - + Database Error Database fout - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4461,7 +4528,7 @@ Database: %s Database: %s - + OpenLP cannot load your database. Database: %s @@ -4540,7 +4607,7 @@ Extensie niet ondersteund &Kloon - + Duplicate files were found on import and were ignored. Identieke bestanden die bij het importeren zijn gevonden worden genegeerd. @@ -4925,15 +4992,10 @@ Extensie niet ondersteund The proxy address set with setProxy() was not found Het proxyserveradres meegegeven aan setProxy() is niet gevonden - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - De verbinding met de proxyserver is mislukt doordat de antwoorden van de proxyserver niet herkend worden - An unidentified error occurred - Een onbekende fout is opgetreden + Er is een onbekende fout opgetreden @@ -5000,6 +5062,11 @@ Extensie niet ondersteund Received data Gegevens ontvangen + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + De verbinding met de proxyserver is mislukt doordat de antwoorden van de proxyserver niet herkend worden + OpenLP.ProjectorEdit @@ -5546,22 +5613,22 @@ Extensie niet ondersteund &Wijzig onderdeel thema - + File is not a valid service. Geen geldig liturgiebestand. - + Missing Display Handler Ontbrekende weergaveregelaar - + Your item cannot be displayed as there is no handler to display it Dit onderdeel kan niet weergegeven worden, omdat er een regelaar ontbreekt - + Your item cannot be displayed as the plugin required to display it is missing or inactive Dit onderdeel kan niet weergegeven worden omdat de benodigde plug-in ontbreekt of inactief is @@ -5641,12 +5708,12 @@ Extensie niet ondersteund Aangepaste liturgie aantekeningen: - + Notes: Aantekeningen: - + Playing time: Speeltijd: @@ -5656,22 +5723,22 @@ Extensie niet ondersteund Liturgie zonder naam - + File could not be opened because it is corrupt. Bestand kan niet worden geopend omdat het beschadigd is. - + Empty File Leeg bestand - + This service file does not contain any data. Deze liturgie bevat nog geen gegevens. - + Corrupt File Corrupt bestand @@ -5691,32 +5758,32 @@ Extensie niet ondersteund Selecteer een thema voor de liturgie. - + Slide theme Dia thema - + Notes Aantekeningen - + Edit Bewerk - + Service copy only Liturgie alleen kopiëren - + Error Saving File Fout bij het opslaan - + There was an error saving your file. Er is een fout opgetreden tijdens het opslaan van het bestand. @@ -5725,17 +5792,6 @@ Extensie niet ondersteund Service File(s) Missing Ontbrekend(e) liturgiebestand(en) - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - De volgende bestand(en) in de dienst ontbreken: -<byte value="x9"/>%s - -Deze bestanden worden verwijderd als u doorgaat met opslaan. - &Rename... @@ -5762,7 +5818,7 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. Automatisch &eenmalig dia's afspelen - + &Delay between slides Pauze tussen dia’s. @@ -5772,64 +5828,78 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. OpenLP Service bestanden (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP Service bestanden (*.osz);; OpenLP Service bestanden - lite (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service bestanden (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Bestand is geen geldige liturgie. De encoding van de inhoud is niet UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. Het liturgiebestand dat u probeert te openen heeft een verouderd formaat. Slaat u het nogmaals op met OpenLP 2.0.2 of hoger. - + This file is either corrupt or it is not an OpenLP 2 service file. Het bestand is beschadigd of is geen OpenLP 2 liturgiebestand. - + &Auto Start - inactive &Auto Start - inactief - + &Auto Start - active &Auto Start - actief - + Input delay Invoeren vertraging - + Delay between slides in seconds. Pauze tussen dia’s in seconden. - + Rename item title Titel hernoemen - + Title: Titel: + + + An error occurred while writing the service file: %s + Er is een fout opgetreden tijdens het opslaan van het liturgiebestand: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + De volgende bestand(en) in de dienst ontbreken: %s + +Deze bestanden worden verwijderd als u doorgaat met opslaan. + OpenLP.ServiceNoteForm @@ -6091,12 +6161,12 @@ Slaat u het nogmaals op met OpenLP 2.0.2 of hoger. OpenLP.SourceSelectForm - + Select Projector Source Selecteer projectorbron - + Edit Projector Source Text Projectorbron-tekst aanpassen @@ -6121,19 +6191,14 @@ Slaat u het nogmaals op met OpenLP 2.0.2 of hoger. Wijzigingen opslaan en terugkeren naar OpenLP - + Delete entries for this projector Verwijder items voor deze projector - - Are you sure you want to delete ALL user-defined - Weet u zeker dat u ALLE aangepaste - - - - source input text for this projector? - brontekst van deze projector wilt verwijderen? + + Are you sure you want to delete ALL user-defined source input text for this projector? + Weet u zeker dat u ALLE ingevoerde bronteksten van deze projector wilt verwijderen? @@ -6296,7 +6361,7 @@ Slaat u het nogmaals op met OpenLP 2.0.2 of hoger. Instellen als al&gemene standaard - + %s (default) %s (standaard) @@ -6306,52 +6371,47 @@ Slaat u het nogmaals op met OpenLP 2.0.2 of hoger. Selecteer een thema om te bewerken. - + You are unable to delete the default theme. Het standaard thema kan niet worden verwijderd. - + Theme %s is used in the %s plugin. Thema %s wordt gebruikt in de %s plug-in. - + You have not selected a theme. Selecteer een thema. - + Save Theme - (%s) Thema opslaan - (%s) - + Theme Exported Thema geëxporteerd - + Your theme has been successfully exported. Het thema is succesvol geëxporteerd. - + Theme Export Failed Exporteren thema is mislukt - - Your theme could not be exported due to an error. - Thema kan niet worden geëxporteerd als gevolg van een fout. - - - + Select Theme Import File Selecteer te importeren thema-bestand - + File is not a valid theme. Geen geldig thema-bestand. @@ -6401,20 +6461,15 @@ Slaat u het nogmaals op met OpenLP 2.0.2 of hoger. %s thema verwijderen? - + Validation Error Validatie fout - + A theme with this name already exists. Er bestaat al een thema met deze naam. - - - OpenLP Themes (*.theme *.otz) - OpenLP thema's (*.theme *.otz) - Copy of %s @@ -6422,15 +6477,25 @@ Slaat u het nogmaals op met OpenLP 2.0.2 of hoger. Kopie van %s - + Theme Already Exists Thema bestaat al - + Theme %s already exists. Do you want to replace it? Thema %s bestaat reeds. Vervangen? + + + The theme export failed because this error occurred: %s + Er is een fout opgetreden bij het exporteren van het thema: %s + + + + OpenLP Themes (*.otz) + OpenLP Thema's (*.otz) + OpenLP.ThemeWizard @@ -6866,7 +6931,7 @@ Slaat u het nogmaals op met OpenLP 2.0.2 of hoger. Klaar. - + Starting import... Start importeren... @@ -6877,7 +6942,7 @@ Slaat u het nogmaals op met OpenLP 2.0.2 of hoger. Selecteer minstens één %s bestand om te importeren. - + Welcome to the Bible Import Wizard Welkom bij de Bijbel Importeren Assistent @@ -6971,7 +7036,7 @@ Slaat u het nogmaals op met OpenLP 2.0.2 of hoger. Specificeer een %s map om uit te importeren. - + Importing Songs Liederen importeren @@ -7315,163 +7380,163 @@ Probeer elk bestand individueel te selecteren. Voorbeeld - + Print Service Liturgie afdrukken - + Projector Singular Projector - + Projectors Plural Projectors - + Replace Background Vervang achtergrond - + Replace live background. Vervang Live achtergrond. - + Reset Background Herstel achtergrond - + Reset live background. Herstel Live achtergrond. - + s The abbreviated unit for seconds s - + Save && Preview Opslaan && voorbeeld bekijken - + Search Zoek - + Search Themes... Search bar place holder text Zoek op thema... - + You must select an item to delete. Selecteer een item om te verwijderen. - + You must select an item to edit. Selecteer een item om te bewerken. - + Settings Instellingen - + Save Service Liturgie opslaan - + Service Liturgie - + Optional &Split Optioneel &splitsen - + Split a slide into two only if it does not fit on the screen as one slide. Dia opdelen als de inhoud niet op één dia past. - + Start %s Start %s - + Stop Play Slides in Loop Stop dia’s doorlopend tonen - + Stop Play Slides to End Stop dia’s tonen tot eind - + Theme Singular Thema - + Themes Plural Thema's - + Tools Hulpmiddelen - + Top Boven - + Unsupported File Bestandsformaat wordt niet ondersteund - + Verse Per Slide Bijbelvers per dia - + Verse Per Line Bijbelvers per regel - + Version Versie - + View Weergave - + View Mode Weergave modus @@ -7485,6 +7550,16 @@ Probeer elk bestand individueel te selecteren. OpenLP 2.2 OpenLP 2.2 + + + Preview Toolbar + Voorbeeld Werkbalk + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7524,50 +7599,50 @@ Probeer elk bestand individueel te selecteren. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Presentatie plug-in</strong><br />De presentatie plug-in voorziet in de mogelijkheid om verschillende soorten presentaties weer te geven. Met een keuzemenu kan gekozen worden uit de beschikbare presentatiesoftware. - + Presentation name singular Presentatie - + Presentations name plural Presentaties - + Presentations container title Presentaties - + Load a new presentation. Laad nieuwe presentatie. - + Delete the selected presentation. Geselecteerde presentatie verwijderen. - + Preview the selected presentation. Geef van geselecteerde presentatie voorbeeld weer. - + Send the selected presentation live. Geselecteerde presentatie Live tonen. - + Add the selected presentation to the service. Voeg geselecteerde presentatie toe aan de liturgie. @@ -7610,17 +7685,17 @@ Probeer elk bestand individueel te selecteren. Presentaties (%s) - + Missing Presentation Ontbrekende presentatie - + The presentation %s is incomplete, please reload. Presentatie %s is niet compleet, herlaad a.u.b. - + The presentation %s no longer exists. Presentatie %s bestaat niet meer. @@ -7628,7 +7703,7 @@ Probeer elk bestand individueel te selecteren. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. Er is een fout opgetreden in de Powerpoint-integratie waardoor de presentatie zal worden gestopt. U kunt de presentatie herstarten om verder te gaan met presenteren. @@ -7636,40 +7711,50 @@ Probeer elk bestand individueel te selecteren. PresentationPlugin.PresentationTab - + Available Controllers Beschikbare presentatieprogramma's - + %s (unavailable) %s (niet beschikbaar) - + Allow presentation application to be overridden Ander presentatieprogramma selecteren toestaan - + PDF options PDF opties - + Use given full path for mudraw or ghostscript binary: Gebruik het volledige pad voor de mudraw of ghostscript driver: - + Select mudraw or ghostscript binary. Selecteer de mudraw of ghostscript driver. - + The program is not ghostscript or mudraw which is required. Het programma is niet de ghostscript of mudraw driver die vereist is. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7710,127 +7795,127 @@ Probeer elk bestand individueel te selecteren. RemotePlugin.Mobile - + Service Manager Liturgiebeheer - + Slide Controller Dia besturing - + Alerts Waarschuwingen - + Search Zoek - + Home Startpagina - + Refresh Vernieuwen - + Blank Leeg scherm - + Theme Thema - + Desktop Bureaublad - + Show Toon - + Prev Vorige - + Next Volgende - + Text Tekst - + Show Alert Toon waarschuwingen - + Go Live Ga live - + Add to Service Voeg aan liturgie toe - + Add &amp; Go to Service Toevoegen &amp; ga naar liturgie - + No Results Niets gevonden - + Options Opties - + Service Liturgie - + Slides Dia’s - + Settings Instellingen - + OpenLP 2.2 Remote OpenLP 2.2 Remote - + OpenLP 2.2 Stage View OpenLP 2.2 Podiumweergave - + OpenLP 2.2 Live View OpenLP 2.2 Liveweergave @@ -7916,85 +8001,85 @@ Probeer elk bestand individueel te selecteren. SongUsagePlugin - + &Song Usage Tracking &Liedgebruik bijhouden - + &Delete Tracking Data Verwij&der liedgebruik gegevens - + Delete song usage data up to a specified date. Verwijder alle gegevens over liedgebruik tot een bepaalde datum. - + &Extract Tracking Data &Exporteer liedgebruik gegevens - + Generate a report on song usage. Geneer rapportage liedgebruik. - + Toggle Tracking Gegevens bijhouden aan|uit - + Toggle the tracking of song usage. Liedgebruik gegevens bijhouden aan of uit zetten. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Liedgebruik plug-in</strong><br />Met deze plug-in kunt u bijhouden welke liederen tijdens de vieringen gezongen worden. - + SongUsage name singular Liedgebruik - + SongUsage name plural Liedgebruik - + SongUsage container title Liedgebruik - + Song Usage Liedgebruik - + Song usage tracking is active. Liedgebruik bijhouden is actief. - + Song usage tracking is inactive. Liedgebruik bijhouden is inactief. - + display weergave - + printed afgedrukt @@ -8057,22 +8142,22 @@ Alle gegevens van voor die datum zullen worden verwijderd. Locatie rapport - + Output File Location Bestandslocatie - + usage_detail_%s_%s.txt liedgebruik_details_%s_%s.txt - + Report Creation Rapportage opslaan - + Report %s has been successfully created. @@ -8081,46 +8166,56 @@ has been successfully created. is gemaakt. - + Output Path Not Selected Uitvoer pad niet geselecteerd - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Geen geldige bestandslocatie opgegeven om de rapportage liedgebruik op te slaan. Kies een bestaande map op uw computer. + + + Report Creation Failed + Overzicht maken mislukt + + + + An error occurred while creating the report: %s + Er is een fout opgetreden bij het maken van het overzicht: %s + SongsPlugin - + &Song &Lied - + Import songs using the import wizard. Importeer liederen met de Importeren Assistent. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Lied plug-in</strong><br />De lied plug-in regelt de weergave en het beheer van liederen. - + &Re-index Songs He&r-indexeer liederen - + Re-index the songs database to improve searching and ordering. Her-indexeer de liederen in de database om het zoeken en ordenen te verbeteren. - + Reindexing songs... Liederen her-indexeren... @@ -8216,80 +8311,80 @@ The encoding is responsible for the correct character representation. De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens. - + Song name singular Lied - + Songs name plural Liederen - + Songs container title Liederen - + Exports songs using the export wizard. Exporteer liederen met de Exporteren Assistent. - + Add a new song. Voeg nieuw lied toe. - + Edit the selected song. Bewerk het geselecteerde lied. - + Delete the selected song. Verwijder het geselecteerde lied. - + Preview the selected song. Toon voorbeeld van het geselecteerde lied. - + Send the selected song live. Toon het geselecteerde lied Live. - + Add the selected song to the service. Voeg geselecteerd lied toe aan de liturgie. - + Reindexing songs Herindexeren liederen - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. Importeer liederen vanuit CCLI's SongSelect service. - + Find &Duplicate Songs Zoek &dubbele liederen - + Find and remove duplicate songs in the song database. Zoek en verwijder dubbele liederen in de liederendatabase. @@ -8761,7 +8856,7 @@ Geef de verzen op gescheiden door spaties. Geef aan waar het bestand moet worden opgeslagen. - + Select Destination Folder Selecteer een doelmap @@ -9168,15 +9263,20 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.SongExportForm - + Your song export failed. Liederen export is mislukt. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Klaar met exporteren. Om deze bestanden te importeren gebruik <strong>OpenLyrics</strong> importeren. + + + Your song export failed because this error occurred: %s + Er is een fout opgetreden bij het exporteren van het lied: %s + SongsPlugin.SongImport @@ -9357,7 +9457,7 @@ Geef de verzen op gescheiden door spaties. Zoek - + Found %s song(s) %s lied(eren) gevonden @@ -9422,44 +9522,44 @@ Geef de verzen op gescheiden door spaties. Bezig met uitloggen... - + Save Username and Password Gebruikersnaam en wachtwoord opslaan - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. WAARSCHUWING: Uw gebruikersnaam en wachtwoord opslaan is NIET VEILIG omdat ze leesbaar worden opgeslagen. Klik op Ja om toch op te slaan of op Nee om te annuleren. - + Error Logging In Loginfout - + There was a problem logging in, perhaps your username or password is incorrect? Er was een probleem bij het inloggen, misschien is uw gebruikersnaam of wachtwoord incorrect? - + Song Imported Lied geïmporteerd - - Your song has been imported, would you like to exit now, or import more songs? - Het lied is geïmporteerd. Wilt u stoppen of meer liederen importeren? + + Incomplete song + Incompleet lied - - Import More Songs - Meer liederen importeren + + This song is missing some information, like the lyrics, and cannot be imported. + Dit lied mist informatie, zoals bijvoorbeeld de liedtekst, waardoor het niet geïmporteerd kan worden. - - Exit Now - Stoppen + + Your song has been imported, would you like to import more songs? + Het lied is geïmporteerd. Wilt u meer liederen importeren? diff --git a/resources/i18n/nn.ts b/resources/i18n/nn.ts new file mode 100644 index 000000000..334da008a --- /dev/null +++ b/resources/i18n/nn.ts @@ -0,0 +1,9574 @@ + + + + AlertsPlugin + + + &Alert + &Varsling + + + + Show an alert message. + Vis ei varsling + + + + Alert + name singular + Varsling + + + + Alerts + name plural + Varslingar + + + + Alerts + container title + Varslingar + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + Varslingsmelding + + + + Alert &text: + Varsel &tekst: + + + + &New + &Ny + + + + &Save + &Lagre + + + + Displ&ay + &Visning + + + + Display && Cl&ose + + + + + New Alert + Ny varsling + + + + &Parameter: + &Parameter: + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Varslingsteksten inneheld ikkje '<>'. +Vil du likevel fortsetja? + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + Varsling laga og vist. + + + + AlertsPlugin.AlertsTab + + + Font + Skrift + + + + Font name: + Skriftnamn: + + + + Font color: + Skriftfarge: + + + + Background color: + Bakgrunnsfarge: + + + + Font size: + Skriftstorleik: + + + + Alert timeout: + Tidsavbrot for varsling: + + + + BiblesPlugin + + + &Bible + &Bibel + + + + Bible + name singular + Bibel + + + + Bibles + name plural + Biblar + + + + Bibles + container title + Biblar + + + + No Book Found + Ingen bok funne + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + Legg til ein Bibel. + + + + Add a new Bible. + Legg til ein ny Bibel + + + + Edit the selected Bible. + Endre den valte Bibelen + + + + Delete the selected Bible. + Slett den valte Bibelen + + + + Preview the selected Bible. + Førehandsvis den valte Bibelen + + + + Send the selected Bible live. + Vis den valde bibelen på utdataskjermen. + + + + Add the selected Bible to the service. + Legg til den valte Bibelen til tenesta + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + &Oppgrader eldre biblar + + + + Upgrade the Bible databases to the latest format. + Oppgrader bibeldatabasane til det nyaste formatet. + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + Versendringsfeil + + + + Web Bible cannot be used + Nettbibelen kan ikkje verta brukt + + + + Text Search is not available with Web Bibles. + Tekstsøk er ikkje tilgjengeleg + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + Du skreiv ikkje inn eit søkeord. +Du kan skilja søkeord med eit mellomrom for å søkja med alle saman, og du kan skilja dei med eit komma for å berre søkja med eitt av dei. + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + Det er ingen biblar installert for augeblinken. Bruk Importhjelparen for å installera ein eller fleire biblar. + + + + No Bibles Available + Ingen biblar tilgjengeleg. + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + Versevisning + + + + Only show new chapter numbers + Berre vis nye kapitteltal + + + + Bible theme: + Bibel tema: + + + + No Brackets + Ingen parantesar + + + + ( And ) + ( Og ) + + + + { And } + { Og } + + + + [ And ] + [ Og ] + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Norwegian + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + Vel boknamn + + + + Current name: + Gjeldande namn: + + + + Corresponding name: + Tilsvarande namn: + + + + Show Books From + Vis bøker frå + + + + Old Testament + Det Gamle Testamentet + + + + New Testament + Det Nye Testamentet + + + + Apocrypha + Apokryfer + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + Du må velja ei bok. + + + + BiblesPlugin.CSVBible + + + Importing books... %s + Hentar bøker... %s + + + + Importing verses... done. + Hentar vers... ferdig. + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Norwegian + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + Registrerar Bibelen og lastar inn bøker... + + + + Registering Language... + Registrerar Språk... + + + + Importing %s... + Importing <book name>... + Hentar %s... + + + + Download Error + Nedlastingsfeil + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + Det oppstod eit problem under nedlasting av valte vers. Venlegst sjekk internettilkoplingen din, og viss denne feilen fortsetjer, venlegst rapporter den. + + + + Parse Error + Tolkingsfeil + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + Nettnedlasting + + + + Location: + Stad: + + + + Crosswalk + Overgangsfelt + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + Versefil: + + + + Registering Bible... + Registrerar Bibel... + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + Vel språk + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + OpenLP klarar ikkje å bestemma språket på denne språkomsetjinga. Venlegst vel språket frå lista nedfor. + + + + Language: + Språk: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + Du må velje eit språk. + + + + BiblesPlugin.MediaItem + + + Quick + Kjapp + + + + Find: + Finn: + + + + Book: + Bok: + + + + Chapter: + Kapittel: + + + + Verse: + Vers: + + + + From: + Frå: + + + + To: + Til: + + + + Text Search + Tekstsøk: + + + + Second: + Andre: + + + + Scripture Reference + Bibelreferanse + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + Informasjon + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + Nedlastingsfeil + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + Nedlastingsfeil + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + Informasjon + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + Bakgrunnsfarge: + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + Bibel + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + Nedlastingsfeil + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + &Ny + + + + &Open + + + + + Open an existing service. + + + + + &Save + &Lagre + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Norwegian + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + Innstillingar. + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + Port + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + Skjerm + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + Språk: + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + Bakgrunnsfarge: + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + Innstillingar. + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + Tema + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + Varslingar + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + Tom + + + + Theme + Tema + + + + Desktop + Skrivebord + + + + Show + + + + + Prev + + + + + Next + Neste + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + Innstillingar. + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + Bok: + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + Informasjon + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/pap.ts b/resources/i18n/pap.ts new file mode 100644 index 000000000..7860f9a26 --- /dev/null +++ b/resources/i18n/pap.ts @@ -0,0 +1,9570 @@ + + + + AlertsPlugin + + + &Alert + &Aviso + + + + Show an alert message. + Publiká un aviso. + + + + Alert + name singular + Aviso + + + + Alerts + name plural + Avisonan + + + + Alerts + container title + Avisonan + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + Notifikashon + + + + Alert &text: + Aviso &teksto: + + + + &New + &Nobo + + + + &Save + &Warda + + + + Displ&ay + Publi&ka + + + + Display && Cl&ose + Publika && Se&ra + + + + New Alert + Aviso Nobo + + + + &Parameter: + &Parameter: + + + + No Parameter Found + No a haña niun Parameter + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Bo no a yena un parameter pa kambia.⏎ Sigui tog? + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + E aviso no tin '<>'.⏎ Sigui tog? + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + Notifikashon a wòrdu kreá i publiká. + + + + AlertsPlugin.AlertsTab + + + Font + Tipo di lèter + + + + Font name: + Nòmber di tipo di lèter: + + + + Font color: + Koló di lèter: + + + + Background color: + Koló di fondo: + + + + Font size: + Tamaño di lèter: + + + + Alert timeout: + Durashon di aviso: + + + + BiblesPlugin + + + &Bible + &Bèibel + + + + Bible + name singular + Bèibel + + + + Bibles + name plural + Bèibel + + + + Bibles + container title + Bèibel + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + + + + + Add a new Bible. + Añadí un Bèibel nobo + + + + Edit the selected Bible. + + + + + Delete the selected Bible. + + + + + Preview the selected Bible. + + + + + Send the selected Bible live. + + + + + Add the selected Bible to the service. + + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + No Bibles Available + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + Publikashon di versikulo + + + + Only show new chapter numbers + + + + + Bible theme: + Tema di Bèibel: + + + + No Brackets + Sin paréntesis + + + + ( And ) + ( i ) + + + + { And } + { i } + + + + [ And ] + [ i ] + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Papiamento + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + Skohe nòmber di buki + + + + Current name: + Nòmber aktual: + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + Tèstamènt Bieu + + + + New Testament + Tèstamènt Nobo + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + Bo mester skohe un buki + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Papiamento + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + Crosswalk + + + + BibleGateway + BibleGateway + + + + Bible: + + + + + Download Options + + + + + Server: + Server: + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + Proxy Server (Opshonal) + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + Skohe Idioma + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + Idioma: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + Bo mester skohe un idioma. + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + Buska: + + + + Book: + Buki: + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Text Search + + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + Lisensia + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + Koló di fondo: + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + Bèibel + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + &Nobo + + + + &Open + + + + + Open an existing service. + + + + + &Save + &Warda + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Papiamento + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + Konfigurashon + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + Port + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + En bibu + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + Idioma: + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + Koló di fondo: + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + Informashon + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + En bibu + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + Buska + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + Konfigurashon + + + + Save Service + + + + + Service + Sirbishi + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + Tema + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + Vershon + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + Avisonan + + + + Search + Buska + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + Tema + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + Sigiente + + + + Text + + + + + Show Alert + + + + + Go Live + En bibu + + + + Add to Service + Añadi na sirbishi + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + Sirbishi + + + + Slides + + + + + Settings + Konfigurashon + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + Buki: + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + Buska + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/pl.ts b/resources/i18n/pl.ts index 49057b77e..71ec0de19 100644 --- a/resources/i18n/pl.ts +++ b/resources/i18n/pl.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Komunikat - + Show an alert message. Pokaż komunikat. - + Alert name singular Komunikat - + Alerts name plural Komunikaty - + Alerts container title Komunikaty - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Wtyczka komunikatów</strong>Wtyczka komunikatów kontroluje wyświetlanie komunikatów na ekranie. @@ -152,87 +152,87 @@ Proszę, wpisz test zanim wciśniesz "Nowy". BiblesPlugin - + &Bible &Biblia - + Bible name singular Biblia - + Bibles name plural Biblie - + Bibles container title Biblie - + No Book Found Nie znaleziono Księgi - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Nie znaleziono odpowiadającej księgi w Biblii. Sprawdź, czy zapisałeś nazwę księgi poprawnie. - + Import a Bible. Importuj Biblię. - + Add a new Bible. Dodaj nową Biblię. - + Edit the selected Bible. Edytuj zaznaczoną Biblię. - + Delete the selected Bible. Usuń zaznaczoną Biblię. - + Preview the selected Bible. Podgląd zaznaczonej Biblii. - + Send the selected Bible live. Wyświetl zaznaczoną Biblię na ekranie. - + Add the selected Bible to the service. Dodaj zaznaczoną Biblię do planu nabożeństwa. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Wtyczka Biblijna</strong>Wtyczka Biblijna zapewnia możliwość wyświetlania wersetów biblijnych z różnych źródeł podczas posługi. - + &Upgrade older Bibles &Uaktualnij starsze Biblie - + Upgrade the Bible databases to the latest format. Zaktualizuj bazę danych Biblii do najnowszego formatu. @@ -696,7 +696,7 @@ Proszę, wpisz test zanim wciśniesz "Nowy". to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - do + do @@ -766,38 +766,38 @@ Liczby mogą zostać użyte jedynie na początku i poprzedzać tekst. BiblesPlugin.BibleManager - + Scripture Reference Error Błąd odnośnika Pisma - + Web Bible cannot be used Biblia internetowa nie może być użyta - + Text Search is not available with Web Bibles. Wyszukiwanie tekstu jest niedostępne dla Biblii internetowych. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Nie wprowadzono słów kluczowych wyszukiwania. Możesz oddzielić słowa spacją, by wyszukać wszystkie słowa kluczowe oraz możesz rozdzielić je przecinkami, aby wyszukać tylko jedno z nich. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Nie zainstalowano żadnych tekstów Biblijnych. Użyj Kreatora Importu aby zainstalować teksty bibijne. - + No Bibles Available Żadna Biblia nie jest dostępna - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -986,12 +986,12 @@ wyniki wyszukiwania i wyniki na ekranie: BiblesPlugin.CSVBible - + Importing books... %s Import ksiąg ... %s - + Importing verses... done. Import wersów... wykonano. @@ -1069,38 +1069,38 @@ Nie można dostosowywać i zmieniać nazw ksiąg. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Rejestrowanie Biblii i wczytywanie ksiąg... - + Registering Language... Rejestrowanie języka... - + Importing %s... Importing <book name>... Importowanie %s... - + Download Error Błąd pobierania - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Wystąpił problem podczas pobierania wybranych wersetów. Sprawdź swoje połączenie internetowe, a jeśli błąd nadal występuje, należy rozważyć zgłoszenie błędu oprogramowania. - + Parse Error Błąd przetwarzania - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Wystąpił problem wyodrębnienia wybranego wersetu. Jeśli błąd nadal występuje należy rozważyć zgłoszenie błędu oprogramowania @@ -1108,165 +1108,185 @@ Nie można dostosowywać i zmieniać nazw ksiąg. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Kreator importu Biblii - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Ten kreator pomoże ci zaimportować Biblię z różnych formatów. Kliknij "dalej", aby rozpocząć proces przez wybranie formatu początkowego. - + Web Download Pobieranie z internetu - + Location: Lokalizacja: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Biblia: - + Download Options Opcje pobierania - + Server: Serwer: - + Username: Nazwa użytkownika: - + Password: Hasło: - + Proxy Server (Optional) Serwer Proxy (opcjonalnie) - + License Details Szczegóły licencji - + Set up the Bible's license details. Ustaw szczegóły licencyjne ?! Biblii - + Version name: Nazwa wersji: - + Copyright: Prawa autorskie: - + Please wait while your Bible is imported. Proszę czekać, aż Biblia zostanie zaimportowana. - + You need to specify a file with books of the Bible to use in the import. Sprecyzuj plik z księgami Biblii aby móc użyć go do importu. - + You need to specify a file of Bible verses to import. Musisz określić plik z wersetami biblijnymi, aby móc importować - + You need to specify a version name for your Bible. Musisz podać nazwę tłumaczenia tej Biblii. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Musisz ustawić prawa autorskie Biblii. Biblie domeny publicznej muszą zostać oznaczone. - + Bible Exists Biblia istnieje - + This Bible already exists. Please import a different Bible or first delete the existing one. Ta Biblia już istnieje. Proszę zaimportować inną lub usunąć już istniejącą. - + Your Bible import failed. Import Biblii zakończony niepowodzeniem - + CSV File Plik CSV - + Bibleserver Bibleserver - + Permissions: Zezwolenia: - + Bible file: Plik Biblii: - + Books file: Plik Ksiąg: - + Verses file: Plik wersetów: - + Registering Bible... Rejestrowanie Biblii... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + BiblesPlugin.LanguageDialog @@ -1404,13 +1424,26 @@ Będziesz musiał zaimportować ją ponownie, aby móc jej znowu używać. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Usuwanie nieużywanych tagów (to może zająć kilka minut)... + + + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.UpgradeWizardForm @@ -1564,73 +1597,81 @@ Proszę zauważ, że Biblie internetowo będą pobierane na bieżąco, więc wym BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. = + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + CustomPlugin - + Custom Slide name singular Slajd tekstowy - + Custom Slides name plural Slajdy tekstowe - + Custom Slides container title Slajdy tekstowe - + Load a new custom slide. Wczytaj nowy slajd tekstowy. - + Import a custom slide. Importuj slajd tekstowy. - + Add a new custom slide. Dodaj nowy slajd tekstowy. - + Edit the selected custom slide. Edytuj wybrany slajd tekstowy. - + Delete the selected custom slide. Usuń wybrany slajd tekstowy. - + Preview the selected custom slide. Podgląd wybranego slajdu tekstowego. - + Send the selected custom slide live. Wyświetl wybrany slajd tekstowy na ekranie. - + Add the selected custom slide to the service. Dodaj wybrany slajd tekstowy do planu nabożeństwa. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Wtyczka slajdu tekstowego</strong> Wtyczka slajdu tekstowego umożliwia umieszczanie zwykłych ciągów znaków na ekranie, tak jak piosenek. Wtyczka zapewnia większą wolność od wtyczki pieśni. @@ -1728,7 +1769,7 @@ Wtyczka slajdu tekstowego umożliwia umieszczanie zwykłych ciągów znaków na CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Czy na pewno chcesz usunąć %n wybrany slajd tekstowy? @@ -1740,60 +1781,60 @@ Wtyczka slajdu tekstowego umożliwia umieszczanie zwykłych ciągów znaków na ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Wtyczka Obrazy</strong><br />Wtyczka obrazu zapewnia wyświetlanie obrazów. <br /> Jedną z wyróżniających cech tej wtyczki jest możliwość grupowania kilku zdjęć razem z Menadżerem Posługi, dzięki czemu wyświetlanie zdjęć jest łatwiejsze. Można także wykorzystać pętlę czasową do tworzenia pokazu slajdów, który uruchamia się automatycznie. Pozwala ona także na zmianę tła wyświetlanych pieśni. - + Image name singular Obraz - + Images name plural Obrazy - + Images container title Obrazy - + Load a new image. Wczytaj nowy obraz. - + Add a new image. Dodaj nowy obraz. - + Edit the selected image. Edytuj wybrany obraz. - + Delete the selected image. Usuń zaznaczony obraz. - + Preview the selected image. Podgląd zaznaczonego obrazu. - + Send the selected image live. Wyświetl wybrany obraz na ekranie. - + Add the selected image to the service. Dodaj zaznaczony obraz do planu nabożeństwa. @@ -1822,12 +1863,12 @@ Wtyczka slajdu tekstowego umożliwia umieszczanie zwykłych ciągów znaków na Musisz wpisać nazwę grupy - + Could not add the new group. Nie można dodać nowej grupy. - + This group already exists. Ta grupa już istnieje. @@ -1876,34 +1917,34 @@ Wtyczka slajdu tekstowego umożliwia umieszczanie zwykłych ciągów znaków na Wybierz obraz(y) - + You must select an image to replace the background with. Musisz zaznaczyć obraz, by zastąpić go na tło. - + Missing Image(s) Brakujące obrazy - + The following image(s) no longer exist: %s Następujące obrazy nie istnieją: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Następujące obrazy nie istnieją: %s Czy mimo to chcesz dodać inne? - + There was a problem replacing your background, the image file "%s" no longer exists. Nastąpił problem ze zmianą tła, plik "%s" nie istnieje. - + There was no display item to amend. Brak wyświetlanego elementu do korekty. @@ -1913,17 +1954,17 @@ Czy mimo to chcesz dodać inne? - + You must select an image or group to delete. Musisz wybrać obraz lub grupę do usunięcia - + Remove group Usuń grupę - + Are you sure you want to remove "%s" and everything in it? Jesteś pewien, że chcesz usunąć "%s" i całą zawartość? @@ -1944,22 +1985,22 @@ Czy mimo to chcesz dodać inne? Phonon to odtwarzacz, który współdziała z systemem operacyjnym, by zapewnić możliwości multimediów. - + Audio Audio - + Video Wideo - + VLC is an external player which supports a number of different formats. VLC jest zewnętrznym odtwarzaczem, który obsługuje wiele różnych formatów plików multimedialnych. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit to odtwarzacz, który działa w przeglądarce Internetowej. Pozwala on na przedstawienie tekstu na filmie wideo. @@ -1967,60 +2008,60 @@ Czy mimo to chcesz dodać inne? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Wtyczka Multimedialna</strong><br />Wtyczka Multimedialna zapewnia odtwarzanie audio i video. - + Media name singular Multimedia - + Media name plural Multimedia - + Media container title Multimedia - + Load new media. Wczytaj nowe multimedia. - + Add new media. Dodaj nowe multimedia. - + Edit the selected media. Edytuj zaznaczone multimedia. - + Delete the selected media. Usuń zaznaczone multimedia. - + Preview the selected media. Podgląd zaznaczonych multimediów. - + Send the selected media live. Wyświetl wybrane multimedia na ekranie. - + Add the selected media to the service. Dodaj wybrane multimedia do planu nabożeństwa. @@ -2189,37 +2230,37 @@ Czy mimo to chcesz dodać inne? Wybierz multimedia - + You must select a media file to delete. Musisz zaznaczyć plik do usunięcia. - + You must select a media file to replace the background with. Musisz zaznaczyć plik, by użyć go jako tło. - + There was a problem replacing your background, the media file "%s" no longer exists. Wystąpił problem ze zmianą tła, plik "%s" nie istnieje. - + Missing Media File Brakujący plik multimedialny - + The file %s no longer exists. Plik %s nie istnieje - + Videos (%s);;Audio (%s);;%s (*) Wideo (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Brak wyświetlanego elementu do korekty. @@ -2229,7 +2270,7 @@ Czy mimo to chcesz dodać inne? Nieobsługiwany plik - + Use Player: Użyj odtwarzacza: @@ -2244,27 +2285,27 @@ Czy mimo to chcesz dodać inne? Odtwarzacz VLC jest wymagany do odtwarzania urządzeń - + Load CD/DVD Załaduj CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled Załaduj CD/DVD - jedynie, gdy VLC jest zainstalowane i aktywowane - + The optical disc %s is no longer available. Dysk optyczny %s nie jest już dostępny. - + Mediaclip already saved Klip został już zapisany - + This mediaclip has already been saved Ten klip został już zapisany @@ -2293,17 +2334,17 @@ Czy mimo to chcesz dodać inne? OpenLP - + Image Files Pliki obrazów - + Information Informacja - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3192,7 +3233,7 @@ Wersja: %s OpenLP.FileRenameForm - + File Rename Zmiana nazwy pliku @@ -3202,7 +3243,7 @@ Wersja: %s Nowa nazwa pliku: - + File Copy Kopiuj plik @@ -3228,167 +3269,167 @@ Wersja: %s OpenLP.FirstTimeWizard - + Songs Pieśni - + First Time Wizard Kreator pierwszego uruchomienia - + Welcome to the First Time Wizard Witaj w kreatorze pierwszego uruchomienia - + Activate required Plugins Aktywuj wymagane wtyczki - + Select the Plugins you wish to use. Wybierz wtyczki, których chcesz używać. - + Bible Biblia - + Images Obrazy - + Presentations Prezentacje - + Media (Audio and Video) Multimedia (pliki audio i wideo) - + Allow remote access Zezwól na zdalny dostęp - + Monitor Song Usage Statystyki użycia pieśni - + Allow Alerts Komunikaty - + Default Settings Ustawienia domyślne - + Downloading %s... Pobieranie %s... - + Enabling selected plugins... Aktywowanie wybranych wtyczek... - + No Internet Connection Brak połączenia z Internetem - + Unable to detect an Internet connection. Nie można wykryć połączenia internetowego. - + Sample Songs Przykładowe pieśni - + Select and download public domain songs. Zaznacz i pobierz pieśni. - + Sample Bibles Przykładowe Biblie - + Select and download free Bibles. Zaznacz i pobierz darmowe Biblie. - + Sample Themes Przykładowe motywy - + Select and download sample themes. Zaznacz i pobierz przykładowe motywy. - + Set up default settings to be used by OpenLP. Ustal domyślne ustawienia dla OpenLP. - + Default output display: Domyślny ekran wyjściowy: - + Select default theme: Wybierz domyślny motyw: - + Starting configuration process... Rozpoczynanie procesu konfiguracji... - + Setting Up And Downloading Konfigurowanie i Pobieranie - + Please wait while OpenLP is set up and your data is downloaded. Proszę czekać - OpenLP konfiguruje i pobiera dane - + Setting Up Konfigurowanie - + Custom Slides Slajdy tekstowe - + Finish Zakończenie - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3397,47 +3438,47 @@ To re-run the First Time Wizard and import this sample data at a later time, che Aby uruchomić Kreator pierwszego uruchomienia i zaimportować przykładowe dane później, sprawdź połączenie internetowe i uruchom ponownie ten kreator przez zaznaczanie "Narzędzia/Włącz kreator pierwszego uruchomienia" w OpenLP. - + Download Error Błąd pobierania - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. Wystąpił problem połączenia internetowego podczas pobierania, więc pominięto pobieranie kolejnych plików. Spróbuj później uruchomić kreator pierwszego uruchomienia ponownie. - + Download complete. Click the %s button to return to OpenLP. Pobieranie zakończone. Kliknij przycisk %s, by wrócić do OpenLP. - + Download complete. Click the %s button to start OpenLP. Pobieranie zakończone. Kliknij przycisk %s, by uruchomić OpenLP. - + Click the %s button to return to OpenLP. Kliknij przycisk %s, by wrócić do OpenLP. - + Click the %s button to start OpenLP. Kliknij przycisk %s, by uruchomić OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Wystąpił problem połączenia internetowego podczas pobierania, więc pominięto pobieranie kolejnych plików. Spróbuj później uruchomić kreator pierwszego uruchomienia ponownie. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. Ten kreator pomoże ci wstępnie skonfigurować OpenLP. Kliknij przycisk %s, by rozpocząć. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. @@ -3446,40 +3487,50 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s By anulować kreatora pierwszego uruchomienia całkowicie (i nie uruchamiać OpenLP), wciśnij teraz przycisk %s. - + Downloading Resource Index - + Please wait while the resource index is downloaded. - + Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring - + Please wait while resources are downloaded and OpenLP is configured. - + Network Error - + There was a network error attempting to connect to retrieve initial configuration information + + + Cancel + Anuluj + + + + Unable to download some files + + OpenLP.FormattingTagDialog @@ -3551,6 +3602,16 @@ By anulować kreatora pierwszego uruchomienia całkowicie (i nie uruchamiać Ope Description %s already defined. Opis %s został już zdeklarowany. + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + OpenLP.FormattingTags @@ -3809,7 +3870,7 @@ By anulować kreatora pierwszego uruchomienia całkowicie (i nie uruchamiać Ope OpenLP.MainDisplay - + OpenLP Display Wyświetlacz OpenLP @@ -4116,7 +4177,7 @@ Możesz pobrać najnowszą wersję z http://openlp.org/. Główny Ekran został odłączony - + Default Theme: %s Domyślny motyw: %s @@ -4124,7 +4185,7 @@ Możesz pobrać najnowszą wersję z http://openlp.org/. English Please add the name of your language here - Angielski + Polish @@ -4132,12 +4193,12 @@ Możesz pobrać najnowszą wersję z http://openlp.org/. Konfiguruj &skróty... - + Close OpenLP Zamknij OpenLP - + Are you sure you want to close OpenLP? Czy na pewno chcesz zamknąć OpenLP? @@ -4211,13 +4272,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Uruchamianie go ponownie może spowodować zmiany w obecnej konfiguracji OpenLP, dodać pieśni do istniejącej już listy i zmienić domyślny motyw. - + Clear List Clear List of recent files Wyczyść listę - + Clear the list of recent files. Wyczyść listę ostatnich plików. @@ -4277,17 +4338,17 @@ Uruchamianie go ponownie może spowodować zmiany w obecnej konfiguracji OpenLP, Eksport pliku ustawień OpenLP (*.conf) - + New Data Directory Error Błąd nowego katalogu z danymi - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Kopiowanie danych OpenLP do nowej lokalizacji - %s - Proszę zaczekać, aż zakończenie - + OpenLP Data directory copy failed %s @@ -4348,7 +4409,7 @@ Proces został zatrzymany i nie wykonano żadnych zmian. Przełącz widoczność menedżera projektorów - + Export setting error Błąd eksportu ustawień @@ -4357,16 +4418,21 @@ Proces został zatrzymany i nie wykonano żadnych zmian. The key "%s" does not have a default value so it will be skipped in this export. Klucz "%s" nie posiada domyślnej wartości, więc zostanie pominięty w tym eksporcie. + + + An error occurred while exporting the settings: %s + + OpenLP.Manager - + Database Error Błąd bazy danych - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4375,7 +4441,7 @@ Database: %s Baza danych: %s - + OpenLP cannot load your database. Database: %s @@ -4454,7 +4520,7 @@ Nieobsługiwany przyrostek. &Kopiuj - + Duplicate files were found on import and were ignored. Powtarzające się pliki zostały znalezione i zignorowane. @@ -4839,11 +4905,6 @@ Nieobsługiwany przyrostek. The proxy address set with setProxy() was not found Adres proxy ustanowiony przez setProxy() nie został odnaleziony - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - - An unidentified error occurred @@ -4914,6 +4975,11 @@ Nieobsługiwany przyrostek. Received data Otrzymano dane + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + OpenLP.ProjectorEdit @@ -5460,22 +5526,22 @@ Nieobsługiwany przyrostek. Zmień &motyw dla elementu - + File is not a valid service. Plik nie odpowiada planowi nabożeństwa. - + Missing Display Handler Brak sterownika wyświetlacza - + Your item cannot be displayed as there is no handler to display it Pozycja nie może zostać wyświetlona, jeśli nie ma właściwych sterowników - + Your item cannot be displayed as the plugin required to display it is missing or inactive Pozycja nie może zostać wyświetlona, jeśli brakuje wymaganej wtyczki lub jest nieaktywna @@ -5555,12 +5621,12 @@ Nieobsługiwany przyrostek. Notatki z planu - + Notes: Notatki - + Playing time: Czas odtwarzania: @@ -5570,22 +5636,22 @@ Nieobsługiwany przyrostek. Plan bez tytułu - + File could not be opened because it is corrupt. Plik nie może być otwarty, ponieważ jest uszkodzony. - + Empty File Pusty plik - + This service file does not contain any data. Ten plik nie zawiera danych. - + Corrupt File Uszkodzony plik @@ -5605,32 +5671,32 @@ Nieobsługiwany przyrostek. Wybierz motyw dla planu nabożeństwa. - + Slide theme Motyw slajdu - + Notes Notatki - + Edit Edytuj - + Service copy only Plan tylko do kopiowania - + Error Saving File Błąd zapisywania pliku - + There was an error saving your file. Błąd w zapisywaniu Twojego pliku. @@ -5639,17 +5705,6 @@ Nieobsługiwany przyrostek. Service File(s) Missing Brakuje pliku planu nabożeństw - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - Następujących plik(ów) planu nabożeństwa brakuje: -<byte value="x9"/>%s - -Te pliki zostaną usunięte, jeśli kontynuujesz zapisywanie. - &Rename... @@ -5676,7 +5731,7 @@ Te pliki zostaną usunięte, jeśli kontynuujesz zapisywanie. - + &Delay between slides &Opóźnienie pomiędzy slajdami @@ -5686,63 +5741,75 @@ Te pliki zostaną usunięte, jeśli kontynuujesz zapisywanie. Pliki planu nabożeństw OpenLP (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) Pliki planu nabożeństw OpenLP (*.osz);; Pliki planu nabożeństw OpenLP -lite (*.oszl) - + OpenLP Service Files (*.osz);; Pliki planu nabożeństw OpenLP (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. Plan nabożeństwa, który chcesz otworzyć, jest w starym formacie. Proszę, zapisz go za pomocą OpenLP 2.0.2 lub nowszym. - + This file is either corrupt or it is not an OpenLP 2 service file. Ten plik jest uszkodzony lub nie jest planem nabożeństwa OpenLP 2. - + &Auto Start - inactive - + &Auto Start - active - + Input delay Opóźnienie źródła - + Delay between slides in seconds. Opóźnienie między slajdami w sekundach - + Rename item title Zmień nazwę elementu - + Title: Tytuł: + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + OpenLP.ServiceNoteForm @@ -6004,12 +6071,12 @@ Proszę, zapisz go za pomocą OpenLP 2.0.2 lub nowszym. OpenLP.SourceSelectForm - + Select Projector Source Wybierz źródło projektora - + Edit Projector Source Text Edytuj tekst źródła projektora @@ -6034,18 +6101,13 @@ Proszę, zapisz go za pomocą OpenLP 2.0.2 lub nowszym. - + Delete entries for this projector - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? + + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6209,7 +6271,7 @@ Proszę, zapisz go za pomocą OpenLP 2.0.2 lub nowszym. Ustaw jako &domyślny - + %s (default) %s (domyślny) @@ -6219,52 +6281,47 @@ Proszę, zapisz go za pomocą OpenLP 2.0.2 lub nowszym. Musisz zaznaczyć motyw do edycji. - + You are unable to delete the default theme. Nie możesz usunąć domyślnego motywu. - + Theme %s is used in the %s plugin. Motyw %s jest użyty w %s wtyczce. - + You have not selected a theme. Nie wybrałeś motywu. - + Save Theme - (%s) Zapisz motyw -(%s) - + Theme Exported Motyw wyeksportowano - + Your theme has been successfully exported. Motyw został pomyślnie wyeksportowany. - + Theme Export Failed Eksport motywu się nie powiódł. - - Your theme could not be exported due to an error. - Z powodu błędu motyw nie może zostać wyeksportowany. - - - + Select Theme Import File Wybierz plik importu motywu - + File is not a valid theme. Plik nie jest właściwym motywem. @@ -6314,20 +6371,15 @@ Proszę, zapisz go za pomocą OpenLP 2.0.2 lub nowszym. Usunąć motyw %s? - + Validation Error Błąd weryfikacji - + A theme with this name already exists. Motyw o tej nazwie już istnieje. - - - OpenLP Themes (*.theme *.otz) - Motywy OpenLP (*.theme *.otz) - Copy of %s @@ -6335,15 +6387,25 @@ Proszę, zapisz go za pomocą OpenLP 2.0.2 lub nowszym. Kopia %s - + Theme Already Exists Motyw już istnieje - + Theme %s already exists. Do you want to replace it? Motyw %s już istnieje. Czy chcesz go zastąpić? + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + OpenLP.ThemeWizard @@ -6779,7 +6841,7 @@ Proszę, zapisz go za pomocą OpenLP 2.0.2 lub nowszym. Gotowy. - + Starting import... Zaczynanie importu... @@ -6790,7 +6852,7 @@ Proszę, zapisz go za pomocą OpenLP 2.0.2 lub nowszym. Musisz określić przynajmniej jeden %s plik do importowania. - + Welcome to the Bible Import Wizard Witamy w Kreatorze Importu Biblii @@ -6884,7 +6946,7 @@ Proszę, zapisz go za pomocą OpenLP 2.0.2 lub nowszym. Musisz podać jeden %s katalog, aby importować z niego. - + Importing Songs Importowanie pieśni @@ -7228,163 +7290,163 @@ Proszę zaznaczyć go ręcznie. Podgląd - + Print Service Drukuj plan nabożeństwa - + Projector Singular Projektor - + Projectors Plural Projektory - + Replace Background Zastąp tło - + Replace live background. Zastąp tło ekranu głównego. - + Reset Background Resetuj tło - + Reset live background. Resetuj tło ekranu głównego. - + s The abbreviated unit for seconds s - + Save && Preview Zapisz && Podgląd - + Search Szukaj - + Search Themes... Search bar place holder text Przeszukaj motywy... - + You must select an item to delete. Musisz wybrać pozycję do usunięcia - + You must select an item to edit. Musisz wybrać pozycję do edycji - + Settings Ustawienia - + Save Service Zapisz plan nabożeństwa - + Service Plan nabożeństwa - + Optional &Split &Opcjonalny podział - + Split a slide into two only if it does not fit on the screen as one slide. Podziel slajd na dwa, jeśli tekst nie zmieści się na jednym. - + Start %s Start %s - + Stop Play Slides in Loop Zakończ odtwarzanie slajdów w kółko - + Stop Play Slides to End Zakończ odtwarzanie slajdów do końca - + Theme Singular Motyw - + Themes Plural Motywy - + Tools Narzędzia - + Top Góra - + Unsupported File Nieobsługiwany plik - + Verse Per Slide Werset na slajd - + Verse Per Line Werset na linijkę - + Version Tłumaczenie: - + View Widok - + View Mode Tryb widoku @@ -7398,6 +7460,16 @@ Proszę zaznaczyć go ręcznie. OpenLP 2.2 + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7437,50 +7509,50 @@ Proszę zaznaczyć go ręcznie. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Wtyczka prezentacji</strong><br />Wtyczka prezentacji zapewnia możliwość przedstawiania prezentacji za pomocą wielu programów. Wybór odpowiedniego programu prezentacji jest udostępniony użytkownikowi na liście wyboru. - + Presentation name singular Prezentacja - + Presentations name plural Prezentacje - + Presentations container title Prezentacje - + Load a new presentation. Wczytaj nową prezentację. - + Delete the selected presentation. Usuń zaznaczoną prezentację. - + Preview the selected presentation. Podgląd zaznaczonej prezentacji. - + Send the selected presentation live. Wyświetl prezentację na ekranie głównym. - + Add the selected presentation to the service. Dodaj zaznaczoną prezentację do planu nabożeństwa. @@ -7523,17 +7595,17 @@ Proszę zaznaczyć go ręcznie. Prezentacje (%s) - + Missing Presentation Brakująca prezentacja - + The presentation %s is incomplete, please reload. Prezentacja %s jest niekompletna, proszę wczytaj ponownie. - + The presentation %s no longer exists. Prezentacja %s już nie istnieje. @@ -7541,7 +7613,7 @@ Proszę zaznaczyć go ręcznie. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. Wystąpił błąd we współpracy z Powerpointem i prezentacja zostanie zatrzymana. Uruchom ją ponownie, jeśli chcesz ją zaprezentować. @@ -7549,40 +7621,50 @@ Proszę zaznaczyć go ręcznie. PresentationPlugin.PresentationTab - + Available Controllers Używane oprogramowanie prezentacji - + %s (unavailable) %s (niedostępny) - + Allow presentation application to be overridden Zezwól oprogromowaniu prezentacji być główną - + PDF options Opcje PDF - + Use given full path for mudraw or ghostscript binary: - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7623,127 +7705,127 @@ Proszę zaznaczyć go ręcznie. RemotePlugin.Mobile - + Service Manager Plan Nabożeństwa - + Slide Controller Kontroler slajdów - + Alerts Komunikaty - + Search Szukaj - + Home Home - + Refresh Odśwież - + Blank Wygaś - + Theme Motyw - + Desktop Pulpit - + Show Pokaż - + Prev Prev - + Next Następny - + Text Tekst - + Show Alert Pokaż Komunikat - + Go Live Wyświetl na ekranie - + Add to Service Dodaj do planu nabożeństwa - + Add &amp; Go to Service Add &amp; Go to Service - + No Results Brak wyników - + Options Opcje - + Service Plan nabożeństwa - + Slides Slajdy - + Settings Ustawienia - + OpenLP 2.2 Remote - + OpenLP 2.2 Stage View - + OpenLP 2.2 Live View @@ -7829,85 +7911,85 @@ Proszę zaznaczyć go ręcznie. SongUsagePlugin - + &Song Usage Tracking Statystyki &używania pieśni - + &Delete Tracking Data &Usuń dotychczasowe dane - + Delete song usage data up to a specified date. Usuń dane użycia piosenki do określonej daty. - + &Extract Tracking Data &Eksportuj dane - + Generate a report on song usage. Generuj raport używalności pieśni. - + Toggle Tracking Włącz śledzenie - + Toggle the tracking of song usage. Włącz śledzenie pieśni. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Wtyczka Statystyk Pieśni</strong><br />Ta wtyczka zapisuje wykorzystanie pieśni. - + SongUsage name singular Zastosowanie Pieśni - + SongUsage name plural Zastosowanie Pieśni - + SongUsage container title Zastosowanie Pieśni - + Song Usage Zastosowanie Pieśni - + Song usage tracking is active. Śledzenie pieśni jest włączone. - + Song usage tracking is inactive. Śledzenie pieśni jest wyłączone. - + display wyświetl - + printed wydrukowany @@ -7969,22 +8051,22 @@ All data recorded before this date will be permanently deleted. Zgłoś lokalizację - + Output File Location Lokalizacja pliku wyjściowego - + usage_detail_%s_%s.txt uzywalność_piesni_%s_%s.txt - + Report Creation Tworzenie raportu - + Report %s has been successfully created. @@ -7993,46 +8075,56 @@ has been successfully created. został pomyślnie stworzony. - + Output Path Not Selected Ścieżka wyjściowa nie jest zaznaczona - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + SongsPlugin - + &Song &Pieśń - + Import songs using the import wizard. Importuj pieśni używając kreatora importu. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Wtyczka Pieśni</strong><br />Wtyczka pieśni zapewnia możliwość wyświetlania i zarządzania pieśniami. - + &Re-index Songs &Przeindeksuj pieśni - + Re-index the songs database to improve searching and ordering. Przeindeksuj bazę pieśni, aby przyspieszyć wyszukiwanie i porządkowanie. - + Reindexing songs... Przeindeksowywanie pieśni... @@ -8128,80 +8220,80 @@ The encoding is responsible for the correct character representation. Kodowanie znaków jest odpowiedzialne za ich właściwą reprezentację. - + Song name singular Pieśń - + Songs name plural Pieśni - + Songs container title Pieśni - + Exports songs using the export wizard. Eksportuj pieśni używając kreatora eksportu - + Add a new song. Dodaj nową pieśń. - + Edit the selected song. Edytuj wybraną pieśń. - + Delete the selected song. Usuń wybraną pieśń. - + Preview the selected song. Podgląd wybranej pieśni. - + Send the selected song live. Wyświetl zaznaczone pieśni na ekranie. - + Add the selected song to the service. Dodaj wybraną pieśń do planu nabożeństwa. - + Reindexing songs Przeindeksowywanie pieśni - + CCLI SongSelect - + Import songs from CCLI's SongSelect service. - + Find &Duplicate Songs Znajdź &powtarzające się pieśni - + Find and remove duplicate songs in the song database. Znajdź i usuń powtarzające się pieśni z bazy danych. @@ -8672,7 +8764,7 @@ Proszę, wpisz zwrotki oddzielając je spacją. Musisz wybrać jakiś katalog. - + Select Destination Folder Wybierz folder docelowy @@ -9080,15 +9172,20 @@ Proszę, wpisz zwrotki oddzielając je spacją. SongsPlugin.SongExportForm - + Your song export failed. Eksport pieśni zakończony niepowodzeniem. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Eskport zakończony. Aby importować te pliki, użyj <strong>OpenLyrics</strong> importera. + + + Your song export failed because this error occurred: %s + + SongsPlugin.SongImport @@ -9269,7 +9366,7 @@ Proszę, wpisz zwrotki oddzielając je spacją. Szukaj - + Found %s song(s) @@ -9334,45 +9431,45 @@ Proszę, wpisz zwrotki oddzielając je spacją. Wylogowywanie... - + Save Username and Password Zapisz nazwę użytkownika i hasło - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. UWAGA: Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest zapisane jako ZWYKŁY TEKST. Kliknij Tak, by zapisać hasło lub Nie, by anulować. - + Error Logging In Błąd logowania - + There was a problem logging in, perhaps your username or password is incorrect? Wystąpił problem logowania, być może nazwa użytkownika lub hasło jest niepoprawna? - + Song Imported Pieśni zaimportowano - - Your song has been imported, would you like to exit now, or import more songs? - Twoje pieśni zostały zaimportowane, czy chcesz teraz wyjść, czy zaimportować więcej pieśni? + + Incomplete song + - - Import More Songs - Zaimportuj więcej pieśni + + This song is missing some information, like the lyrics, and cannot be imported. + - - Exit Now - Wyjdź + + Your song has been imported, would you like to import more songs? + diff --git a/resources/i18n/pt_BR.ts b/resources/i18n/pt_BR.ts index 3b824d366..b336cefdc 100644 --- a/resources/i18n/pt_BR.ts +++ b/resources/i18n/pt_BR.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Alerta - + Show an alert message. Exibir uma mensagem de alerta. - + Alert name singular Alertar - + Alerts name plural Alertas - + Alerts container title Alertas - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. @@ -153,85 +153,85 @@ Please type in some text before clicking New. BiblesPlugin - + &Bible &Bíblia - + Bible name singular Bíblia - + Bibles name plural Bíblias - + Bibles container title Bíblias - + No Book Found Nenhum Livro Encontrado - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Nenhum livro correspondente foi encontrado nesta Bíblia. Verifique se você digitou o nome do livro corretamente. - + Import a Bible. Importar uma Bíblia. - + Add a new Bible. Adicionar uma Bíblia nova. - + Edit the selected Bible. Editar a Bíblia selecionada. - + Delete the selected Bible. Excluir a Bíblia selecionada. - + Preview the selected Bible. Pré-visualizar a Bíblia selecionada. - + Send the selected Bible live. Projetar a Bíblia selecionada. - + Add the selected Bible to the service. Adicionar a Bíblia selecionada ao culto. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Plugin de Bíblia</strong><br />O plugin de Bíblia permite exibir versículos bíblicos de diferentes origens durante o culto. - + &Upgrade older Bibles &Atualizar Bíblias antigas - + Upgrade the Bible databases to the latest format. Atualizar o banco de dados de Bíblias para o formato atual. @@ -695,7 +695,7 @@ Please type in some text before clicking New. to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - até + até @@ -707,7 +707,7 @@ Please type in some text before clicking New. and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + e @@ -766,39 +766,39 @@ ser seguidos de um ou mais caracteres não-numéricos. BiblesPlugin.BibleManager - + Scripture Reference Error Erro de Referência na Escritura - + Web Bible cannot be used Não é possível usar a Bíblia Online - + Text Search is not available with Web Bibles. A Pesquisa de Texto não está disponível para Bíblias Online. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Você não digitou uma palavra-chave de pesquisa. Você pode separar diferentes palavras-chave com um espaço para procurar por todas as palavras-chave e pode separá-las com uma vírgula para pesquisar por alguma delas. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Não há Bíblias instaladas atualmente. Por favor, utilize o Assistente de Importação para instalar uma ou mais Bíblias. - + No Bibles Available Nenhuma Bíblia Disponível - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -988,12 +988,12 @@ busca, resultados da busca e na exibição: BiblesPlugin.CSVBible - + Importing books... %s Importando livros... %s - + Importing verses... done. Importando versículos... concluído. @@ -1071,38 +1071,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrando Bíblia e carregando livros... - + Registering Language... Registrando Idioma... - + Importing %s... Importing <book name>... Importando %s... - + Download Error Erro ao Baixar - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Ocorreu um problema ao baixar os versículos selecionados. Verifique sua conexão com a Internet, e se este erro continuar ocorrendo, por favor considere relatar um bug. - + Parse Error Erro de Interpretação - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Ocorreu um problema ao extrair os versículos selecionados. Se este erro continuar ocorrendo, por favor considere relatar um bug. @@ -1110,165 +1110,185 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Assistente de Importação de Bíblia - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Este assistente irá ajudá-lo a importar Bíblias de uma variedade de formatos. Clique no botão avançar abaixo para começar o processo selecionando o formato a ser importado. - + Web Download Download da Internet - + Location: Localização: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bíblia: - + Download Options Opções de Transferência - + Server: Servidor: - + Username: Usuário: - + Password: Senha: - + Proxy Server (Optional) Servidor Proxy (Opcional) - + License Details Detalhes da Licença - + Set up the Bible's license details. Configurar detalhes de licença da Bíblia. - + Version name: Nome da versão: - + Copyright: Direitos Autorais: - + Please wait while your Bible is imported. Por favor aguarde enquanto a sua Bíblia é importada. - + You need to specify a file with books of the Bible to use in the import. Você deve especificar um arquivo com livros da Bíblia para usar na importação. - + You need to specify a file of Bible verses to import. Você deve especificar um arquivo de versículos da Bíblia para importar. - + You need to specify a version name for your Bible. É necessário especificar um nome para esta versão da Bíblia. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. É necessário informar os Direitos Autorais para esta Bíblia. Traduções em domínio público precisam ser marcadas como tal. - + Bible Exists A Bíblia existe - + This Bible already exists. Please import a different Bible or first delete the existing one. Esta Bíblia já existe. Por favor importa outra Bíblia ou remova a já existente. - + Your Bible import failed. A sua Importação de Bíblia falhou. - + CSV File Arquivo CSV - + Bibleserver Bibleserver - + Permissions: Permissões: - + Bible file: Arquivo de Bíblia: - + Books file: Arquivo de Livros: - + Verses file: Arquivo de Versículos: - + Registering Bible... Registrando Bíblia... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + BiblesPlugin.LanguageDialog @@ -1405,13 +1425,26 @@ Para usá-la de novo, você precisará fazer a importação novamente. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... + + + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.UpgradeWizardForm @@ -1566,73 +1599,81 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + CustomPlugin - + Custom Slide name singular Slide Personalizado - + Custom Slides name plural Slides Personalizados - + Custom Slides container title Slides Personalizados - + Load a new custom slide. Carregar um novo slide personalizado. - + Import a custom slide. Importar um slide personalizado. - + Add a new custom slide. Adicionar um novo slide personalizado. - + Edit the selected custom slide. Editar o slide personalizado selecionado. - + Delete the selected custom slide. Excluir o slide personalizado selecionado. - + Preview the selected custom slide. Pré-visualizar o slide personalizado atual. - + Send the selected custom slide live. Enviar o slide personalizado selecionado para a projeção. - + Add the selected custom slide to the service. Adicionar o slide personalizado selecionado ao culto. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. @@ -1729,7 +1770,7 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1740,60 +1781,60 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Plugin de Imagens</strong><br />O plugin de imagens permite a exibição de imagens.<br />Uma das funcionalidades importantes deste plugin é a possibilidade de agrupar várias imagens no culto, facilitando a exibição de várias imagens. Este plugin também pode usar a funcionalidade de "repetição temporizada" do OpenLP para criar uma apresentação de slides que é executada automaticamente. Além disso, imagens do plugin podem ser usadas em sobreposição ao plano de fundo do tema atual, exibindo itens baseados em texto como músicas com a imagem selecionada ao fundo ao invés do plano de fundo fornecido pelo tema. - + Image name singular Imagem - + Images name plural Imagens - + Images container title Imagens - + Load a new image. Carregar uma nova imagem. - + Add a new image. Adicionar uma nova imagem. - + Edit the selected image. Editar a imagem selecionada. - + Delete the selected image. Excluir a imagem selecionada. - + Preview the selected image. Pré-visualizar a imagem selecionada. - + Send the selected image live. Enviar a imagem selecionada para a projeção. - + Add the selected image to the service. Adicionar a imagem selecionada ao culto. @@ -1821,12 +1862,12 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos - + Could not add the new group. - + This group already exists. @@ -1875,34 +1916,34 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos Selecionar Imagem(ns) - + You must select an image to replace the background with. Você precisa selecionar uma imagem para definir como plano de fundo. - + Missing Image(s) Imagem(ns) não encontrada(s) - + The following image(s) no longer exist: %s A(s) seguinte(s) imagem(ns) não existe(m) mais: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? A(s) seguinte(s) imagem(ns) não existe(m) mais: %s Deseja continuar adicionando as outras imagens mesmo assim? - + There was a problem replacing your background, the image file "%s" no longer exists. Ocorreu um erro ao substituir o plano de fundo, o arquivo de imagem "%s" não existe. - + There was no display item to amend. Não há nenhum item de exibição para corrigir. @@ -1912,17 +1953,17 @@ Deseja continuar adicionando as outras imagens mesmo assim? - + You must select an image or group to delete. - + Remove group - + Are you sure you want to remove "%s" and everything in it? @@ -1943,22 +1984,22 @@ Deseja continuar adicionando as outras imagens mesmo assim? - + Audio - + Video - + VLC is an external player which supports a number of different formats. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. @@ -1966,60 +2007,60 @@ Deseja continuar adicionando as outras imagens mesmo assim? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Plugin de Mídia</strong><br />O plugin de mídia permite a reprodução de áudio e vídeo. - + Media name singular Mídia - + Media name plural Mídia - + Media container title Mídia - + Load new media. Carregar nova mídia. - + Add new media. Adicionar nova mídia. - + Edit the selected media. Editar a mídia selecionada. - + Delete the selected media. Excluir a mídia selecionada. - + Preview the selected media. Pré-visualizar a mídia selecionada. - + Send the selected media live. Enviar a mídia selecionada para a projeção. - + Add the selected media to the service. Adicionar a mídia selecionada ao culto. @@ -2188,37 +2229,37 @@ Deseja continuar adicionando as outras imagens mesmo assim? Selecionar Mídia - + You must select a media file to delete. Você deve selecionar um arquivo de mídia para apagar. - + You must select a media file to replace the background with. Você precisa selecionar um arquivo de mídia para substituir o plano de fundo. - + There was a problem replacing your background, the media file "%s" no longer exists. Ocorreu um erro ao substituir o plano de fundo. O arquivo de mídia "%s" não existe. - + Missing Media File Arquivo de Mídia não encontrado - + The file %s no longer exists. O arquivo %s não existe. - + Videos (%s);;Audio (%s);;%s (*) Vídeos (%s);;Áudio (%s);;%s (*) - + There was no display item to amend. Não há nenhum item de exibição para corrigir. @@ -2228,7 +2269,7 @@ Deseja continuar adicionando as outras imagens mesmo assim? Arquivo não suportado - + Use Player: Usar Reprodutor: @@ -2243,27 +2284,27 @@ Deseja continuar adicionando as outras imagens mesmo assim? - + Load CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled - + The optical disc %s is no longer available. - + Mediaclip already saved - + This mediaclip has already been saved @@ -2292,17 +2333,17 @@ Deseja continuar adicionando as outras imagens mesmo assim? OpenLP - + Image Files Arquivos de Imagem - + Information Informações - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3186,7 +3227,7 @@ Agradecemos se for possível escrever seu relatório em inglês. OpenLP.FileRenameForm - + File Rename Renomear arquivo @@ -3196,7 +3237,7 @@ Agradecemos se for possível escrever seu relatório em inglês. Novo nome de Arquivo: - + File Copy Copiar arquivo @@ -3222,167 +3263,167 @@ Agradecemos se for possível escrever seu relatório em inglês. OpenLP.FirstTimeWizard - + Songs Músicas - + First Time Wizard Assistente de Primeira Utilização - + Welcome to the First Time Wizard Bem vindo ao Assistente de Primeira Utilização - + Activate required Plugins Ativar os Plugins necessários - + Select the Plugins you wish to use. Selecione os Plugins que você deseja utilizar. - + Bible Bíblia - + Images Imagens - + Presentations Apresentações - + Media (Audio and Video) Mídia (Áudio e Vídeo) - + Allow remote access Permitir acesso remoto - + Monitor Song Usage Monitorar Utilização das Músicas - + Allow Alerts Permitir Alertas - + Default Settings Configurações Padrões - + Downloading %s... Transferindo %s... - + Enabling selected plugins... Habilitando os plugins selecionados... - + No Internet Connection Conexão com a Internet Indisponível - + Unable to detect an Internet connection. Não foi possível detectar uma conexão com a Internet. - + Sample Songs Músicas de Exemplo - + Select and download public domain songs. Selecione e baixe músicas de domínio público. - + Sample Bibles Bíblias de Exemplo - + Select and download free Bibles. Selecione e baixe Bíblias gratuitas. - + Sample Themes Temas de Exemplo - + Select and download sample themes. Selecione e baixe temas de exemplo. - + Set up default settings to be used by OpenLP. Configure os ajustes padrões que serão utilizados pelo OpenLP. - + Default output display: Saída de projeção padrão: - + Select default theme: Selecione o tema padrão: - + Starting configuration process... Iniciando o processo de configuração... - + Setting Up And Downloading Configurando e Transferindo - + Please wait while OpenLP is set up and your data is downloaded. Por favor, aguarde enquanto o OpenLP é configurado e seus dados são transferidos. - + Setting Up Configurando - + Custom Slides Slides Personalizados - + Finish Fim - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3393,87 +3434,97 @@ Para iniciar o Assistente de Primeira Execução novamente e baixar letras de m Clique no botão finalizar para iniciar o OpenLP com as configurações iniciais. - + Download Error Erro ao Baixar - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. - + Download complete. Click the %s button to start OpenLP. - + Click the %s button to return to OpenLP. - + Click the %s button to start OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + Downloading Resource Index - + Please wait while the resource index is downloaded. - + Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring - + Please wait while resources are downloaded and OpenLP is configured. - + Network Error - + There was a network error attempting to connect to retrieve initial configuration information + + + Cancel + Cancelar + + + + Unable to download some files + + OpenLP.FormattingTagDialog @@ -3545,6 +3596,16 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + OpenLP.FormattingTags @@ -3803,7 +3864,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Saída do OpenLP @@ -4110,7 +4171,7 @@ Voce pode baixar a última versão em http://openlp.org/. A Tela Principal foi desativada - + Default Theme: %s Tema padrão: %s @@ -4118,7 +4179,7 @@ Voce pode baixar a última versão em http://openlp.org/. English Please add the name of your language here - Inglês + Portuguese (Brazil) @@ -4126,12 +4187,12 @@ Voce pode baixar a última versão em http://openlp.org/. Configurar &Atalhos... - + Close OpenLP Fechar o OpenLP - + Are you sure you want to close OpenLP? Você tem certeza de que deseja fechar o OpenLP? @@ -4205,13 +4266,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Executar o assistente novamente poderá fazer mudanças na sua configuração atual, adicionar músicas à sua base existente e mudar o seu tema padrão. - + Clear List Clear List of recent files Limpar Lista - + Clear the list of recent files. Limpar a lista de arquivos recentes. @@ -4271,17 +4332,17 @@ Executar o assistente novamente poderá fazer mudanças na sua configuração at Arquivo de Configurações do OpenLP (*.conf) - + New Data Directory Error Erro no Novo Diretório de Dados - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Copiando dados do OpenLP para o novo local do diretório de dados - %s - Por favor, aguarde a finalização da cópia - + OpenLP Data directory copy failed %s @@ -4336,7 +4397,7 @@ Processing has terminated and no changes have been made. - + Export setting error @@ -4345,16 +4406,21 @@ Processing has terminated and no changes have been made. The key "%s" does not have a default value so it will be skipped in this export. + + + An error occurred while exporting the settings: %s + + OpenLP.Manager - + Database Error Erro no Banco de Dados - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4363,7 +4429,7 @@ Database: %s Banco de dados: %s - + OpenLP cannot load your database. Database: %s @@ -4442,7 +4508,7 @@ Sufixo não suportado &Duplicar - + Duplicate files were found on import and were ignored. Arquivos duplicados foram encontrados na importação e foram ignorados. @@ -4827,11 +4893,6 @@ Sufixo não suportado The proxy address set with setProxy() was not found - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - - An unidentified error occurred @@ -4902,6 +4963,11 @@ Sufixo não suportado Received data + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + OpenLP.ProjectorEdit @@ -5448,22 +5514,22 @@ Sufixo não suportado &Alterar Tema do Item - + File is not a valid service. Arquivo não é uma ordem de culto válida. - + Missing Display Handler Faltando o Manipulador de Exibição - + Your item cannot be displayed as there is no handler to display it O seu item não pode ser exibido porque não existe um manipulador para exibí-lo - + Your item cannot be displayed as the plugin required to display it is missing or inactive O item não pode ser exibido porque o plugin necessário para visualizá-lo está ausente ou está desativado @@ -5543,12 +5609,12 @@ Sufixo não suportado Anotações de Culto Personalizados: - + Notes: Observações: - + Playing time: Duração: @@ -5558,22 +5624,22 @@ Sufixo não suportado Culto Sem Nome - + File could not be opened because it is corrupt. Arquivo não pôde ser aberto porque está corrompido. - + Empty File Arquivo vazio - + This service file does not contain any data. Este arquivo de culto não contém dados. - + Corrupt File Arquivo corrompido @@ -5593,32 +5659,32 @@ Sufixo não suportado Selecionar um tema para o culto. - + Slide theme Tema do Slide - + Notes Notas - + Edit Editar - + Service copy only Somente cópia de culto - + Error Saving File Erro ao Salvar Arquivo - + There was an error saving your file. Houve um erro ao salvar seu arquivo. @@ -5627,17 +5693,6 @@ Sufixo não suportado Service File(s) Missing Arquivo(s) Faltando no Culto - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - O(s) seguinte(s) arquivo(s) estão faltando no culto: -<byte value="x9"/>%s - -Estes arquivos serão removidos se você continuar a salvar. - &Rename... @@ -5664,7 +5719,7 @@ Estes arquivos serão removidos se você continuar a salvar. - + &Delay between slides @@ -5674,62 +5729,74 @@ Estes arquivos serão removidos se você continuar a salvar. - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + OpenLP Service Files (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + This file is either corrupt or it is not an OpenLP 2 service file. - + &Auto Start - inactive - + &Auto Start - active - + Input delay - + Delay between slides in seconds. Espera entre slides em segundos. - + Rename item title - + Title: Título: + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + OpenLP.ServiceNoteForm @@ -5991,12 +6058,12 @@ Estes arquivos serão removidos se você continuar a salvar. OpenLP.SourceSelectForm - + Select Projector Source - + Edit Projector Source Text @@ -6021,18 +6088,13 @@ Estes arquivos serão removidos se você continuar a salvar. - + Delete entries for this projector - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? + + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6196,7 +6258,7 @@ Estes arquivos serão removidos se você continuar a salvar. Definir como Padrão &Global - + %s (default) %s (padrão) @@ -6206,52 +6268,47 @@ Estes arquivos serão removidos se você continuar a salvar. Você precisa selecionar um tema para editar. - + You are unable to delete the default theme. Você não pode apagar o tema padrão. - + Theme %s is used in the %s plugin. O tema %s é usado no plugin %s. - + You have not selected a theme. Você não selecionou um tema. - + Save Theme - (%s) Salvar Tema - (%s) - + Theme Exported Tema Exportado - + Your theme has been successfully exported. Seu tema foi exportado com sucesso. - + Theme Export Failed Falha ao Exportar Tema - - Your theme could not be exported due to an error. - O tema não pôde ser exportado devido a um erro. - - - + Select Theme Import File Selecionar Arquivo de Importação de Tema - + File is not a valid theme. O arquivo não é um tema válido. @@ -6301,20 +6358,15 @@ Estes arquivos serão removidos se você continuar a salvar. Apagar o tema %s? - + Validation Error Erro de Validação - + A theme with this name already exists. Já existe um tema com este nome. - - - OpenLP Themes (*.theme *.otz) - Temas do OpenLP (*.theme *.otz) - Copy of %s @@ -6322,15 +6374,25 @@ Estes arquivos serão removidos se você continuar a salvar. Cópia do %s - + Theme Already Exists Tema Já Existe - + Theme %s already exists. Do you want to replace it? O Tema %s já existe. Deseja substituí-lo? + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + OpenLP.ThemeWizard @@ -6766,7 +6828,7 @@ Estes arquivos serão removidos se você continuar a salvar. Pronto. - + Starting import... Iniciando importação... @@ -6777,7 +6839,7 @@ Estes arquivos serão removidos se você continuar a salvar. Você precisa especificar pelo menos um arquivo %s para importar. - + Welcome to the Bible Import Wizard Bem Vindo ao Assistente de Importação de Bíblias @@ -6871,7 +6933,7 @@ Estes arquivos serão removidos se você continuar a salvar. Você precisa especificar um diretório %s de onde importar. - + Importing Songs Importando Músicas @@ -7215,163 +7277,163 @@ Por favor, tente selecionar individualmente. Pré-Visualização - + Print Service Imprimir Culto - + Projector Singular - + Projectors Plural - + Replace Background Substituir Plano de Fundo - + Replace live background. Trocar fundo da projeção. - + Reset Background Restabelecer o Plano de Fundo - + Reset live background. Reverter fundo da projeção. - + s The abbreviated unit for seconds s - + Save && Preview Salvar && Pré-Visualizar - + Search Busca - + Search Themes... Search bar place holder text Pesquisar temas... - + You must select an item to delete. Você precisa selecionar um item para excluir. - + You must select an item to edit. Você precisa selecionar um item para editar. - + Settings Configurações - + Save Service Salvar Culto - + Service Culto - + Optional &Split Divisão Opcional - + Split a slide into two only if it does not fit on the screen as one slide. Dividir um slide em dois somente se não couber na tela em um único slide. - + Start %s Início %s - + Stop Play Slides in Loop Parar Slides com Repetição - + Stop Play Slides to End Parar Slides até o Final - + Theme Singular Tema - + Themes Plural Temas - + Tools Ferramentas - + Top Topo - + Unsupported File Arquivo não suportado - + Verse Per Slide Versículos por Slide - + Verse Per Line Versículos por Linha - + Version Versão - + View Visualizar - + View Mode Modo de Visualização @@ -7385,6 +7447,16 @@ Por favor, tente selecionar individualmente. OpenLP 2.2 + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7424,50 +7496,50 @@ Por favor, tente selecionar individualmente. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Plugin de Apresentação</strong><br />O plugin de apresentação permite exibir apresentações utilizando vários programas diferentes. Os programas disponíveis são exibidos em uma caixa de seleção. - + Presentation name singular Apresentação - + Presentations name plural Apresentações - + Presentations container title Apresentações - + Load a new presentation. Carregar uma nova apresentação. - + Delete the selected presentation. Excluir a apresentação selecionada. - + Preview the selected presentation. Pré-visualizar a apresentação selecionada. - + Send the selected presentation live. Enviar a apresentação selecionada para a projeção. - + Add the selected presentation to the service. Adicionar a apresentação selecionada ao culto. @@ -7510,17 +7582,17 @@ Por favor, tente selecionar individualmente. Apresentações (%s) - + Missing Presentation Apresentação Não Encontrada - + The presentation %s is incomplete, please reload. A apresentação %s está incompleta, por favor recarregue. - + The presentation %s no longer exists. A apresentação %s já não existe mais. @@ -7528,7 +7600,7 @@ Por favor, tente selecionar individualmente. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. @@ -7536,40 +7608,50 @@ Por favor, tente selecionar individualmente. PresentationPlugin.PresentationTab - + Available Controllers Controladores Disponíveis - + %s (unavailable) %s (indisponível) - + Allow presentation application to be overridden Permitir que o aplicativo de apresentações seja alterado - + PDF options - + Use given full path for mudraw or ghostscript binary: - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7610,127 +7692,127 @@ Por favor, tente selecionar individualmente. RemotePlugin.Mobile - + Service Manager Gerenciador de Culto - + Slide Controller Controlador de Slide - + Alerts Alertas - + Search Busca - + Home Home - + Refresh Atualizar - + Blank Em Branco - + Theme Tema - + Desktop Área de Trabalho - + Show Exibir - + Prev Ant - + Next Próximo - + Text Texto - + Show Alert Mostrar Alerta - + Go Live Projetar - + Add to Service Adicionar à Lista - + Add &amp; Go to Service Adicionar ao Culto - + No Results Nenhum Resultado - + Options Opções - + Service Culto - + Slides Slides - + Settings Configurações - + OpenLP 2.2 Remote - + OpenLP 2.2 Stage View - + OpenLP 2.2 Live View @@ -7816,85 +7898,85 @@ Por favor, tente selecionar individualmente. SongUsagePlugin - + &Song Usage Tracking &Registro de Uso de Músicas - + &Delete Tracking Data &Excluir Dados de Registro - + Delete song usage data up to a specified date. Excluir registros de uso até uma data específica. - + &Extract Tracking Data &Extrair Dados de Registro - + Generate a report on song usage. Gerar um relatório sobre o uso das músicas. - + Toggle Tracking Alternar Registro - + Toggle the tracking of song usage. Alternar o registro de uso das músicas. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Plugin de Uso das Músicas</strong><br />Este plugin registra o uso das músicas nos cultos. - + SongUsage name singular UsoDaMúsica - + SongUsage name plural UsoDaMúsica - + SongUsage container title UsoDaMúsica - + Song Usage Uso das Músicas - + Song usage tracking is active. Registro de uso das Músicas está ativado. - + Song usage tracking is inactive. Registro de uso das Músicas está desativado. - + display exibir - + printed impresso @@ -7956,22 +8038,22 @@ All data recorded before this date will be permanently deleted. Localização do Relatório - + Output File Location Local do arquivo de saída - + usage_detail_%s_%s.txt detalhe_uso_%s_%s.txt - + Report Creation Criação de Relatório - + Report %s has been successfully created. @@ -7980,46 +8062,56 @@ has been successfully created. foi criado com sucesso. - + Output Path Not Selected Caminho de saída não foi selecionado - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + SongsPlugin - + &Song &Música - + Import songs using the import wizard. Importar músicas com o assistente de importação. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Plugin de Músicas</strong><br />O plugin de músicas permite exibir e gerenciar músicas. - + &Re-index Songs &Re-indexar Músicas - + Re-index the songs database to improve searching and ordering. Re-indexar o banco de dados de músicas para melhorar a busca e a ordenação. - + Reindexing songs... Reindexando músicas... @@ -8115,80 +8207,80 @@ The encoding is responsible for the correct character representation. A codificação é responsável pela correta representação dos caracteres. - + Song name singular Música - + Songs name plural Músicas - + Songs container title Músicas - + Exports songs using the export wizard. Exporta músicas utilizando o assistente de exportação. - + Add a new song. Adicionar uma nova música. - + Edit the selected song. Editar a música selecionada. - + Delete the selected song. Excluir a música selecionada. - + Preview the selected song. Pré-visualizar a música selecionada. - + Send the selected song live. Enviar a música selecionada para a projeção. - + Add the selected song to the service. Adicionar a música selecionada ao culto. - + Reindexing songs Reindexando músicas - + CCLI SongSelect - + Import songs from CCLI's SongSelect service. - + Find &Duplicate Songs - + Find and remove duplicate songs in the song database. @@ -8657,7 +8749,7 @@ Please enter the verses separated by spaces. Você precisa especificar um diretório. - + Select Destination Folder Selecione a Pasta de Destino @@ -9064,15 +9156,20 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. A sua exportação de músicas falhou. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Exportação Finalizada. Para importar estes arquivos, use o importador <strong>OpenLyrics</strong>. + + + Your song export failed because this error occurred: %s + + SongsPlugin.SongImport @@ -9253,7 +9350,7 @@ Please enter the verses separated by spaces. Busca - + Found %s song(s) @@ -9318,43 +9415,43 @@ Please enter the verses separated by spaces. - + Save Username and Password - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + Error Logging In - + There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported - - Your song has been imported, would you like to exit now, or import more songs? + + Incomplete song - - Import More Songs + + This song is missing some information, like the lyrics, and cannot be imported. - - Exit Now + + Your song has been imported, would you like to import more songs? diff --git a/resources/i18n/ro.ts b/resources/i18n/ro.ts new file mode 100644 index 000000000..f3989ff71 --- /dev/null +++ b/resources/i18n/ro.ts @@ -0,0 +1,9577 @@ + + + + AlertsPlugin + + + &Alert + &Anunț + + + + Show an alert message. + Arată anunț + + + + Alert + name singular + Anunț + + + + Alerts + name plural + Anunțuri + + + + Alerts + container title + Anunțuri + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + Textul anunțului + + + + Alert &text: + Anunț&text + + + + &New + &Nou + + + + &Save + Salveaza + + + + Displ&ay + &Afișează + + + + Display && Cl&ose + Afișează && Închide + + + + New Alert + Anunț nou + + + + &Parameter: + Parametru: + + + + No Parameter Found + Nu s-a gasit nici un parametru + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Nu ai introdus nici un parametru care să fie modificat. Vrei totuși să continui? + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Textul de alertă nu conține '<>'. +Vreți să continuați oricum? + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + Mesajul de alertă creat și afișat. + + + + AlertsPlugin.AlertsTab + + + Font + Font + + + + Font name: + Nume fontului: + + + + Font color: + Culoare font: + + + + Background color: + Culoare fundal: + + + + Font size: + Dimensiune font: + + + + Alert timeout: + Expirare alertă: + + + + BiblesPlugin + + + &Bible + &Biblie + + + + Bible + name singular + Biblie + + + + Bibles + name plural + Biblii + + + + Bibles + container title + Biblii + + + + No Book Found + Nici o carte găsită + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + Nici o carte potrivită nu a putut fi găsită în această Biblie. Verificați dacă ați scris corect numele cărții. + + + + Import a Bible. + Importă o Biblie. + + + + Add a new Bible. + Adaugă o nouă Biblie. + + + + Edit the selected Bible. + Editați Biblia selectată. + + + + Delete the selected Bible. + Ștergeți Biblia selectată. + + + + Preview the selected Bible. + Previzualizarea Bibliei selectate. + + + + Send the selected Bible live. + Trimite Biblia selectată în direct. + + + + Add the selected Bible to the service. + Adaugă Biblia selectată la serviciu. + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + <strong>Plugin Biblie</strong><br />Plugin Biblie oferă posibilitatea de a afișa versete biblice din diferite surse în timpul serviciului. + + + + &Upgrade older Bibles + &Actualizează Bibliile vechi + + + + Upgrade the Bible databases to the latest format. + Actualizează bazele de date ale Bibliei la ultima format. + + + + Genesis + Geneza + + + + Exodus + Exod + + + + Leviticus + Levitic + + + + Numbers + Numeri + + + + Deuteronomy + Deuteronom + + + + Joshua + Iosua + + + + Judges + Judecători + + + + Ruth + Rut + + + + 1 Samuel + 1 Samuel + + + + 2 Samuel + 2 Samuel + + + + 1 Kings + 1 Îmăprați + + + + 2 Kings + 2 Îmăprați + + + + 1 Chronicles + 1 Cronici + + + + 2 Chronicles + 2 Cronici + + + + Ezra + Ezra + + + + Nehemiah + Neemia + + + + Esther + Estera + + + + Job + Iov + + + + Psalms + Psalmi + + + + Proverbs + Proverbe + + + + Ecclesiastes + Eclesiastul + + + + Song of Solomon + Cântarea cântărilor + + + + Isaiah + Isaia + + + + Jeremiah + Ieremia + + + + Lamentations + Plângerile lui Ieremia + + + + Ezekiel + Ezechiel + + + + Daniel + Daniel + + + + Hosea + Osea + + + + Joel + Ioel + + + + Amos + Amos + + + + Obadiah + Obadia + + + + Jonah + Iona + + + + Micah + Mica + + + + Nahum + Naum + + + + Habakkuk + Habacuc + + + + Zephaniah + Țefania + + + + Haggai + Hagai + + + + Zechariah + Zaharia + + + + Malachi + Maleahi + + + + Matthew + Matei + + + + Mark + Marcu + + + + Luke + Luca + + + + John + Ioan + + + + Acts + Faptele apostolilor + + + + Romans + Romani + + + + 1 Corinthians + 1 Corinteni + + + + 2 Corinthians + 2 Corinteni + + + + Galatians + Galateni + + + + Ephesians + Efeseni + + + + Philippians + Filipeni + + + + Colossians + Coloseni + + + + 1 Thessalonians + 1 Tesaloniceni + + + + 2 Thessalonians + 2 Tesaloniceni + + + + 1 Timothy + 1 Timotei + + + + 2 Timothy + 2 Timotei + + + + Titus + Tit + + + + Philemon + Filimon + + + + Hebrews + Evrei + + + + James + Iacov + + + + 1 Peter + 1 Petru + + + + 2 Peter + 2 Petru + + + + 1 John + 1 Ioan + + + + 2 John + 2 Ioan + + + + 3 John + 3 Ioan + + + + Jude + Iuda + + + + Revelation + Apocalipsa + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + Trebuie să specificați un nume de versiune pentru Biblie. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Trebuie să setați un drept de autor pentru Biblie. Bibliile în domeniul public trebuie să fie marcate ca atare. + + + + Bible Exists + Biblia există + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + Această Biblie există deja. Vă rugăm să importați o Biblie diferită sau întâi ștergeți pe cea existentă. + + + + You need to specify a book name for "%s". + Trebuie să specificați numele cărții pentru "%s". + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Numele cărții "%s" nu este corect. +Numerele pot fi folosite doar la începutul și trebuie +să fie urmate de unul sau mai multe caractere nenumerice. + + + + Duplicate Book Name + Numele cărții duplicat + + + + The Book Name "%s" has been entered more than once. + Numele carții "%s" a fost introdus mai mult de o dată. + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + Eroare de referință a Scripturii + + + + Web Bible cannot be used + Biblia web nu pot fi utilizată + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + No Bibles Available + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + ( Si ) + + + + { And } + { Si } + + + + [ And ] + [ Si ] + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Romanian + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + Detalii Licenta + + + + Version name: + Numele versiunii: + + + + Copyright: + Drepturi de autor: + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Romanian + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + Locatie: + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + Biblie: + + + + Download Options + Optiuni Descarcare: + + + + Server: + Server: + + + + Username: + Utilizator: + + + + Password: + Parola: + + + + Proxy Server (Optional) + Proxy Server (Optional) + + + + License Details + Detalii Licenta + + + + Set up the Bible's license details. + Configureaza detaliile de licenta ale Bibliei + + + + Version name: + Numele versiunii: + + + + Copyright: + Drepturi de autor: + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + Trebuie să specificați un nume de versiune pentru Biblie. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Trebuie să setați un drept de autor pentru Biblie. Bibliile în domeniul public trebuie să fie marcate ca atare. + + + + Bible Exists + Biblia există + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + Această Biblie există deja. Vă rugăm să importați o Biblie diferită sau întâi ștergeți pe cea existentă. + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Text Search + + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + Culoare fundal: + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + Biblie + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + &Nou + + + + &Open + + + + + Open an existing service. + + + + + &Save + Salveaza + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Romanian + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + Setări + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + Port + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + Ecran + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + În Direct + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + Culoare fundal: + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + În Direct + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + Setări + + + + Save Service + + + + + Service + Serviciu + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + Temă + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + Anunțuri + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + Temă + + + + Desktop + Afișaj + + + + Show + + + + + Prev + + + + + Next + Următor + + + + Text + + + + + Show Alert + + + + + Go Live + În Direct + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + Serviciu + + + + Slides + + + + + Settings + Setări + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + Parola: + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + Utilizator: + + + + Password: + Parola: + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + Drepturi de autor: + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/ru.ts b/resources/i18n/ru.ts index c25434b9e..0c7076b92 100644 --- a/resources/i18n/ru.ts +++ b/resources/i18n/ru.ts @@ -3,37 +3,37 @@ AlertsPlugin - + &Alert О&повещение - + Show an alert message. Показать текст оповещения. - + Alert name singular Оповещение - + Alerts name plural Оповещения - + Alerts container title Оповещения - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. - + <strong>Alerts Plugin</strong><br />Плагин оповещений управляет выводом на экран оповещений. @@ -87,8 +87,8 @@ You have not entered a parameter to be replaced. Do you want to continue anyway? - Следующих изображений больше не существуют: %s -Добавить остальные изображения? + Вы не указали параметры для замены. +Все равно продолжить? @@ -106,7 +106,8 @@ Do you want to continue anyway? You haven't specified any text for your alert. Please type in some text before clicking New. - + Вы не указали текста для вашего оповещения. +Пожалуйста введите текст перед добавлением. @@ -153,85 +154,85 @@ Please type in some text before clicking New. BiblesPlugin - + &Bible &Библия - + Bible name singular Библия - + Bibles name plural Священное Писание - + Bibles container title Священное Писание - + No Book Found Книги не найдены - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Не было найдено подходящей книги в этой Библии. Проверьте что вы правильно указали название книги. - + Import a Bible. Импортировать Библию. - + Add a new Bible. Добавить Библию. - + Edit the selected Bible. Изменить выбранную Библию. - + Delete the selected Bible. Удалить выбранную Библию. - + Preview the selected Bible. Просмотреть выбранную Библию. - + Send the selected Bible live. Показать выбранную Библию на экране. - + Add the selected Bible to the service. Добавить выбранную Библию к порядку служения. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Плагин Библии</strong><br />Плагин Библии обеспечивает возможность показывать отрывки Писания во время служения. - + &Upgrade older Bibles &Обновить старые Библии - + Upgrade the Bible databases to the latest format. Обновить формат базы данных для хранения Библии. @@ -659,61 +660,61 @@ Please type in some text before clicking New. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + с V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + С verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + Стих verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + Стихи - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - до + до , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + и end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + окончание @@ -764,39 +765,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Ошибка ссылки на Писание - + Web Bible cannot be used Веб-Библия не может быть использована - + Text Search is not available with Web Bibles. Текстовый поиск не доступен для Веб-Библий. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Вы не указали ключевое слово для поиска. Вы можете разделить разичные ключевые слова пробелами чтобы осуществить поиск по фразе, а также можете использовать запятые, чтобы искать по каждому из указанных ключевых слов. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. В настоящее время ни одна Библия не установлена. Пожалуйста, воспользуйтесь Мастером Импорта чтобы установить одну Библию или более. - + No Bibles Available Библии отсутствуют - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -919,7 +920,7 @@ search results and on display: Show verse numbers - + Показывать номера стихов @@ -976,12 +977,12 @@ search results and on display: BiblesPlugin.CSVBible - + Importing books... %s Импорт книг... %s - + Importing verses... done. Импортирование стихов... завершено. @@ -1058,38 +1059,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Регистрация Библии и загрузка книг... - + Registering Language... Регистрация языка... - + Importing %s... Importing <book name>... Импорт %s... - + Download Error Ошибка загрузки - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Возникла проблема при загрузке секции стихов. Пожалуйста, проверьте параметры Интернет соединения, и случае если ошибка происходит при нормальном Интернет соединении, сообщите о ней на сайте разработчика в разделе Ошибки. - + Parse Error Ошибка обработки - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Возникла проблема при распаковке раздела стихов. Если это ошибка будет повторяться, пожалуйста сообщите о ней. @@ -1097,164 +1098,185 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Мастер импорта Библии - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Этот мастер поможет вам импортировать Библию из различных форматов. Нажмите кнопку Далее чтобы начать процесс выбора формата и осуществить импорт из него. - + Web Download Загрузка из Сети - + Location: Путь: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Библия: - + Download Options Опции загрузки - + Server: Сервер: - + Username: Логин: - + Password: Пароль: - + Proxy Server (Optional) Прокси сервер (опционально) - + License Details Описание лицензии - + Set up the Bible's license details. Укажите детали лицензии на использовании Библии. - + Version name: Название версии: - + Copyright: Авторские права: - + Please wait while your Bible is imported. Дождитесь окончания импорта Библии. - + You need to specify a file with books of the Bible to use in the import. Вам необходимо указать файл со списком книг Библии для импорта. - + You need to specify a file of Bible verses to import. Вам необходимо указать файл с содержимым стихов Библии для импорта. - + You need to specify a version name for your Bible. Вам нужно указать имя версии для вашей Библии. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Вам необходимо указать авторские права Библии. Переводы Библии находящиеся в свободном доступе должны быть помечены как таковые. - + Bible Exists Библия существует - + This Bible already exists. Please import a different Bible or first delete the existing one. Эта Библия уже существует. Пожалуйста импортируйте другую Библию или сначала удалите существующую. - + Your Bible import failed. Импорт Библии провалился. - + CSV File Файл CSV - + Bibleserver Bibleserver - + Permissions: Разрешения: - + Bible file: Файл Библии: - + Books file: Файл книг: - + Verses file: Файл стихов: - + Registering Bible... Регистрация Библии... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Регистрация Библии. Пожалуйста, помните о том, что стихи +будут загружены по требованию и необходимо наличие доступа в сеть. + + + + Click to download bible list + Нажмите чтобы загрузить список Библий + + + + Download bible list + Загрузка списка Библий + + + + Error during download + Ошибки в процессе загрузки + + + + An error occurred while downloading the list of bibles from %s. + Произошла ошибка при загрузке списка библии из %s. @@ -1388,16 +1410,29 @@ You will need to re-import this Bible to use it again. Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + Неправильный тип файла Библии. Он выглядит как Zefania XML Библия, пожалуйста, используйте вариант импорта Zefania. + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... + + + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.UpgradeWizardForm @@ -1552,75 +1587,83 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + Неправильный тип файла Библии. Zefania Библии могут быть сжаты. Вы должны распаковать их перед импортом. + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... CustomPlugin - + Custom Slide name singular - Специальный слайд - - - - Custom Slides - name plural - Слайды + Произвольный слайд Custom Slides - container title - Слайды + name plural + Произвольные Слайды - Load a new custom slide. - Загрузить новый специальный слайд. - - - - Import a custom slide. - Импортировать специальный слайд. - - - - Add a new custom slide. - Добавить новый специальный слайд. - - - - Edit the selected custom slide. - Изменить выбранный специальный слайд. + Custom Slides + container title + Произвольные Слайды - Delete the selected custom slide. - Удалить выбранный специальный слайд. + Load a new custom slide. + Загрузить новый произвольный слайд. - Preview the selected custom slide. - Просмотреть выбранный специальный слайд. + Import a custom slide. + Импортировать произвольный слайд. - Send the selected custom slide live. - Показать выбранный специальный слайд на экран. + Add a new custom slide. + Добавить новый произвольный слайд. - Add the selected custom slide to the service. - Добавить выбранный специальный слайд к порядку служения. + Edit the selected custom slide. + Изменить выбранный произвольный слайд. - + + Delete the selected custom slide. + Удалить выбранный произвольный слайд. + + + + Preview the selected custom slide. + Просмотреть выбранный произвольный слайд. + + + + Send the selected custom slide live. + Показать выбранный произвольный слайд на экран. + + + + Add the selected custom slide to the service. + Добавить выбранный произвольный слайд в служение. + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. - + <strong>Плагин произвольных слайдов</strong><br />Плагин произвольных слайдов дает возможность создания произвольных текстовых слайдов, который могут быть показаны подобно слайдам песен. Этот плагин дает больше свободы по сравнению с плагином песен. @@ -1638,7 +1681,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Import missing custom slides from service files - Импортировать не найденные слайды из файла служения + Импортировать не найденные произвольные слайды из файла служения @@ -1646,7 +1689,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit Custom Slides - Редактор специальных слайдов + Редактор произвольных слайдов @@ -1715,72 +1758,72 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? - - - - + + Вы уверены что хотите удалить %n выбранный произвольный слайд? + Вы уверены что хотите удалить %n выбранных произвольных слайдов? + Вы уверены что хотите удалить %n выбранных произвольных слайдов? ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Плагин Изображений</strong><br />Плагин изображений позволяет отображать изображения.<br />Одной из отличительных возможностей этого плагина является возможность группировать выбранные изображение в менеджере служения, что делает работу с большим количеством изображений более легкой. Этот плагин также позволяет использовать возможности "временной петли" OpenLP, чтобы создавать слайд-шоу, которые выполняются автоматически. В дополнение к этому, изображения из плагина могут быть использованы, чтобы заменить текущий фон, что позволяет отображать текстовые элементы, такие как песни, с выбранным изображением в качестве фона, вместо фона, который указан в теме. - + Image name singular Изображение - + Images name plural Картинки - + Images container title Картинки - + Load a new image. Загрузить новое изображение. - + Add a new image. Добавить новое изображение - + Edit the selected image. Изменить выбранное изображение. - + Delete the selected image. Удалить выбранное изображение. - + Preview the selected image. Просмотреть выбранное изображение. - + Send the selected image live. Показать выбранное изображение на экране. - + Add the selected image to the service. Добавить выбранное изображение к служению. @@ -1795,7 +1838,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Parent group: - + Родительская группа: @@ -1808,12 +1851,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Вы должны ввести название группы - + Could not add the new group. - + Не возможно добавить новую группу. - + This group already exists. Эта группа уже существует. @@ -1823,17 +1866,17 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Select Image Group - + Выберите группу изображений Add images to group: - + Добавить изображения в группу: No group - + Без группы @@ -1862,34 +1905,34 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Выбрать Изображение(я) - + You must select an image to replace the background with. Вы должны выбрать изображение, которым следует заменить фон. - + Missing Image(s) Отсутствует изображение(я) - + The following image(s) no longer exist: %s Следующие изображения больше не существуют: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Следующих изображений больше не существуют: %s Добавить остальные изображения? - + There was a problem replacing your background, the image file "%s" no longer exists. Возникла проблема при замене Фона проектора, файл "%s" больше не существует. - + There was no display item to amend. Отсутствует объект для изменений. @@ -1899,19 +1942,19 @@ Do you want to add the other images anyway? -- Группа верхнего уровня -- - + You must select an image or group to delete. Вы должны выбрать изображение или группу для удаления. - + Remove group Удалить группу - + Are you sure you want to remove "%s" and everything in it? - + Вы уверены, что хотите удалить "%s" и все в нем? @@ -1927,86 +1970,86 @@ Do you want to add the other images anyway? Phonon is a media player which interacts with the operating system to provide media capabilities. - + Phonon это медиа плеер, который взаимодействует с операционной системой, чтобы предоставить возможности медиа. - + Audio - + Аудио - + Video - + Видео - + VLC is an external player which supports a number of different formats. VLC - это внешний плеер, который поддерживает множество различных форматов. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. - + Webkit является медиа-плеером, который работает в веб-браузере. Этот плеер позволяет выводить текст поверх видео на экране. MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Плагин Мультимедиа</strong><br />Плагин Мультимедиа обеспечивает проигрывание аудио и видео файлов. - + Media name singular Мультимедиа - + Media name plural Мультимедиа - + Media container title Мультимедиа - + Load new media. Загрузить новый объект мультимедиа. - + Add new media. Добавить новый объект мультимедиа. - + Edit the selected media. Изменить выбранный объект мультимедиа. - + Delete the selected media. Удалить выбранный мультимедиа объект. - + Preview the selected media. Просмотреть выбранный объект мультимедиа. - + Send the selected media live. Показать выбранный объект мультимедиа на экране. - + Add the selected media to the service. Добавить выбранный объект к порядку служения. @@ -2016,32 +2059,32 @@ Do you want to add the other images anyway? Select Media Clip - + Выберите Медиа клип Source - + Источник Media path: - + Путь к Медиа: Select drive from list - + Выберите диск из списка Load disc - + Загрузить диск Track Details - + Описание Трека @@ -2051,52 +2094,52 @@ Do you want to add the other images anyway? Audio track: - + Аудио трек Subtitle track: - + Трек субтитров HH:mm:ss.z - + ЧЧ:мм:сс.м Clip Range - + Диапазон клипа Start point: - + Старт: Set start point - + Укажите Старт Jump to start point - + Перейти к старту End point: - + Окончание: Set end point - + Установите Окончание Jump to end point - + Перейти к Окончанию @@ -2104,67 +2147,67 @@ Do you want to add the other images anyway? No path was given - + Не указан путь Given path does not exists - + Указанный путь не существует An error happened during initialization of VLC player - + Произошла ошибка при инициализации VLC плеера VLC player failed playing the media - + VLC плеер не смог воспроизвести медиа CD not loaded correctly - + CD не загружен корректно The CD was not loaded correctly, please re-load and try again. - + CD не был загружен корректно, пожалуйста, перезагрузите его и попытайтесь снова. DVD not loaded correctly - + DVD не загружен корректно The DVD was not loaded correctly, please re-load and try again. - + DVD не был загружен корректно, пожалуйста, перезагрузите его и попытайтесь снова. Set name of mediaclip - + Укажите имя медиаклипа Name of mediaclip: - + Имя медиаклипа: Enter a valid name or cancel - + Введите правильное имя или отмените Invalid character - + Неверный символ The name of the mediaclip must not contain the character ":" - + Название медиа-клипа не должны содержать символ ":" @@ -2175,37 +2218,37 @@ Do you want to add the other images anyway? Выбрать объект мультимедиа. - + You must select a media file to delete. Вы должны выбрать медиа-файл для удаления. - + You must select a media file to replace the background with. Для замены фона вы должны выбрать мультимедиа объект. - + There was a problem replacing your background, the media file "%s" no longer exists. Возникла проблема замены фона, поскольку файл "%s" не найден. - + Missing Media File Отсутствует медиа-файл - + The file %s no longer exists. Файл %s не существует. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Отсутствует объект для изменений. @@ -2215,42 +2258,42 @@ Do you want to add the other images anyway? Не поддерживаемый файл - + Use Player: Использовать плеер: VLC player required - + Необходим VLC плеер VLC player required for playback of optical devices - + VLC плеер необходим для проигрывания оптических устройств - + Load CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled - + The optical disc %s is no longer available. - + Оптический диск %s больше не доступен. - + Mediaclip already saved - + This mediaclip has already been saved @@ -2273,23 +2316,23 @@ Do you want to add the other images anyway? &Projector Manager - + &Управление проектором OpenLP - + Image Files Файлы изображений - + Information Информация - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -2315,12 +2358,12 @@ Should OpenLP upgrade now? A backup of the data folder has been created at %s - + Резервная копия папки с данными была создана в %s Open - + Открыть @@ -2450,13 +2493,95 @@ Final Credit on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + Руководство проекта + %s + +Разработчики + %s + +Соучастники + %s + +Тестировщики + %s + +Packagers + %s + +Переводчики + Африкански (af) + %s + Чешский (cs) + %s + Датский (da) + %s + Немецкий (de) + %s + Греческий (el) + %s + Английский, United Kingdom (en_GB) + %s + Английский, South Africa (en_ZA) + %s + Испанский (es) + %s + Эстонский (et) + %s + Финский (fi) + %s + Французский (fr) + %s + Венгерский (hu) + %s + Индонезийский (id) + %s + Японский (ja) + %s + Norwegian Bokmål (nb) + %s + Голландский (nl) + %s + Польский (pl) + %s + Португальский, Brazil (pt_BR) + %s + Русский (ru) + %s + Швецкий (sv) + %s + Тамильский (Sri-Lanka) (ta_LK) + %s + Китайский (China) (zh_CN) + %s + +Документация + %s + +Построен с + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Последняя признательность + Ибо так возлюбил Бог мир, что отдал + Сына Своего Единородного, дабы всякий + верующий в Него, не погиб, но имел + жизнь вечную." -- Иоанна 3:16 + + И последняя, но не менее важная признательность + Богу Отцу, который послал Своего Сына на смерть на + кресте, чтобы освободить нас от греха. Мы предоставляем + Вам эту программу без платы потому, что Он освободил + нас, не требуя платы. Copyright © 2004-2015 %s Portions copyright © 2004-2015 %s - + Авторские права © 2004-2015 %s +Частичные авторские права © 2004-2015 %s @@ -2726,7 +2851,7 @@ The data directory will be changed when OpenLP is closed. Thursday - + Четверг @@ -2754,7 +2879,13 @@ The location you have selected %s appears to contain OpenLP data files. Do you wish to replace these files with the current data files? - + ПРЕДУПРЕЖДЕНИЕ: + +Место, которые вы выбрали + +%s + +по-видимому, содержат файлы данных OpenLP. Вы хотите заменить эти файлы текущими файлами данных? @@ -2780,162 +2911,162 @@ appears to contain OpenLP data files. Do you wish to replace these files with th RGB - + RGB Video - + Видео Digital - + Digital Storage - + Storage Network - + Network RGB 1 - + RGB 1 RGB 2 - + RGB 2 RGB 3 - + RGB 3 RGB 4 - + RGB 4 RGB 5 - + RGB 5 RGB 6 - + RGB 6 RGB 7 - + RGB 7 RGB 8 - + RGB 8 RGB 9 - + RGB 9 Video 1 - + Video 1 Video 2 - + Video 2 Video 3 - + Video 3 Video 4 - + Video 4 Video 5 - + Video 5 Video 6 - + Video 6 Video 7 - + Video 7 Video 8 - + Video 8 Video 9 - + Video 9 Digital 1 - + Digital 1 Digital 2 - + Digital 2 Digital 3 - + Digital 3 Digital 4 - + Digital 4 Digital 5 - + Digital 5 Digital 6 - + Digital 6 Digital 7 - + Digital 7 Digital 8 - + Digital 8 Digital 9 - + Digital 9 @@ -3103,8 +3234,8 @@ Version: %s --- Library Versions --- %s - **Сообщение об ошибке OpenLP** -Версия: %s + **OpenLP Bug Report** +Version: %s --- Details of the Exception. --- @@ -3135,7 +3266,7 @@ Version: %s %s Please add the information that bug reports are favoured written in English. - *Сообщение об ошибке OpenLP* + *OpenLP Bug Report* Version: %s --- Details of the Exception. --- @@ -3154,7 +3285,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename Имя файла @@ -3164,7 +3295,7 @@ Version: %s Имя нового файла: - + File Copy Файл для копирования @@ -3190,252 +3321,264 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Песни - + First Time Wizard Мастер первого запуска - + Welcome to the First Time Wizard Добро пожаловать в Мастер первого запуска - + Activate required Plugins Активируйте необходимые Плагины - + Select the Plugins you wish to use. Выберите плагины, которые вы хотите использовать - + Bible Библия - + Images Картинки - + Presentations Презентации - + Media (Audio and Video) Мультимедиа (Видео и Аудио) - + Allow remote access Удаленный доступ - + Monitor Song Usage Отслеживать использование песен - + Allow Alerts Разрешить оповещения - + Default Settings Настройки по умолчанию - + Downloading %s... Загрузка %s... - + Enabling selected plugins... Разрешение выбранных плагинов... - + No Internet Connection Отсутствует интернет соединение - + Unable to detect an Internet connection. Не удалось найти соединение с интернетом. - + Sample Songs Готовые сборники - + Select and download public domain songs. Выберите и загрузите песни. - + Sample Bibles Библии - + Select and download free Bibles. Выберите и загрузите Библии - + Sample Themes Образцы тем - + Select and download sample themes. Выберите и загрузите темы. - + Set up default settings to be used by OpenLP. Установите настройки по умолчанию для использования в OpenLP. - + Default output display: Дисплей для показа по умолчанию: - + Select default theme: Тема по умолчанию: - + Starting configuration process... Запуск процесса конфигурирования... - + Setting Up And Downloading Настройка и загрузка - + Please wait while OpenLP is set up and your data is downloaded. Пожалуйста, дождитесь пока OpenLP применит настройки и загрузит данные. - + Setting Up Настройка - + Custom Slides - Слайды + Произвольные Слайды - + Finish Завершить - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. Не найдено подключение к Интернету. Мастеру Первого Запуска необходимо подключение к Интернету для того, чтобы иметь возможность скачать образцы песен, Библии и темы. Нажмите на кнопку Завершить сейчас, чтобы запустить OpenLP с начальными настройками и без образов данных. ⏎ ⏎ Для повторного запуска Мастера Первого Запуска и импорт этих образцов данных позже, проверьте подключение к Интернету и повторно запустить этот мастер, выбрав "Инструменты / Запуск Мастера Первого Запуска" в OpenLP. - + Download Error Ошибка загрузки - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. - + Загрузка завершена. Нажмите кнопку %s, чтобы вернуться в OpenLP. - + Download complete. Click the %s button to start OpenLP. - + Загрузка завершена. Нажмите кнопку %s для запуска OpenLP. - + Click the %s button to return to OpenLP. - + Нажмите кнопку %s для возврата в OpenLP. - + Click the %s button to start OpenLP. - + Нажмите кнопку %s чтобы запустить OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + Этот мастер поможет вам настроить OpenLP для первоначального использования. Нажмите кнопку %s ниже, чтобы начать. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + + +Чтобы полностью отменить Мастер Начального использования (и не запускать OpenLP), нажмите кнопку %s сейчас. - + Downloading Resource Index - + Please wait while the resource index is downloaded. - + Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring - + Загрузка и Настройка - + Please wait while resources are downloaded and OpenLP is configured. - + Пожалуйста, подождите пока ресурсы загрузятся и OpenLP будет настроен. - + Network Error + Ошибка сети + + + + There was a network error attempting to connect to retrieve initial configuration information - - There was a network error attempting to connect to retrieve initial configuration information + + Cancel + Отмена + + + + Unable to download some files @@ -3507,7 +3650,17 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. - + Описание %s уже определено. + + + + Start tag %s is not valid HTML + Начальный тег %s не правильные в HTML + + + + End tag %s does not match end tag for start tag %s + Завершающий тег %s не совпадает с завершающим тегом для начального тега %s @@ -3767,7 +3920,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Дисплей OpenLP @@ -4074,7 +4227,7 @@ You can download the latest version from http://openlp.org/. Главный дисплей был очищен - + Default Theme: %s Тема по-умолчанию: %s @@ -4082,7 +4235,7 @@ You can download the latest version from http://openlp.org/. English Please add the name of your language here - Английский + русский @@ -4090,12 +4243,12 @@ You can download the latest version from http://openlp.org/. Настройки и б&ыстрые клавиши... - + Close OpenLP Закрыть OpenLP - + Are you sure you want to close OpenLP? Вы уверены что хотите закрыть OpenLP? @@ -4169,13 +4322,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Перезапуск мастера сделает изменения в текущей конфигурации OpenLP и, возможно, добавит песни к существующему списку и произведет изменения темы по умолчанию. - + Clear List Clear List of recent files Очистить список - + Clear the list of recent files. Очистить список недавних файлов. @@ -4235,17 +4388,17 @@ Re-running this wizard may make changes to your current OpenLP configuration and Файлы экспорта настроек OpenLP (*.conf) - + New Data Directory Error Ошибка новой директории данных - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Копируются данные OpenLP в новое расположение директории данных - %s - Пожалуйста дождитесь окончания копирования - + OpenLP Data directory copy failed %s @@ -4259,12 +4412,12 @@ Re-running this wizard may make changes to your current OpenLP configuration and Library - + Библиотека Jump to the search box of the current active plugin. - + Перейдите в поле поиска текущего активного плагина. @@ -4285,45 +4438,50 @@ Processing has terminated and no changes have been made. Projector Manager - + Управление проектором Toggle Projector Manager - + Свернуть Менеджер Проекторов Toggle the visibility of the Projector Manager - + Переключите видимость Управления проектором - + Export setting error The key "%s" does not have a default value so it will be skipped in this export. - + Ключ "%s" не имеет значения по умолчанию, поэтому будет пропущен в этом экспорте. + + + + An error occurred while exporting the settings: %s + Произошла ошибка во время экспорта настроек: %s OpenLP.Manager - + Database Error Ошибка базы данных - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s Загружаемая база данных была создана в более ранней версии OpenLP. База данных версии %d, в то время как OpenLP ожидает версию %d. База данных не будет загруженf ⏎ ⏎ База данных: %s - + OpenLP cannot load your database. Database: %s @@ -4400,7 +4558,7 @@ Suffix not supported &Клонировать - + Duplicate files were found on import and were ignored. Дублирующие файлы найдены были при импорте и были проигнорированы. @@ -4423,12 +4581,12 @@ Suffix not supported Unknown status - + Неизвестный статус No message - + Нет сообщения @@ -4446,7 +4604,7 @@ Suffix not supported Players - + Плееры @@ -4608,7 +4766,7 @@ Suffix not supported OK - + ОК @@ -4785,11 +4943,6 @@ Suffix not supported The proxy address set with setProxy() was not found - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - - An unidentified error occurred @@ -4860,6 +5013,11 @@ Suffix not supported Received data + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + OpenLP.ProjectorEdit @@ -4889,17 +5047,17 @@ Suffix not supported Edit Projector - + Редактировать Проектор IP Address - + IP адрес Port Number - + Номер Порта @@ -4909,7 +5067,7 @@ Suffix not supported Name - + Наименование @@ -4937,32 +5095,32 @@ Suffix not supported Add Projector - + Добавить Проектор Add a new projector - + Добавить новый проектор Edit Projector - + Редактировать Проектор Edit selected projector - + Редактировать выбранный проектор Delete Projector - + Удалить Проектор Delete selected projector - + Удалить выбранный проектор @@ -5087,7 +5245,7 @@ Suffix not supported Name - + Наименование @@ -5117,12 +5275,12 @@ Suffix not supported Manufacturer - + Производитель Model - + Модель @@ -5187,7 +5345,7 @@ Suffix not supported No message - + Нет сообщения @@ -5233,7 +5391,7 @@ Suffix not supported Projector - + Проектор @@ -5406,22 +5564,22 @@ Suffix not supported &Изменить тему элемента - + File is not a valid service. Файл не является правильным служением. - + Missing Display Handler Отсутствует обработчик показа - + Your item cannot be displayed as there is no handler to display it Объект не может быть показан, поскольку отсутствует обработчик для его показа - + Your item cannot be displayed as the plugin required to display it is missing or inactive Элемент служения не может быть показан, поскольку требуемый плагин отсутствует или отключен @@ -5501,12 +5659,12 @@ Suffix not supported Заметки к служению: - + Notes: Заметки: - + Playing time: Время игры: @@ -5516,22 +5674,22 @@ Suffix not supported Служение без названия - + File could not be opened because it is corrupt. Файл не может быть открыт, поскольку он поврежден. - + Empty File Пустой файл - + This service file does not contain any data. Файл служения не содержит данных. - + Corrupt File Поврежденный файл @@ -5551,32 +5709,32 @@ Suffix not supported Выбрать тему для служения. - + Slide theme Тема слайда - + Notes Заметки - + Edit Редактировать - + Service copy only Копия только служения - + Error Saving File Ошибка сохранения файла - + There was an error saving your file. Была ошибка при сохранении вашего файла. @@ -5585,23 +5743,15 @@ Suffix not supported Service File(s) Missing Файл(ы) Служения не найдены - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - Следующие файл(ы) в служении не найдены:⏎ <byte value="x9"/>%s⏎ ⏎ Эти файлы будут удалены, если вы продолжите сохранять. - &Rename... - + &Переименовать... Create New &Custom Slide - + Создать новый &произвольный слайд @@ -5619,7 +5769,7 @@ These files will be removed if you continue to save. - + &Delay between slides @@ -5629,62 +5779,77 @@ These files will be removed if you continue to save. - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + OpenLP Service Files (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + Файл служения, который вы пытаетесь открыть, в старом формате. +Пожалуйста, сохраните его, используя OpenLP 2.0.2 или выше. - + This file is either corrupt or it is not an OpenLP 2 service file. - + Этот файл либо поврежден или это не файл служения OpenLP 2. - + &Auto Start - inactive - + &Автозапуск - неактивно - + &Auto Start - active - + &Автозапуск - активно - + Input delay - + Введите задержку - + Delay between slides in seconds. Задержка между слайдами в секундах. - + Rename item title - + Переименовать заголовок элемента - + Title: Название: + + + An error occurred while writing the service file: %s + Произошла ошибка в процессе записи файла служения: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + Следующие файл(ы) в служении не найдены: %s + +Эти файлы будут удалены, если вы продолжите сохранять. + OpenLP.ServiceNoteForm @@ -5946,12 +6111,12 @@ These files will be removed if you continue to save. OpenLP.SourceSelectForm - + Select Projector Source - + Выберите источник проектора - + Edit Projector Source Text @@ -5976,18 +6141,13 @@ These files will be removed if you continue to save. - + Delete entries for this projector - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? + + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6151,7 +6311,7 @@ These files will be removed if you continue to save. Установить &по умолчания для всех - + %s (default) %s (по-умолчанию) @@ -6161,52 +6321,47 @@ These files will be removed if you continue to save. Вы должны выбрать тему для редактирования. - + You are unable to delete the default theme. Вы не можете удалить тему назначенную по умолчанию. - + Theme %s is used in the %s plugin. Тема %s используется в плагине %s. - + You have not selected a theme. Вы не выбрали тему. - + Save Theme - (%s) Сохранить Тему - (%s) - + Theme Exported Тема экспортирована. - + Your theme has been successfully exported. Ваша тема была успешна экспортирована. - + Theme Export Failed Экспорт темы провалился. - - Your theme could not be exported due to an error. - Ваша тема не может быть экспортирована из-за ошибки. - - - + Select Theme Import File Выберите файл темы для импорта - + File is not a valid theme. Файл не является темой. @@ -6256,20 +6411,15 @@ These files will be removed if you continue to save. Удалить тему %s? - + Validation Error Ошибка Проверки - + A theme with this name already exists. Тема с подобным именем уже существует. - - - OpenLP Themes (*.theme *.otz) - OpenLP Темы (*.theme *.otz) - Copy of %s @@ -6277,15 +6427,25 @@ These files will be removed if you continue to save. Копия %s - + Theme Already Exists Тема уже существует - + Theme %s already exists. Do you want to replace it? Тема %s уже существует. Хотите ее заменить? + + + The theme export failed because this error occurred: %s + Экспорт Темы не удался из-за возникшей ошибки: %s + + + + OpenLP Themes (*.otz) + OpenLP Темы (*.otz) + OpenLP.ThemeWizard @@ -6577,17 +6737,17 @@ These files will be removed if you continue to save. Solid color - + Сплошная заливка color: - + цвет: Allows you to change and move the Main and Footer areas. - + Позволяет изменять и перемещать основную область и область подвала. @@ -6645,7 +6805,7 @@ These files will be removed if you continue to save. Universal Settings - + Универсальные Настройки @@ -6721,7 +6881,7 @@ These files will be removed if you continue to save. Готов. - + Starting import... Начинаю импорт... @@ -6732,7 +6892,7 @@ These files will be removed if you continue to save. Вы должны указатть по крайней мере %s файл для импорта из него. - + Welcome to the Bible Import Wizard Добро пожаловать в Мастер импорта Библий @@ -6826,24 +6986,24 @@ These files will be removed if you continue to save. Вам нужно указать одну %s директория, из которой импортировать. - + Importing Songs Импортирование песен Welcome to the Duplicate Song Removal Wizard - + Добро пожаловать в Мастер Удаления дублей песен Written by - + Написана Author Unknown - + Автор неизвестен @@ -6975,13 +7135,14 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for File Not Found - + Файл не найден File %s not found. Please try selecting it individually. - + Файл %s не найден. +Пожалуйста, попробуйте выбрать его индивидуально. @@ -7057,25 +7218,25 @@ Please try selecting it individually. Manufacturer Singular - + Производитель Manufacturers Plural - + Производители Model Singular - + Модель Models Plural - + Модели @@ -7141,7 +7302,7 @@ Please try selecting it individually. OpenLP 2 - + OpenLP 2 @@ -7169,174 +7330,184 @@ Please try selecting it individually. Просмотр - + Print Service Распечатать служение - + Projector Singular - - - - - Projectors - Plural - + Проектор + Projectors + Plural + Проекторы + + + Replace Background Заменить Фон - + Replace live background. Заменить фон показа. - + Reset Background Сбросить Фон - + Reset live background. Сбросить фон показа. - + s The abbreviated unit for seconds сек - + Save && Preview Сохранить и просмотреть - + Search Поиск - + Search Themes... Search bar place holder text Поиск Тем... - + You must select an item to delete. Вы должны выбрать объект для удаления. - + You must select an item to edit. Вы должны выбрать объект для изменения. - + Settings Параметры - + Save Service Сохранить порядок служения - + Service Служение - + Optional &Split Дополнительно &Разделить - + Split a slide into two only if it does not fit on the screen as one slide. Разделить слайд на два если он не помещается как один слайд. - + Start %s Начало %s - + Stop Play Slides in Loop Проиграть слайды по кругу - + Stop Play Slides to End Остановить проигрывание слайдов до конца - + Theme Singular Тема - + Themes Plural Темы - + Tools Инструменты - + Top Вверх - + Unsupported File Не поддерживаемый файл - + Verse Per Slide Стих на слайд - + Verse Per Line Стих на абзац - + Version Версия - + View Просмотр - + View Mode Режим отображения CCLI song number: - + CCLI номер песни: OpenLP 2.2 + OpenLP 2.2 + + + + Preview Toolbar + Панель просмотра + + + + Replace live background is not available on this platform in this version of OpenLP. @@ -7346,25 +7517,25 @@ Please try selecting it individually. %s and %s Locale list separator: 2 items - + %s и %s %s, and %s Locale list separator: end - + %s, и %s %s, %s Locale list separator: middle - + %s, %s %s, %s Locale list separator: start - + %s, %s @@ -7378,50 +7549,50 @@ Please try selecting it individually. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Плагин Презентаций</strong><br />Плагин презентаций предоставляет возможность показывать презентации, используя разные программы. Выбор доступных программ презентаций доступен пользователю в выпадающем списке. - + Presentation name singular Презентация - + Presentations name plural Презентации - + Presentations container title Презентации - + Load a new presentation. Загрузить новую презентацию - + Delete the selected presentation. Удалить выбранную презентацию. - + Preview the selected presentation. Предпросмотр выбранной презентации. - + Send the selected presentation live. Показать выбранную презентацию на экране. - + Add the selected presentation to the service. Добавить выбранную презентацию в служение. @@ -7464,17 +7635,17 @@ Please try selecting it individually. Презентации (%s) - + Missing Presentation Не найдена презентация - + The presentation %s is incomplete, please reload. Презентация %s не закончена, пожалуйста обновите. - + The presentation %s no longer exists. Презентация %s больше не существует. @@ -7482,7 +7653,7 @@ Please try selecting it individually. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. @@ -7490,38 +7661,48 @@ Please try selecting it individually. PresentationPlugin.PresentationTab - + Available Controllers Доступные контроллеры - + %s (unavailable) %s (недоступно) - + Allow presentation application to be overridden Разрешить программе презентаций быть переопределенной - + PDF options - + Опции PDF - + Use given full path for mudraw or ghostscript binary: - + Использовать указанный полный путь к mudraw или Ghostscript исполняемым файлам: - + Select mudraw or ghostscript binary. + Выберите mudraw или ghostscript исполняемый файл. + + + + The program is not ghostscript or mudraw which is required. - - The program is not ghostscript or mudraw which is required. + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. @@ -7564,127 +7745,127 @@ Please try selecting it individually. RemotePlugin.Mobile - + Service Manager Менеджер служения - + Slide Controller Контроллер слайдов - + Alerts Оповещения - + Search Поиск - + Home Домой - + Refresh Обновить - + Blank Пустой - + Theme Тема - + Desktop Рабочий стол - + Show Показать - + Prev Предыдущий - + Next Следующий - + Text Текст - + Show Alert Показать оповещение - + Go Live Показать - + Add to Service Добавить в Служение - + Add &amp; Go to Service Добавить &amp; Перейти в служение - + No Results Нет результатов - + Options Опции - + Service Служение - + Slides Слайды - + Settings Параметры - + OpenLP 2.2 Remote - + OpenLP 2.2 Stage View - + OpenLP 2.2 Live View @@ -7770,85 +7951,85 @@ Please try selecting it individually. SongUsagePlugin - + &Song Usage Tracking &Отслеживание использования песен - + &Delete Tracking Data &Удалить данные отслеживания - + Delete song usage data up to a specified date. Удалить данные использования песен до указанной даты. - + &Extract Tracking Data &Извлечь данные использования - + Generate a report on song usage. Отчет по использованию песен. - + Toggle Tracking Переключить отслежение - + Toggle the tracking of song usage. Переключить отслеживание использования песен. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Плагин Использования песен</strong><br />Этот плагин отслеживает использование песен в служениях. - + SongUsage name singular Использование песен - + SongUsage name plural Использование песен - + SongUsage container title Использование песен - + Song Usage Использование песен - + Song usage tracking is active. Отслеживание использования песен выключено. - + Song usage tracking is inactive. Отслеживание использования песен включено. - + display экран - + printed напечатано @@ -7910,68 +8091,78 @@ All data recorded before this date will be permanently deleted. Расположение отчета - + Output File Location Расположение файла вывода - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Создание отчета - + Report %s has been successfully created. Отчет ⏎ %s ⏎ был успешно сформирован. - + Output Path Not Selected Путь вывода не указан - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + Произошла ошибка в процессе создания отчета: %s + SongsPlugin - + &Song &Песня - + Import songs using the import wizard. Импортировать песни используя мастер импорта. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Плагин Песен</strong><br />Плагин песен обеспечивает возможность отображения и управления песнями. - + &Re-index Songs &Переиндексировать песни - + Re-index the songs database to improve searching and ordering. Переиндексировать песни, чтобы улучшить поиск и сортировку. - + Reindexing songs... Индексация песен... @@ -8068,82 +8259,82 @@ The encoding is responsible for the correct character representation. Кодировка ответственна за корректное отображение символов. - + Song name singular Песня - + Songs name plural Песни - + Songs container title Песни - + Exports songs using the export wizard. Экспортировать песни используя мастер экспорта. - + Add a new song. Добавить новую песню. - + Edit the selected song. Редактировать выбранную песню. - + Delete the selected song. Удалить выбранную песню. - + Preview the selected song. Просмотреть выбранную песню. - + Send the selected song live. Показать выбранную песню на экране. - + Add the selected song to the service. Добавить выбранную песню в служение - + Reindexing songs Реиндексация песен - + CCLI SongSelect - + Import songs from CCLI's SongSelect service. - + Импорт песен из служения CCLI SongSelect. - + Find &Duplicate Songs - + Найти &Дубликаты Песен - + Find and remove duplicate songs in the song database. - + Найти и удалить дубликаты песен в базе данных песен. @@ -8152,25 +8343,25 @@ The encoding is responsible for the correct character representation. Words Author who wrote the lyrics of a song - + Слова Music Author who wrote the music of a song - + Музыка Words and Music Author who wrote both lyrics and music of a song - + Слова и Музыка Translation Author who translated the song - + Перевод @@ -8224,7 +8415,7 @@ The encoding is responsible for the correct character representation. Invalid DreamBeam song file. Missing DreamSong tag. - + Не верный файл песен DreamBeam. Пропущен DreamSong тэг. @@ -8237,7 +8428,7 @@ The encoding is responsible for the correct character representation. "%s" could not be imported. %s - + "%s" не может быть импортирована. %s @@ -8258,7 +8449,7 @@ The encoding is responsible for the correct character representation. This file does not exist. - + Этот файл не существует. @@ -8268,7 +8459,7 @@ The encoding is responsible for the correct character representation. This file is not a valid EasyWorship database. - + Файл не является правильной базой данных EasyWorship. @@ -8611,7 +8802,7 @@ Please enter the verses separated by spaces. Вы должны указать папку. - + Select Destination Folder Выберите целевую папку @@ -9019,15 +9210,20 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. Не удалось экспортировать песню - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Окончено экспортирование. Для импорта эти файлов используйте <strong>OpenLyrics</strong> импортер. + + + Your song export failed because this error occurred: %s + Экспорт вашей песни не удался из-за возникшей ошибки: %s + SongsPlugin.SongImport @@ -9170,12 +9366,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + CCLI SongSelect Импорт <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + <strong>Примечание:</strong> Подключение к Интернету требуется для того, чтобы импортировать песни из CCLI SongSelect. @@ -9190,17 +9386,17 @@ Please enter the verses separated by spaces. Save username and password - + Сохранение имени пользователя и пароля Login - + Вход Search Text: - + Поиск в тексте: @@ -9208,14 +9404,14 @@ Please enter the verses separated by spaces. Поиск - + Found %s song(s) - + Найдена %s песня(и) Logout - + Выход @@ -9230,7 +9426,7 @@ Please enter the verses separated by spaces. Author(s): - + Автор(ы): @@ -9240,17 +9436,17 @@ Please enter the verses separated by spaces. CCLI Number: - + Номер CCLI: Lyrics: - + Слова: Back - + Назад @@ -9260,7 +9456,7 @@ Please enter the verses separated by spaces. More than 1000 results - + Более чем 1000 совпадений @@ -9270,47 +9466,47 @@ Please enter the verses separated by spaces. Logging out... - + Выход - + Save Username and Password - + Сохранение имени пользователя и пароля - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + ВНИМАНИЕ: Сохранение ваше имя пользователя и пароль небезопасно, пароль хранится в виде обычного текста. Нажмите Да, чтобы сохранить свой пароль или Нет, чтобы отменить это. - + Error Logging In - + Ошибка авторизации - + There was a problem logging in, perhaps your username or password is incorrect? - + Был проблема входа в систему, может быть, ваше имя пользователя или пароль неверен? - + Song Imported - + Песня импортирована - - Your song has been imported, would you like to exit now, or import more songs? - + + Incomplete song + Неполная песня - - Import More Songs - + + This song is missing some information, like the lyrics, and cannot be imported. + В этой песне не хватает такой информации, такой стихи, и она не может быть импортирована. - - Exit Now - + + Your song has been imported, would you like to import more songs? + Ваша песня была импортирована, вы хотели бы еще импортировать песни? @@ -9343,7 +9539,7 @@ Please enter the verses separated by spaces. Display songbook in footer - + Показывать сборник песен в подвале @@ -9484,32 +9680,32 @@ Please enter the verses separated by spaces. Wizard - + Мастер This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. - + Этот мастер поможет вам удалить дубликаты песен из базы данных песни. Вы будете иметь возможность просмотреть все потенциальные дубликаты песни, прежде чем они будут удалены. Итак, песни не будут удаляться без вашего явного одобрения. Searching for duplicate songs. - + Поиск дубликатов песен. Please wait while your songs database is analyzed. - + Пожалуйста, подождите, пока Ваша база данных песни анализируется. Here you can decide which songs to remove and which ones to keep. - + Здесь вы можете решить, какие песни удалить, а какие оставить. Review duplicate songs (%s/%s) - + Обзор дублирующих песен (%s/%s) @@ -9519,7 +9715,7 @@ Please enter the verses separated by spaces. No duplicate songs have been found in the database. - + Дубликаты песен не были найдены в базе. diff --git a/resources/i18n/sk.ts b/resources/i18n/sk.ts index c930ba6aa..fe2693ff5 100644 --- a/resources/i18n/sk.ts +++ b/resources/i18n/sk.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Upozornenie - + Show an alert message. Zobraziť upozornenie. - + Alert name singular Upozornenie - + Alerts name plural Upozornenia - + Alerts container title Upozornenia - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Modul upozornení</strong><br />Modul upozornení umožňuje zobrazovat rôzne hlášky a upozornenia na zobrazovacej obrazovke. @@ -154,85 +154,85 @@ Pred kliknutím na Nový prosím zadajte nejaký text. BiblesPlugin - + &Bible &Biblia - + Bible name singular Biblia - + Bibles name plural Biblie - + Bibles container title Biblie - + No Book Found Kniha sa nenašla - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. V Bibli sa nenašla hľadaná kniha. Uistite sa, že názov knihy bol zadaný správne. - + Import a Bible. Import Biblie. - + Add a new Bible. Pridať novú Bibliu. - + Edit the selected Bible. Upraviť označenú Bibliu. - + Delete the selected Bible. Zmazať označenú Bibliu. - + Preview the selected Bible. Náhľad označenej Biblie. - + Send the selected Bible live. Zobraziť označenú Bibliu naživo. - + Add the selected Bible to the service. Pridať označenú Bibliu do služby. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Modul Biblia</strong><br />Modul Biblia umožňuje počay služby zobrazovať verše z rôznych zdrojov. - + &Upgrade older Bibles &Aktualizovať staršie Biblie - + Upgrade the Bible databases to the latest format. Aktualizovať databázu Biblie na najnovší formát. @@ -660,61 +660,61 @@ Pred kliknutím na Nový prosím zadajte nejaký text. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + verš verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + verše - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - do + do , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + a end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + koniec @@ -766,39 +766,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Chyba v odkaze Biblie - + Web Bible cannot be used Biblia z www sa nedá použiť - + Text Search is not available with Web Bibles. Hľadanie textu nie je dostupné v Biblii z www. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. - Nebolo zadané slovo pre vyhľadávaniu. + Nebolo zadané slovo pre vyhľadávanie. Na vyhľadávanie textu obsahujúceho všetky slová je potrebné tieto slová oddelit medzerou. Oddelením slov čiarkou sa bude vyhľadávať text obsahujúcí aspoň jedno zo zadaných slov. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Žiadne Biblie nie sú nainštalované. Na pridanie jednej alebo viac Biblii prosím použite Sprievodcu importom. - + No Bibles Available Žiadne Biblie k dispozícii. - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -931,7 +931,7 @@ výsledkoch vyhľadávania a pri zobrazení: Show verse numbers - Ukáž číslovanie slôh + Zobraziť číslovanie slôh @@ -988,14 +988,14 @@ výsledkoch vyhľadávania a pri zobrazení: BiblesPlugin.CSVBible - + Importing books... %s - Import kníh... %s + Importovanie kníh... %s - + Importing verses... done. - Import veršov... dokončené. + Importovanie veršov... dokončené. @@ -1071,38 +1071,38 @@ Nie je možné prispôsobiť názvy kníh. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrujem Bibliu a sťahujem knihy... - + Registering Language... - Registrujem Jazyk... + Registrujem jazyk... - + Importing %s... Importing <book name>... Importujem %s... - + Download Error Chyba pri sťahovaní - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Pri sťahovaní výberu veršov sa vyskytol problém. Prosím preverte svoje internetové pripojenie. Pokiaľ sa táto chyba stále objavuje, zvážte prosím nahlásenie chyby. - + Parse Error Chyba pri spracovaní - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Pri rozbalovaní výberu veršov sa vyskytol problém. Pokiaľ sa táto chyba stále objavuje, zvážte prosím nahlásenie chyby. @@ -1110,164 +1110,184 @@ Nie je možné prispôsobiť názvy kníh. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Sprievodca importom Biblie - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Tento sprievodca uľahčí import Biblií z rôzných formátov. Proces importu sa spustí klepnutím nižšie na tlačítko ďalší. Potom vyberte formát, z ktorého sa bude Biblia importovať. - + Web Download Stiahnutie z webu - + Location: Umiestnenie: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Biblia: - + Download Options Voľby sťahovania - + Server: Server: - + Username: Používateľské meno: - + Password: Heslo: - + Proxy Server (Optional) Proxy Server (Voliteľné) - + License Details Podrobnosti k licencii - + Set up the Bible's license details. Nastaviť podrobnosti k licencii Biblie - + Version name: Názov verzie - + Copyright: Autorské práva: - + Please wait while your Bible is imported. Prosím počkajte, kým sa Biblia importuje. - + You need to specify a file with books of the Bible to use in the import. Je potrebné určiť súbor s knihami Biblie. Tento súbor sa použije pri importe. - + You need to specify a file of Bible verses to import. Pre import je potrebné určiť súbor s veršami Biblie. - + You need to specify a version name for your Bible. Je nutné uviesť názov verzie Biblie. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. K Biblii je potrebné nastaviť autorské práva. Biblie v Public Domain je nutné takto označiť. - + Bible Exists Biblia existuje - + This Bible already exists. Please import a different Bible or first delete the existing one. Táto Biblia už existuje. Importujte prosím inú Bibliu alebo najskôr zmažte tú existujúcu. - + Your Bible import failed. Import Biblie sa nepodaril. - + CSV File CSV súbor - + Bibleserver Bibleserver - + Permissions: Povolenia: - + Bible file: Súbor s Bibliou: - + Books file: Súbor s knihami: - + Verses file: Súbor s veršami: - + Registering Bible... Registrujem Bibliu... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Registrovaná Biblia. Vezmite prosím na vedomie, že verše budú sťahované na vyžiadanie, preto je potrebné internetové pripojenie. + + + + Click to download bible list + Kliknite pre stiahnutie zoznamu Biblií + + + + Download bible list + Stiahnuť zoznam Biblií + + + + Error during download + Chyba počas sťahovania + + + + An error occurred while downloading the list of bibles from %s. + Vznikla chyba pri sťahovaní zoznamu Biblií z %s. @@ -1401,15 +1421,28 @@ You will need to re-import this Bible to use it again. Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - + Bol zadaný nesprávny typ súboru Biblie. Tento typ vyzerá ako Zefania XML biblia, prosím použite Zefania import. + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + Importovanie %(bookname)s %(chapter)s... BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - + Odstraňujem nepoužívané značky (bude to chvíľu trvať) ... + + + + Importing %(bookname)s %(chapter)s... + Importovanie %(bookname)s %(chapter)s... @@ -1560,73 +1593,81 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. - + Bol zadaný nesprávny typ súboru Biblie. Zefania Biblie môžu byť komprimované. Pred importom je nutné ich rozbaliť. + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + Importovanie %(bookname)s %(chapter)s... CustomPlugin - + Custom Slide name singular Vlastný snímok - + Custom Slides name plural Vlastné snímky - + Custom Slides container title Vlastné snímky - + Load a new custom slide. Načítaj nový vlastný snímok. - - - Import a custom slide. - Vlož vlastný snímok. - - - - Add a new custom slide. - Pridaj nový vlastný snímok. - - - - Edit the selected custom slide. - Uprav vybraný vlastný snímok. - - - - Delete the selected custom slide. - Zmaž vybraný vlastný snímok. - - Preview the selected custom slide. - Zobraz vybraný vlastný snímok. + Import a custom slide. + Import vlastného snímku. - Send the selected custom slide live. - Zobraz vybraný vlastný snímok naživo. + Add a new custom slide. + Pridať nový vlastný snímok. + Edit the selected custom slide. + Upraviť vybraný vlastný snímok. + + + + Delete the selected custom slide. + Zmazať vybraný vlastný snímok. + + + + Preview the selected custom slide. + Zobraziť vybraný vlastný snímok. + + + + Send the selected custom slide live. + Zobraziť vybraný vlastný snímok naživo. + + + Add the selected custom slide to the service. Pridaj vybraný vlastný snímok do služby - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Doplnok - vlastný snímok</strong><br />Vlastný snímok poskytuje možnosť nastaviť vlastné textové snímky, ktoré môžu byť zobrazené na obrazovke rovnako ako piesne . Tento modul poskytuje väčšie možnosti s modulmi piesní. @@ -1654,7 +1695,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit Custom Slides - Uprav vlastné snímky.. + Upraviť vlastné snímky @@ -1664,7 +1705,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add a new slide at bottom. - Pridaj nový snímok na spodok. + Pridať nový snímok na spodok. @@ -1723,7 +1764,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Ste si istý, že chcete zmazať %n vybraný užívateľský snímok? @@ -1735,60 +1776,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Modul obrázok</strong><br />Modul obrázok sa stará o zobrazovanie obrázkov.<br />Jednou z charakteristických funkcí tohto modulu je schopnosť v správcovi služby zoskúpiť niekoľko obrázkov dohromady. Táto vlastnosť zjednodušuje zobrazenie viacero obrázkov. Tento modul tiež využívá vlastnosti "časová smyčka" aplikace OpenLP a je tiež možné vytvoriť prezentáciu obrázkov, které pobežia samostatne. Taktiež využitím obrázkov z modulu je možné prekryť pozadie súčasného motívu. - + Image name singular Obrázok - + Images name plural Obrázky - + Images container title Obrázky - + Load a new image. Načítať nový obrázok. - + Add a new image. Pridať nový obrázok. - + Edit the selected image. Upraviť vybraný obrázok. - + Delete the selected image. Zmazať vybraný obrázok. - + Preview the selected image. Náhľad vybraného obrázku. - + Send the selected image live. Zobraziť vybraný obrázok naživo. - + Add the selected image to the service. Pridať vybraný obrázok do služby. @@ -1798,7 +1839,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add group - Pridaj skupinu + Pridať skupinu @@ -1816,12 +1857,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Musíte napísať názov skupiny. - + Could not add the new group. Nie je možné pridať novú skupinu. - + This group already exists. Skupina už existuje. @@ -1831,12 +1872,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Select Image Group - Vyber skupinu obrázkov + Vybrať skupinu obrázkov Add images to group: - Pridaj obrázky do skupiny: + Pridať obrázky do skupiny: @@ -1870,54 +1911,54 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Vybrať obrázky - + You must select an image to replace the background with. Pre nahradenie pozadia musíte najskôr vybrať obrázok. - + Missing Image(s) Chýbajúce obrázky - + The following image(s) no longer exist: %s - Tieto obrázky už neexistujú: %s + Nasledujúce obrázky už neexistujú: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Nasledujúci obrázok(y) neexistujú.%s Chcete pridať ďaľšie obrázky? - + There was a problem replacing your background, the image file "%s" no longer exists. Problém s nahradením pozadia. Obrázok "%s" už neexistuje. - + There was no display item to amend. Žiadna položka na zobrazenie nebola zmenená. -- Top-level group -- - -- Najvyššia úroveň -- + -- Najvyššia skupina -- - + You must select an image or group to delete. Musíte vybrať obrázok alebo skupinu na zmazanie. - + Remove group Odobrať skupinu - + Are you sure you want to remove "%s" and everything in it? Ste si istý, že chcete zmazať "%s" a všetko v tom? @@ -1938,22 +1979,22 @@ Chcete pridať ďaľšie obrázky? Phonon je multimediálny prehrávač, ktorý spolupracuje s operačným systémom na prehrávanie multimédií. - + Audio Zvuk - + Video Video - + VLC is an external player which supports a number of different formats. VLC je externý prehrávač s podporou prehrávania rôznych súborov. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit je prehrávač, ktorý beží vo webovom prehliadači. Tento prehrávač vie prehrávať texty v obraze. @@ -1961,60 +2002,60 @@ Chcete pridať ďaľšie obrázky? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Modul média</strong><br />Modul média umožňuje prehrávať audio a video. - + Media name singular Média - + Media name plural Média - + Media container title Média - + Load new media. Načítať nové médium. - + Add new media. Pridať nové médium. - + Edit the selected media. Upraviť vybrané médium. - + Delete the selected media. Zmazať vybrané médium. - + Preview the selected media. Náhľad vybraného média. - + Send the selected media live. Zobraziť vybrané médium naživo. - + Add the selected media to the service. Pridať vybrané médium do služby. @@ -2024,32 +2065,32 @@ Chcete pridať ďaľšie obrázky? Select Media Clip - + Vybrať médium Source - + Zdroj Media path: - + Cesta k médiu: Select drive from list - + Vyber zariadenie zo zoznamu Load disc - + Načítať disk Track Details - + Podrobnosti stopy @@ -2059,52 +2100,52 @@ Chcete pridať ďaľšie obrázky? Audio track: - + Zvuková stopa: Subtitle track: - + Titulky: HH:mm:ss.z - + HH:mm:ss.z Clip Range - + Rozsah klipu Start point: - + Štartovacia značka: Set start point - + Nastaviť štartovaciu značku Jump to start point - + Skok na štartovaciu značku End point: - + Koncová značka: Set end point - + Nastaviť koncovú značku Jump to end point - + Skok na koncovú značku @@ -2112,67 +2153,67 @@ Chcete pridať ďaľšie obrázky? No path was given - + Nebola zadaná žiadna cesta Given path does not exists - + Zadaná cesta neexistuje An error happened during initialization of VLC player - + Vyskytla sa chyba počas inicializácie VLC prehrávača VLC player failed playing the media - + VLC player zlyhal pri prehrávaní média CD not loaded correctly - + CD sa nepodarilo prečítať The CD was not loaded correctly, please re-load and try again. - + CD sa nepodarilo prečítať, pokúste sa vložiť disk a skúste nahrať ešte raz. DVD not loaded correctly - + DVD sa nepodarilo prečítať The DVD was not loaded correctly, please re-load and try again. - + DVD sa nepodarilo prečítať, pokúste sa vložiť disk a skúste nahrať ešte raz. Set name of mediaclip - + Nastav názov médiu Name of mediaclip: - + Názov média Enter a valid name or cancel - + Vložte platný názov alebo zrušte Invalid character - + Neplatný znak The name of the mediaclip must not contain the character ":" - + Názov média nemôže obsahovať ":" @@ -2183,37 +2224,37 @@ Chcete pridať ďaľšie obrázky? Vybrať médium - + You must select a media file to delete. Pre zmazanie musíte najskôr vybrať súbor s médiom. - + You must select a media file to replace the background with. Pre nahradenie pozadia musíte najskôr vybrať súbor s médiom. - + There was a problem replacing your background, the media file "%s" no longer exists. Problém s nahradením pozadia. Súbor s médiom "%s" už neexistuje. - + Missing Media File Chybajúce súbory s médiami - + The file %s no longer exists. Súbor %s už neexistuje. - + Videos (%s);;Audio (%s);;%s (*) Video (%s);;Zvuk (%s);;%s (*) - + There was no display item to amend. Žiadna položka na zobrazenie nebola zmenená. @@ -2223,44 +2264,44 @@ Chcete pridať ďaľšie obrázky? Nepodporovaný súbor - + Use Player: - Použi prehrávač: + Použiť prehrávač: VLC player required - + Požadovaný VLC prehrávač VLC player required for playback of optical devices - + Na prehrávanie optických diskov je potrebný VLC prehrávač - + Load CD/DVD - + Nahrať CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled - + Nahrať CD/DVD - podporované iba s nainštalovaným VLC prehrávačom - + The optical disc %s is no longer available. - + Optický disk %s už nie je k dispozícii. - + Mediaclip already saved - + Klip už uložený - + This mediaclip has already been saved - + Klip už bol uložený @@ -2273,7 +2314,7 @@ Chcete pridať ďaľšie obrázky? Start Live items automatically - Automaticky spusti prehrávanie položky naživo + Automaticky spustiť prehrávanie položky Naživo @@ -2281,23 +2322,23 @@ Chcete pridať ďaľšie obrázky? &Projector Manager - + Správca &projektorov OpenLP - + Image Files Súbory obrázkov - + Information Informácie - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -2308,27 +2349,27 @@ Má OpenLP upgradovať teraz? Backup - + Záloha OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - + Bola nainštalovaná nová verzia OpenLP, chcete vytvoriť zálohu dátového priečinka OpenLP? Backup of the data folder failed! - + Záloha dátového priečinku zlyhala! A backup of the data folder has been created at %s - + Záloha dátoveho priečinku bola vytvorená v %s Open - + Otvoriť @@ -2464,13 +2505,88 @@ Final Credit on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + Vedenie projektu +%s + +Vývojári +%s + +Prispievatelia +%s + +Testeri +%s + +Baliči +%s + +Prekladatelia +afrikánčina (af) +%s +čeština (cs) +%s +dánčina (da) +%s +nemčina (de) +%s +gréčtina (el) +%s +angličtina, Veľká Británia (en_GB) +%s +angličtina, Južná Afrika (en_ZA) +%s +španielčina (es) +%s +estónčina (et) +%s +fínština (fi) +%s +francúzština (fr) +%s +maďarčina (hu) +%s +Indonéština (id) +%s +japončina (ja) +%s +nórčina (nb) +%s +holandčina (nl) +%s +poľština (pl) +%s +portugalčina, Brazília (pt_BR) +%s +ruština (ru) +%s +švédčina (sv) +%s +Tamil(Sri-Lanka) (ta_LK) +%s +Čínština (Čina) (zh_CN) +%s + +Dokumentácia +%s + +Vytvorené s pomocou +Python: http://www.python.org/ +Qt4: http://qt.io +PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro +Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ +MuPDF: http://www.mupdf.com/ + +Hlavné zásluhy +"Veď Boh tak miloval svet, že dal svojho jednorodeného Syna, aby nezahynul nik, kto v neho verí, ale aby mal večný život." -- Ján 3:16 + +V neposlednej rade, hlavné zásluhy patria Bohu, nášmu Otcovi, že poslal Svojho Syna zomrieť na kríži, aby nás oslobodil od hriechu. Prinášame túto aplikáciu zdarma, pretože On nás učinil slobodnými. Copyright © 2004-2015 %s Portions copyright © 2004-2015 %s - + Autorské práva © 2004-2015 %s +Čiastočné autorská práva © 2004-2015 %s @@ -2483,17 +2599,17 @@ Portions copyright © 2004-2015 %s Number of recent files to display: - Počet zobrazených posledných súborov: + Počet zobrazených nedávnych súborov: Remember active media manager tab on startup - Zapamätať si karty akívneho manažéra médií pri spustení + Zapamätať si akívnu kartu správcu médií pri spustení Double-click to send items straight to live - Dvakrát klikni pre zobrazenie položiek naživo + Dvojklik pre zobrazenie položiek Naživo @@ -2518,7 +2634,7 @@ Portions copyright © 2004-2015 %s Default Image - Pôvodný obrázok + Východzí obrázok @@ -2538,7 +2654,7 @@ Portions copyright © 2004-2015 %s Advanced - Pokročilý + Pokročilé @@ -2618,7 +2734,7 @@ Portions copyright © 2004-2015 %s Consult the OpenLP manual for usage. - Obráťte sa na OpenLP manuál pre použitie. + Pre použitie sa obráťte na OpenLP manuál. @@ -2628,12 +2744,12 @@ Portions copyright © 2004-2015 %s Example: - Napríklad: + Príklad: Bypass X11 Window Manager - Obísť sprívcu okien X11 + Obísť správcu okien X11 @@ -2805,7 +2921,7 @@ ktoré ste vybrali zrejme obsahuje dátové súbory aplikácie OpenLP. Prajete s Click to select a color. - Klikni pre vybratie farby. + Kliknúť pre výber farby. @@ -2813,7 +2929,7 @@ ktoré ste vybrali zrejme obsahuje dátové súbory aplikácie OpenLP. Prajete s RGB - + RGB @@ -2823,242 +2939,242 @@ ktoré ste vybrali zrejme obsahuje dátové súbory aplikácie OpenLP. Prajete s Digital - + Digitálne Storage - + Úložisko Network - + Sieť RGB 1 - + RGB 1 RGB 2 - + RGB 2 RGB 3 - + RGB 3 RGB 4 - + RGB 4 RGB 5 - + RGB 5 RGB 6 - + RGB 6 RGB 7 - + RGB 7 RGB 8 - + RGB 8 RGB 9 - + RGB 9 Video 1 - + Video 1 Video 2 - + Video 2 Video 3 - + Video 3 Video 4 - + Video 4 Video 5 - + Video 5 Video 6 - + Video 6 Video 7 - + Video 7 Video 8 - + Video 8 Video 9 - + Video 9 Digital 1 - + Digitálne 1 Digital 2 - + Digitálne 2 Digital 3 - + Digitálne 3 Digital 4 - + Digitálne 4 Digital 5 - + Digitálne 5 Digital 6 - + Digitálne 6 Digital 7 - + Digitálne 7 Digital 8 - + Digitálne 8 Digital 9 - + Digitálne 9 Storage 1 - + Úložisko 1 Storage 2 - + Úložisko 2 Storage 3 - + Úložisko 3 Storage 4 - + Úložisko 4 Storage 5 - + Úložisko 5 Storage 6 - + Úložisko 6 Storage 7 - + Úložisko 7 Storage 8 - + Úložisko 8 Storage 9 - + Úložisko 9 Network 1 - + Sieť 1 Network 2 - + Sieť 2 Network 3 - + Sieť 3 Network 4 - + Sieť 4 Network 5 - + Sieť 5 Network 6 - + Sieť 6 Network 7 - + Sieť 7 Network 8 - + Sieť 8 Network 9 - + Sieť 9 @@ -3071,7 +3187,7 @@ ktoré ste vybrali zrejme obsahuje dátové súbory aplikácie OpenLP. Prajete s Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - Ups! V OpenLP sa vyskytol problém a nemohol sa obnoviť. Text v poli nižšie obsahuje informácie, ktoré by mohli byť užitočné pre OpenLP vývojárov, takže prosím pošlite e-mail na bugs@openlp.org spolu s podrobným popisom toho, čo ste robili, keď sa problém vyskytol. + Ups! V aplikácii OpenLP sa vyskytol problém a nemohla sa obnoviť. Text v poli nižšie obsahuje informácie, ktoré by mohli byť užitočné pre OpenLP vývojárov, takže prosím pošlite e-mail na bugs@openlp.org spolu s podrobným popisom toho, čo ste robili, keď sa problém vyskytol. @@ -3186,7 +3302,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename Premenovať súboru @@ -3196,7 +3312,7 @@ Version: %s Nový názov súboru: - + File Copy Kopírovať súbor @@ -3222,167 +3338,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Piesne - + First Time Wizard - Sprievodca prvým použitím + Sprievodca prvým spustením - + Welcome to the First Time Wizard - Vitajte v sprievodcovi prvým použitím + Vitajte v sprievodcovi prvým sputením - + Activate required Plugins Aktivácia požadovaných pluginov - + Select the Plugins you wish to use. Vyberte pluginy, ktoré chcete použiť. - + Bible Biblia - + Images Obrázky - + Presentations Prezentácie - + Media (Audio and Video) Médiá (Zvuk a Video) - + Allow remote access Povolenie vzdialeného prístupu - + Monitor Song Usage - Monitorovanie použitia piesní + Sledovanie použitia piesní - + Allow Alerts - Povolenie upozornení + Povoliť upozornenia - + Default Settings Pôvodné nastavenia. - + Downloading %s... Sťahovanie %s... - + Enabling selected plugins... - Povoľovanie vybratých pluginov... + Povoľujem vybraté pluginy... - + No Internet Connection Žiadne internetové pripojenie - + Unable to detect an Internet connection. Nedá sa zistiť internetové pripojenie. - + Sample Songs Ukážkové piesne - + Select and download public domain songs. Vybrať a stiahnuť verejne dostupné piesne. - + Sample Bibles Ukážkové Biblie. - + Select and download free Bibles. Vybrať a stiahnuť voľne dostupné Biblie. - + Sample Themes Ukážkové témy - + Select and download sample themes. Vybrať a stiahnuť ukážkové témy. - + Set up default settings to be used by OpenLP. Nastaviť pôvodné nastavenia použité v OpenLP - + Default output display: Pôvodné výstupné zobrazenie: - + Select default theme: Vyber základnú tému. - + Starting configuration process... - Začínanie konfiguračného procesu... + Štartovanie konfiguračného procesu... - + Setting Up And Downloading - Nastavuje sa a sťahuje. + Nastavovanie a sťahovanie - + Please wait while OpenLP is set up and your data is downloaded. Čakajte prosím, pokiaľ bude aplikácia OpenLP nastavená a dáta stiahnuté. - + Setting Up - Nastavuje sa. + Nastavovanie - + Custom Slides Vlastné snímky - + Finish Koniec - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3391,86 +3507,98 @@ To re-run the First Time Wizard and import this sample data at a later time, che Ak chcete znovu spustiť sprievodcu a importovať tieto vzorové dáta na neskoršiu dobru, skontrolujte svoje internetové pripojenie a znovu spustite tohto sprievodcu výberom "Nastavenia/ Znovu spustiť sprievodcu prvým spustením" z OpenLP. - + Download Error Chyba pri sťahovaní - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Vyskytol sa problém s pripojením počas sťahovania, ďalšie sťahovanie bude preskočené. Pokúste sa znovu sputiť Sprievodcu po prvom spustení. - + Download complete. Click the %s button to return to OpenLP. - + Sťahovanie dokončené. Kliknutím na tlačítko %s sa vrátite do aplikácie OpenLP. - + Download complete. Click the %s button to start OpenLP. - + Sťahovanie dokončené. Kliknutím na tlačítko %s spustíte aplikáciu OpenLP. - + Click the %s button to return to OpenLP. - + Kliknutím na tlačítko %s sa vrátite do aplikácie OpenLP. - + Click the %s button to start OpenLP. - + Kliknutím na tlačítko %s spustíte aplikáciu OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Vyskytol sa problém s pripojením počas sťahovania, ďalšie sťahovanie bude preskočené. Pokúste sa znovu sputiť Sprievodcu po prvom spustení. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + Tento sprievodca vám pomôže nakonfigurovať OpenLP pre prvotné použitie. Pre štart kliknite na tlačitko %s. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + + +Ak chcete úplne zrušiť sprievodcu prvým spustením (a nespustiť OpenLP), kliknite na tlačítko %s. - + Downloading Resource Index - - - - - Please wait while the resource index is downloaded. - + Sťahujem zdrojový index + Please wait while the resource index is downloaded. + Čakajte prosím, až bude stiahnutý zdrojový index. + + + Please wait while OpenLP downloads the resource index file... - + Čakajte prosím, pokiaľ aplikácia OpenLP stiahne zdrojový index... - + Downloading and Configuring - + Sťahovanie a nastavovanie - + Please wait while resources are downloaded and OpenLP is configured. - + Počkajte prosím až budú stiahnuté všetky zdroje a aplikácia OpenLP bude nakonfigurovaná. - + Network Error - + Chyba siete - + There was a network error attempting to connect to retrieve initial configuration information - + Pri pokuse o získanie počiatočného nastavenia vznikla chyba siete + + + + Cancel + Zrušiť + + + + Unable to download some files + Niektoré súbory nie je možné stiahnuť @@ -3541,7 +3669,17 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. - + Popis %s je už definovaný. + + + + Start tag %s is not valid HTML + Začiatočná značka %s nie je platná značka HTML + + + + End tag %s does not match end tag for start tag %s + Koncová značka %s nezodpovedá uzatváracej značke k značke %s @@ -3747,7 +3885,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Start background audio paused - Spustiť zvuk na pozadí a pozastav + Spustiť zvuk na pozadí pozastavený @@ -3762,7 +3900,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Repeat track list - Opakovať zoznam stôp. + Opakovať zoznam stôp @@ -3782,7 +3920,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Move to next/previous service item - &Presun na nasledujúcu/predchádzajúcu položku v službe + &Presuň na nasledujúcu/predchádzajúcu položku v službe @@ -3801,7 +3939,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Zobrazenie OpenLP @@ -3841,7 +3979,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Settings - &Nastavenia + Nas&tavenia @@ -3986,17 +4124,17 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Live Panel - @Panel naživo + &Panel Naživo Toggle Live Panel - Prepnúť panel naživo + Prepnúť panel Naživo Toggle the visibility of the live panel. - Prepnúť viditeľnosť panelu naživo. + Prepnúť viditeľnosť panelu Naživo. @@ -4066,7 +4204,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Setup - &Nastavenie + &Náhľad @@ -4108,7 +4246,7 @@ Najnovšiu verziu si môžte stiahnuť z http://openlp.org/. Hlavné zobrazenie je vymazané. - + Default Theme: %s Predvolený motív: %s @@ -4116,20 +4254,20 @@ Najnovšiu verziu si môžte stiahnuť z http://openlp.org/. English Please add the name of your language here - Angličtina + Slovenčina Configure &Shortcuts... - Nastavujú sa &skratky... + Klávesové &skratky... - + Close OpenLP Zatvoriť OpenLP - + Are you sure you want to close OpenLP? Chcete naozaj zatvoriť aplikáciu OpenLP? @@ -4151,7 +4289,7 @@ Najnovšiu verziu si môžte stiahnuť z http://openlp.org/. Update Theme Images - Aktualizovať obrázky motívu + Aktualizovať obrázky motívov @@ -4203,13 +4341,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and Znovu spustením tohto sprievodcu môže dojsť k zmenám aktuálneho nastavenia aplikácie OpenLP a pravdepodobne budú pridané piesne k existujúcemu zoznamu a zmenený predvolený motív. - + Clear List Clear List of recent files Vyprádzniť zoznam - + Clear the list of recent files. Vyprázdniť zoznam nedávnych súborov. @@ -4269,17 +4407,17 @@ Znovu spustením tohto sprievodcu môže dojsť k zmenám aktuálneho nastavenia Súbor exportovaného nastavenia OpenLP (*.conf) - + New Data Directory Error Chyba nového dátového priečinka - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Kopírovanie OpenLP dát do nového umiestnenia dátového priečinka - %s - Počkajte prosím na dokokončenie kopírovania. - + OpenLP Data directory copy failed %s @@ -4298,7 +4436,7 @@ Znovu spustením tohto sprievodcu môže dojsť k zmenám aktuálneho nastavenia Jump to the search box of the current active plugin. - Skoč na vyhľadávacie pole aktuálneho aktívneho pluginu. + Skočiť na vyhľadávacie pole aktuálneho aktívneho pluginu. @@ -4325,38 +4463,43 @@ Proces bude ukončený a žiadne zmeny sa neuložia. Projector Manager - + Správca &projektora Toggle Projector Manager - + Prepnúť správcu projektora Toggle the visibility of the Projector Manager - + Prepnúť viditeľnosť správcu projektora - + Export setting error - + Chyba exportu nastavenia The key "%s" does not have a default value so it will be skipped in this export. - + Kľúč "%s" nemá východziu hodnotu a preto bude pri tomto exporte preskočený. + + + + An error occurred while exporting the settings: %s + Vyskytla sa chyba pri exporte nastavení: %s OpenLP.Manager - + Database Error Chyba databázy - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4365,7 +4508,7 @@ Database: %s Databáza: %s - + OpenLP cannot load your database. Database: %s @@ -4435,7 +4578,8 @@ Databáza: %s Invalid File %s. Suffix not supported - Nepltný súbor %s. Prípona nieje podporována. + Nepltný súbor %s. +Prípona nie je podporovaná @@ -4443,7 +4587,7 @@ Suffix not supported &Klonovať - + Duplicate files were found on import and were ignored. Pri importe boli nájdené duplicitné súbory, ktoré boli ignorované. @@ -4466,22 +4610,22 @@ Suffix not supported Unknown status - + Neznámy stav No message - + Žiadna správa Error while sending data to projector - + Chyba pri posielaní dát do projetora Undefined command: - + Nedefinovaný príkaz: @@ -4651,257 +4795,257 @@ Suffix not supported OK - + OK General projector error - + Všeobecná chyba projektora Not connected error - + Chyba pripojenia Lamp error - + Chyba lampy Fan error - + Chyba ventilátora High temperature detected - + Zistená vysoká teplota Cover open detected - + Zistený otvorený kryt Check filter - + Kontrola filtra Authentication Error - + Chyba prihlásenia Undefined Command - + Nedefinovaný príkaz Invalid Parameter - + Chybný parameter Projector Busy - + Projektor zaneprázdnený Projector/Display Error - + Chyba projektora/zobrazenia Invalid packet received - + Prijatý neplatný paket Warning condition detected - + Zistený varovný stav Error condition detected - + Zistený chybový stav PJLink class not supported - + PJLink trieda nepodporovaná Invalid prefix character - + Neplatný znak prípony The connection was refused by the peer (or timed out) - + Spojenie odmietnuté druhou stranou (alebo vypršal čas) The remote host closed the connection - + Vzdialené zariadenie ukončilo spojenie The host address was not found - + Adresa zariadenia nebola nájdená The socket operation failed because the application lacked the required privileges - + Operácia soketu zlyhala pretože aplikácia nema potrebné oprávnenia The local system ran out of resources (e.g., too many sockets) - + Váš operačný systém nemá dostatok prostriedkov (napr. príliš veľa soketov) The socket operation timed out - + Operácia soketu vypršala The datagram was larger than the operating system's limit - + Datagram bol väčší ako limity operačného systému An error occurred with the network (Possibly someone pulled the plug?) - + Vznikla chyba v sieti (Možno niekto vytiahol zástrčku) The address specified with socket.bind() is already in use and was set to be exclusive - + Špecifikovaná adresa pre socket.bind() sa už používa a bola nastavena na výhradný režim The address specified to socket.bind() does not belong to the host - + Špecifikovaná adresa pre socket.bind() nepatrí zariadeniu The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) - + Požadovaná operácia soketu nie je podporovaná vašim operačným systémom (napr. chýbajúca podpora IPv6) The socket is using a proxy, and the proxy requires authentication - + Soket používa proxy server a ten požaduje overenie The SSL/TLS handshake failed - + Zlyhala kominikácia SSL/TLS The last operation attempted has not finished yet (still in progress in the background) - + Posledný pokus operácie stále prebieha (stále prebieha na pozadí) Could not contact the proxy server because the connection to that server was denied - + Spojenie s proxy serverom zlyhalo pretože spojenie k tomuto serveru bolo odmietnuté The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) - + Spojenie s proxy serverom bolo nečakane uzavreté (predtým než bolo vytvorené spojenie s druhou stranou) The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. - + Spojenie s proxy serverom vypršalo alebo proxy server prestal odpovedať počas overovacej fázy The proxy address set with setProxy() was not found - - - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - + Adresa proxy servera nastavená v setProxy() nebola nájdená An unidentified error occurred - + Vznikla neidentifikovateľná chyba Not connected - + Nepripojený Connecting - + Pripájam Connected - + Pripojený Getting status - + Zisťujem stav Off - + Vypnutý Initialize in progress - + Prebieha inicializácia Power in standby - + Úsporný režim Warmup in progress - + Prebieha zahrievanie Power is on - + Napájanie je zapnuté Cooldown in progress - + Prebieha ochladzovanie Projector Information available - + Informácie o projektore k dispozícii Sending data - + Posielam data Received data - + Prijímam data + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + Vytvorenie spojenia s proxy serverom zlyhalo pretože sa nepodarilo porozumiet odpovede z proxy servera @@ -4909,17 +5053,17 @@ Suffix not supported Name Not Set - + Názov nenastavený You must enter a name for this entry.<br />Please enter a new name for this entry. - + Musíte zadať názov pre položku.<br />Pros9m zadajte nový názov pre položku. Duplicate Name - + Duplicitný názov @@ -4927,37 +5071,37 @@ Suffix not supported Add New Projector - + Pridať nový projektor Edit Projector - + Upraviť projektor IP Address - + IP adresa Port Number - + Číslo portu PIN - + PIN Name - + Názov Location - + Umiestnenie @@ -4972,7 +5116,7 @@ Suffix not supported There was an error saving projector information. See the log for the error - + Vznikla chyba pri ukladaní informacií o projektore. Viac o chybe v logovacom súbore. @@ -4980,162 +5124,162 @@ Suffix not supported Add Projector - + Pridať projektor Add a new projector - + Pridať nový projektor Edit Projector - + Upraviť projektor Edit selected projector - + Upraviť vybraný projektor Delete Projector - + Zmazať projektor Delete selected projector - + Zmazať vybraný projektor Select Input Source - + Vybrať zdroj vstupu Choose input source on selected projector - + Vybrať zdroj vstupu u vybraného projektoru View Projector - + Zobraziť projektor View selected projector information - + Zobraziť informácie k vybranému projektoru Connect to selected projector - + Pripojiť sa k vybranému projektoru Connect to selected projectors - + Pripojiť sa k vybraným projektorom Disconnect from selected projectors - + Odpojiť sa od vybraných projektorov Disconnect from selected projector - + Odpojiť sa od vybraného projektoru Power on selected projector - + Zapnúť vybraný projektor Standby selected projector - + Úsporný režim pre vybraný projektor Put selected projector in standby - + Prepne vybraný projektor do úsporného režimu Blank selected projector screen - + Prázdna obrazovka na vybranom projektore Show selected projector screen - + Zobraziť obrazovku na vybranom projektore &View Projector Information - + &Zobraziť informácie o projektore &Edit Projector - + &Upraviť projektor &Connect Projector - + &Pripojiť projektor D&isconnect Projector - + &Odpojiť projektor Power &On Projector - + Z&apnúť projektor Power O&ff Projector - + &Vypnúť projektor Select &Input - + Vybrať vst&up Edit Input Source - + Upraviť zdroj vstupu &Blank Projector Screen - + &Prázdna obrazovka na projektore &Show Projector Screen - + Zobraziť &obrazovku na projektore &Delete Projector - + &Zmazať projektor Name - + Názov IP - + IP @@ -5150,92 +5294,92 @@ Suffix not supported Projector information not available at this time. - + Informácie o projektore nie sú teraz dostupné. Projector Name - + Názov projektora Manufacturer - + Výrobca Model - + Model Other info - + Ostatné informácie Power status - + Stav napájania Shutter is - + Clona je Closed - + Zavretá Current source input is - + Aktuálnym zdrojom vstupu je Lamp - + Lampa On - + Zapnuté Off - + Vypnuté Hours - + Hodín No current errors or warnings - + Momentálne nie sú žiadne chyby alebo varovania Current errors/warnings - + Aktuálne chyby/varovania Projector Information - + Informácie o projektore No message - + Žiadna správa Not Implemented Yet - + Ešte nie je implementované @@ -5243,27 +5387,27 @@ Suffix not supported Fan - + Ventilátor Lamp - + Lampa Temperature - + Teplota Cover - + Kryt Filter - + Filter @@ -5276,37 +5420,37 @@ Suffix not supported Projector - + Projektor Communication Options - + Možnosti komunikácie Connect to projectors on startup - + Pripojiť sa k projektorom pri štarte Socket timeout (seconds) - + Časový limit soketu (sekundy) Poll time (seconds) - + Čas vyhľadávania (sekundy) Tabbed dialog box - + Dialogové okno s panelmi Single dialog box - + Samostané dialogové okno @@ -5314,17 +5458,17 @@ Suffix not supported Duplicate IP Address - + Duplicitná IP adresa Invalid IP Address - + Neplatná IP adresa Invalid Port Number - + Neplatné číslo portu @@ -5355,7 +5499,7 @@ Suffix not supported [slide %d] - + [snímok %d] @@ -5371,12 +5515,12 @@ Suffix not supported Move to &top - Presun na &začiatok + Presuň na &začiatok Move item to the top of the service. - Presun položky do hornej časti služby. + Presuň položku do hornej časti služby. @@ -5386,7 +5530,7 @@ Suffix not supported Move item up one position in the service. - Presun položky nahor o jednu pozíciu v službe. + Presuň položku nahor o jednu pozíciu v službe. @@ -5396,7 +5540,7 @@ Suffix not supported Move item down one position in the service. - Presun položky nadol o jednu pozíciu v službe. + Presuň položku nadol o jednu pozíciu v službe. @@ -5406,7 +5550,7 @@ Suffix not supported Move item to the end of the service. - Presun položky v službe na koniec. + Presuň položku v službe na koniec. @@ -5449,22 +5593,22 @@ Suffix not supported &Zmeniť motív položky - + File is not a valid service. - Súbor nie je platná služba. + Súbor nemá formát služby. - + Missing Display Handler Chýba manažér zobrazenia - + Your item cannot be displayed as there is no handler to display it Položku nie je možné zobraziť, pretože chýba manažér pre jej zobrazenie - + Your item cannot be displayed as the plugin required to display it is missing or inactive Položku nie je možné zobraziť, pretože modul potrebný k zobrazeniu chýba alebo je neaktívny @@ -5496,7 +5640,7 @@ Suffix not supported Moves the selection down the window. - Presunúť výber v rámci okna nadol. + Presuň výberu v rámci okna nadol. @@ -5506,17 +5650,17 @@ Suffix not supported Moves the selection up the window. - Presunie výber vrámci okna nahor. + Presuň výberu v rámci okna nahor. Go Live - Zobraziť naživo + Zobraziť Naživo Send the selected item to Live. - Odoslať vybranú položku naživo. + Odoslať vybranú položku Naživo. @@ -5544,12 +5688,12 @@ Suffix not supported Používateľské poznámky služby: - + Notes: Poznámky: - + Playing time: Čas prehrávania: @@ -5559,22 +5703,22 @@ Suffix not supported Nepomenovaná služba - + File could not be opened because it is corrupt. Súbor sa nepodarilo otvoriť, pretože je poškodený. - + Empty File Prádzny súbor - + This service file does not contain any data. Tento súbor služby neobsahuje žiadne dáta. - + Corrupt File Poškodený súbor @@ -5594,50 +5738,39 @@ Suffix not supported Vybrať motív pre službu. - + Slide theme Motív snímku - + Notes Poznámky - + Edit Upraviť - + Service copy only Kopírovať len službu - + Error Saving File Chyba pri ukladaní súboru. - + There was an error saving your file. Chyba pri ukladaní súboru. Service File(s) Missing - Chýbajúci súbor (y) služby - - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - Nasledujúci súbor (y) v službe chýba: -<byte value="x9"/>%s. - -Tieto súbory budú vymazané, ak službu uložíte. + Chýbajúci súbor(y) služby @@ -5665,7 +5798,7 @@ Tieto súbory budú vymazané, ak službu uložíte. Automaticky prehrať snímok opakovane &Raz - + &Delay between slides Oneskorenie &Medzi snímkami @@ -5675,64 +5808,78 @@ Tieto súbory budú vymazané, ak službu uložíte. OpenLP súbory služby (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP súbory služby (*.osz);; OpenLP súbory služby - malé (*.oszl);; - + OpenLP Service Files (*.osz);; OpenLP súbory služby (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Súbor nie je platný súbor služby. Obsah súboru nie je v kódovaní UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. Tento súbor služby je v starom formáte. Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. - + This file is either corrupt or it is not an OpenLP 2 service file. Tento súbor je buď poškodený alebo nie je súbor služby OpenLP 2. - + &Auto Start - inactive &Auto štart - neaktívny - + &Auto Start - active &Auto štart - aktívny - + Input delay Oneskorenie vstupu - + Delay between slides in seconds. Oneskorenie medzi snímkami v sekundách. - + Rename item title Premenovať nadpis položky - + Title: Nadpis: + + + An error occurred while writing the service file: %s + Vyskytla sa chyba pri zápise súboru služby: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + Nasledujúci súbor(y) v službe chýba: %s + +Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. + OpenLP.ServiceNoteForm @@ -5863,12 +6010,12 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Move to previous. - Presun na predchádzajúcu + Predchádzajúci Move to next. - Presun na nasledujúcu + Nasledujúci @@ -5883,7 +6030,7 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Move to live. - Presun naživo. + Naživo @@ -5994,49 +6141,44 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. OpenLP.SourceSelectForm - + Select Projector Source - + Vybrať zdroj projektora - + Edit Projector Source Text - + Upraviť text zdroja projektora Ignoring current changes and return to OpenLP - + Ignorovať aktuálne zmeny a vrátiť sa do aplikácie OpenLP Delete all user-defined text and revert to PJLink default text - + Zmazať celý užívateľom definovaný text a vrátiť predvolený text PJLink Discard changes and reset to previous user-defined text - + Zahodiť zmeny a obnoviť predchádzajúci užívateľom definovaný text Save changes and return to OpenLP - + Uložiť zmeny a vrátiť sa do aplikácie OpenLP + + + + Delete entries for this projector + Zmazať údaje pre tento projektor - Delete entries for this projector - - - - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? - + Are you sure you want to delete ALL user-defined source input text for this projector? + Ste si istý, že chcete zmazať VŠETKY používateľom definované texty pre tento projektor? @@ -6141,7 +6283,7 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Create a new theme. - Vytvoriť nový motív. + Nový motív @@ -6151,7 +6293,7 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Edit a theme. - Upraví motív + Upraviť motív @@ -6161,7 +6303,7 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Delete a theme. - Zmaže motív + Odstrániť motív @@ -6171,7 +6313,7 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Import a theme. - Importuje motív + Importovať motív @@ -6181,7 +6323,7 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Export a theme. - Exportuje motív + Exportovať motív @@ -6199,7 +6341,7 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Nastaviť ako &Globálny predvolený - + %s (default) %s (predvolený) @@ -6209,52 +6351,47 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Pre úpravy je potrebné vybrať motív. - + You are unable to delete the default theme. Nie je možné zmazať predvolený motív - + Theme %s is used in the %s plugin. Motív %s je používaný v module %s. - + You have not selected a theme. Nie je vybraný žiadny motív - + Save Theme - (%s) Uložiť motív - (%s) - + Theme Exported Motív exportovaný - + Your theme has been successfully exported. Motív bol úspešne exportovaný. - + Theme Export Failed Export motívu zlyhal - - Your theme could not be exported due to an error. - Kôli chybe nebolo možné motív exportovať. - - - + Select Theme Import File Vybrať súbor k importu motívu - + File is not a valid theme. Súbor nie je platný motív. @@ -6304,20 +6441,15 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Zmazať motív %s? - + Validation Error Chyba overovania - + A theme with this name already exists. Motív s týmto názvom už existuje. - - - OpenLP Themes (*.theme *.otz) - OpenLP motívy (*.theme *.otz) - Copy of %s @@ -6325,15 +6457,25 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Kópia %s - + Theme Already Exists Motív už existuje - + Theme %s already exists. Do you want to replace it? Motív %s už existuje. Chcete ho nahradiť? + + + The theme export failed because this error occurred: %s + Export témy zlyhal pretože nastala táto chyba: %s + + + + OpenLP Themes (*.otz) + OpenLP motívy (*.otz) + OpenLP.ThemeWizard @@ -6420,12 +6562,12 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Line Spacing: - Riadkovania: + Riadkovanie: &Outline: - &Náčrt: + &Okraj: @@ -6693,12 +6835,12 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Universal Settings - + Všeobecné nastavenia &Wrap footer text - + &Zalomiť text zápätia @@ -6769,7 +6911,7 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Pripravený - + Starting import... Spustenie importu... @@ -6780,7 +6922,7 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Je potrebné špecifikovať aspon jeden %s súbor, z ktorého sa bude importovať. - + Welcome to the Bible Import Wizard Vitajte v sprievodcovi importu Biblie @@ -6874,7 +7016,7 @@ Prosím uložte to v OpenLP 2.0.2 alebo vyššej verzii. Určte jeden %s priečinok z kadiaľ sa bude importovať. - + Importing Songs Import piesní @@ -7106,25 +7248,25 @@ Skúste to prosím výberom individuálne. Manufacturer Singular - + Výrobca Manufacturers Plural - + Výrobci Model Singular - + Model Models Plural - + Modely @@ -7190,7 +7332,7 @@ Skúste to prosím výberom individuálne. OpenLP 2 - + OpenLP 2 @@ -7218,174 +7360,184 @@ Skúste to prosím výberom individuálne. Náhľad - + Print Service Tlač služby - + Projector Singular - - - - - Projectors - Plural - + Projektor + Projectors + Plural + Projektory + + + Replace Background Nahradiť pozadie - + Replace live background. Nahradiť pozadie naživo. - + Reset Background Obnoviť pozadie - + Reset live background. Obnoviť pozadie naživo. - + s The abbreviated unit for seconds s - + Save && Preview Uložiť &náhľad - + Search Hľadať - + Search Themes... Search bar place holder text Vyhľadávať motív... - + You must select an item to delete. Je potrebné vybrať nejakú položku na zmazanie. - + You must select an item to edit. Je potrebné vybrať nejakú položku k úpravám. - + Settings Nastavenia - + Save Service Uložiť službu - + Service Služba - + Optional &Split Volitelné &rozdelenie - + Split a slide into two only if it does not fit on the screen as one slide. Rozdelenie snímok na 2 len v prípade, ak sa nezmestí na obrazovku ako jeden snímok. - + Start %s Spustiť %s - + Stop Play Slides in Loop Zastaviť prehrávanie snímkov v slučke - + Stop Play Slides to End Zastaviť prehrávanie snímkov na konci - + Theme Singular Motív - + Themes Plural Motívy - + Tools Nástroje - + Top Vrchol - + Unsupported File Nepodporovaný súbor - + Verse Per Slide Verš na snímok - + Verse Per Line Verš na jeden riadok - + Version Verzia - + View Zobraziť - + View Mode Réžim zobrazenia CCLI song number: - + CCLI číslo piesne: OpenLP 2.2 + OpenLP 2.2 + + + + Preview Toolbar + Nástrojová lišta náhľadu + + + + Replace live background is not available on this platform in this version of OpenLP. @@ -7421,56 +7573,56 @@ Skúste to prosím výberom individuálne. Source select dialog interface - + Zdroj výberu dialógového rozhrania PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong> Modul prezentácie</strong><br/>Modul prezentácie poskytuje zobrazovať prezentácie pomocou rôznych programov. Výber dostupných prezentačných programov je užívateľovi prístupný v rozbaľovacom menu. - + Presentation name singular Prezentácia - + Presentations name plural Prezentácie - + Presentations container title Prezentácie - + Load a new presentation. Načítať novú prezentáciu - + Delete the selected presentation. Zmazať vybranú prezentáciu - + Preview the selected presentation. Náhľad vybranej prezentácie. - + Send the selected presentation live. Odoslať vybranú prezentáciu naživo. - + Add the selected presentation to the service. Pridať vybranú prezentáciu k službe. @@ -7513,17 +7665,17 @@ Skúste to prosím výberom individuálne. Prezentácie (%s) - + Missing Presentation Chýbajúca prezentácia - + The presentation %s is incomplete, please reload. Prezentácia %s nie je kompletná, opäť ju načítajte. - + The presentation %s no longer exists. Prezentácia %s už neexistuje. @@ -7531,48 +7683,58 @@ Skúste to prosím výberom individuálne. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - + Vznikla chyba pri integrácií Powerpointu a prezentácia bude ukončená. Ak chete zobraziť prezentáciu, spustite ju znovu. PresentationPlugin.PresentationTab - + Available Controllers Dostupné ovládanie - + %s (unavailable) %s (nedostupný) - + Allow presentation application to be overridden Povoliť prekrytie prezentačnej aplikácie. - + PDF options PDF možnosti - + Use given full path for mudraw or ghostscript binary: Použite celú cestu k mudraw or ghostscript: - + Select mudraw or ghostscript binary. Vyberte mudraw alebo ghostscript. - + The program is not ghostscript or mudraw which is required. Program nie je ghostscript or mudraw, ktorý je potrebný. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7613,129 +7775,129 @@ Skúste to prosím výberom individuálne. RemotePlugin.Mobile - + Service Manager Správca služby - + Slide Controller Ovládanie snímku - + Alerts Upozornenia - + Search Hľadať - + Home Domov - + Refresh Obnoviť - + Blank Prázdny - + Theme Motív - + Desktop Plocha - + Show Zobraziť - + Prev Predchádzajúci - + Next Nasledujúci - + Text Text - + Show Alert Zobraziť upozornenie - + Go Live Zobraziť naživo - + Add to Service Pridať k službe - + Add &amp; Go to Service Pridať &amp; Prejsť k službe - + No Results Žiadne výsledky - + Options Možnosti - + Service Služba - + Slides Snímky - + Settings Nastavenia - + OpenLP 2.2 Remote - + OpenLP 2.2 vzdialené ovládanie - + OpenLP 2.2 Stage View - + OpenLP 2.2 pódiové zobrazenie - + OpenLP 2.2 Live View - + OpenLP 2.2 zobrazenie Naživo @@ -7813,91 +7975,91 @@ Skúste to prosím výberom individuálne. Show thumbnails of non-text slides in remote and stage view. - + Zobraziť miniatúry netextových snímkov vo vzdialenom ovládaní a na pódiovom zobrazení SongUsagePlugin - + &Song Usage Tracking &Sledovanie použitia piesne - + &Delete Tracking Data &Zmazať dáta sledovania - + Delete song usage data up to a specified date. Zmazať dáta použitia piesne až ku konkrétnemu dátumu. - + &Extract Tracking Data &Rozbaliť dáta sledovania - + Generate a report on song usage. Vytvoriť hlásenie z použitia piesne. - + Toggle Tracking Prepnúť sledovanie - + Toggle the tracking of song usage. Prepnúť sledovanie použitia piesne. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Modul použitia piesne</strong><br/>Tento modul sleduje používanie piesní v službách. - + SongUsage name singular Používanie piesne - + SongUsage name plural Používanie piesne - + SongUsage container title Používanie piesne - + Song Usage Používanie piesne - + Song usage tracking is active. Sledovanie použitia piesne je zapnuté. - + Song usage tracking is inactive. Sledovanie použitia piesne je vypnuté. - + display zobrazenie - + printed vytlačený @@ -7959,69 +8121,79 @@ All data recorded before this date will be permanently deleted. Umiestnenie hlásenia - + Output File Location Umiestnenie výstupného súboru - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Vytvorenie hlásenia - + Report %s has been successfully created. Hlásenie %s bolo úspešne vytvorené. - + Output Path Not Selected Nebola vybraná žiadna výstupná cesta. - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Nie je nastavené platné výstupné umiestnenie pre hlásenie použitia piesne. Prosím vyberte existujúcu cestu vo vašom počítači. + + + Report Creation Failed + Vytvorenie hlásenia zlyhalo + + + + An error occurred while creating the report: %s + Vyskytla sa chyba pri vytváraní hlásenia: %s + SongsPlugin - + &Song &Pieseň - + Import songs using the import wizard. Import piesní sprievodcom importu. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Modul piesní</strong><br/>Modul piesní umožňuje zobrazovať spravovať piesne. - + &Re-index Songs &Preindexovanie piesní - + Re-index the songs database to improve searching and ordering. Preindexovať piesne v databáze pre lepšie vyhľadávanie a usporiadanie. - + Reindexing songs... Preindexovanie piesní... @@ -8114,80 +8286,80 @@ The encoding is responsible for the correct character representation. Vyberte prosím kódovanie znakov. Kódovanie zodpovedí za správnu reprezentáciu znakov. - + Song name singular Pieseň - + Songs name plural Piesne - + Songs container title Piesne - + Exports songs using the export wizard. Exportovanie piesní sprievodcom exportu. - + Add a new song. Pridať novú pieseň. - + Edit the selected song. Upraviť vybratú pieseň. - + Delete the selected song. Zmazať vybratú pieseň. - + Preview the selected song. Náhľad vybratej piesne. - + Send the selected song live. Odoslať vybranú pieseň naživo. - + Add the selected song to the service. Pridať vybranú pieseň k službe. - + Reindexing songs Preindexácia piesní - + CCLI SongSelect Súbory CCLI SongSelect - + Import songs from CCLI's SongSelect service. Import pesničiek z CCLI SongSelect služby. - + Find &Duplicate Songs Nájsť &duplicitné piesne - + Find and remove duplicate songs in the song database. Nájsť a vymazať duplicitné piesne z databázy piesní. @@ -8305,22 +8477,22 @@ The encoding is responsible for the correct character representation. This file does not exist. - + Tento súbor neexistuje Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. - + Nie je možné nájsť súbor "Songs.MB". Ten musí byť v rovnakom adresáry ako súbor "Songs.DB". This file is not a valid EasyWorship database. - + Súbor nie je v databázovom formáte EasyWorship Could not retrieve encoding. - + Nie je možné zístiť kódovanie. @@ -8555,17 +8727,17 @@ Prosím vložte verše oddelené medzerou. &Edit Author Type - + &Upraviť typ autora Edit Author Type - + Úprava typu autora Choose type for this author - + Vybrať typ pre tohto autora @@ -8659,7 +8831,7 @@ Prosím vložte verše oddelené medzerou. Je potrebné zadať priečinok. - + Select Destination Folder Vybrať cielový priečinok. @@ -8852,12 +9024,12 @@ Prosím vložte verše oddelené medzerou. EasyWorship Service File - EasyWorship súbor služby + Súbor služby EasyWorship WorshipCenter Pro Song Files - WorshipCenter Pro súbory pesničiek + Súbor piesní WorshipCenter Pro @@ -8867,32 +9039,32 @@ Prosím vložte verše oddelené medzerou. PowerPraise Song Files - + Súbor piesní PowerPraise PresentationManager Song Files - + Súbor piesní PresentationManager ProPresenter 4 Song Files - + Súbor piesní ProPresenter 4 Worship Assistant Files - + Súbory Worship Assistant Worship Assistant (CSV) - + Worship Assistant (CSV) In Worship Assistant, export your Database to a CSV file. - + V aplikácií Worship Assistant exportujte databázu do CSV súboru. @@ -9067,15 +9239,20 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.SongExportForm - + Your song export failed. Export piesne zlyhal. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Export bol dokončený. Pre import týchto súborov použite import z <strong>OpenLyrics</strong> + + + Your song export failed because this error occurred: %s + Export piesne zlyhal pretože nastala táto chyba: %s + SongsPlugin.SongImport @@ -9218,12 +9395,12 @@ Prosím vložte verše oddelené medzerou. CCLI SongSelect Importer - + CCLI SelectSong import <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + <strong>Poznámka:</strong> Pre import z CCLI SongSelect je potrebné internetové pripojenie. @@ -9238,17 +9415,17 @@ Prosím vložte verše oddelené medzerou. Save username and password - + Uložiť prihlasovacie meno a heslo Login - + Prihlásiť Search Text: - + Hľadaný text: @@ -9256,14 +9433,14 @@ Prosím vložte verše oddelené medzerou. Hľadať - + Found %s song(s) - + Najdené %s piesní Logout - + Odhlásiť @@ -9278,7 +9455,7 @@ Prosím vložte verše oddelené medzerou. Author(s): - + Autor(y): @@ -9288,17 +9465,17 @@ Prosím vložte verše oddelené medzerou. CCLI Number: - + CCLI čislo: Lyrics: - + Text piesne: Back - + Naspäť @@ -9308,57 +9485,57 @@ Prosím vložte verše oddelené medzerou. More than 1000 results - + Viac ako 1000 výsledkov Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. - + Vyhľadávanie bolo zastavené, pretože bolo nájdených viac ako 1000 záznamov. Prosím upresnite vyhľadávanie, aby ste spresnili výsledok. Logging out... - + Odhlasovanie... - + Save Username and Password - + Uložiť prihlasovacie meno a heslo - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + VAROVANIE: Uloženie mena a hesla nie je BEZPEČNÉ, heslo bude uložené ako ČITATEĽNÝ TEXT. Pre uloženie hesla klinite Áno alebo kliknite Nie pre zrušenie bez uloženia. - + Error Logging In - + Chyba prihlasovania - + There was a problem logging in, perhaps your username or password is incorrect? - + Nastal problém s prihlásením. Možno ste zadali nesprávne meno alebo heslo. - + Song Imported - + Pieseň naimportovaná - - Your song has been imported, would you like to exit now, or import more songs? - + + Incomplete song + Neúplná pieseň - - Import More Songs - + + This song is missing some information, like the lyrics, and cannot be imported. + Pri tejto piesni chýbajú niektoré informácie, ako napríklad text, a preto nie je možné importovať. - - Exit Now - + + Your song has been imported, would you like to import more songs? + Pieseň bola naimportovaná, chcete importovať ďalšie pesničky? @@ -9460,7 +9637,7 @@ Prosím vložte verše oddelené medzerou. Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. - + Neplatný súbor Word of Worship. Chýbajúca hlavička "WoW File\nSong Words" @@ -9483,7 +9660,7 @@ Prosím vložte verše oddelené medzerou. File not valid WorshipAssistant CSV format. - + Nesprávny CSV formát súboru WorshipAssistant. @@ -9509,7 +9686,7 @@ Prosím vložte verše oddelené medzerou. File not valid ZionWorx CSV format. - Súbor nie je validný ZionWorx CSV formátu. + Súbor nemá správny CSV formát programu ZionWorx. diff --git a/resources/i18n/sl.ts b/resources/i18n/sl.ts new file mode 100644 index 000000000..ea6d0f92f --- /dev/null +++ b/resources/i18n/sl.ts @@ -0,0 +1,9660 @@ + + + + AlertsPlugin + + + &Alert + &Opozorilo + + + + Show an alert message. + Prikaži opozorilo + + + + Alert + name singular + Opozorilo + + + + Alerts + name plural + Opozorila + + + + Alerts + container title + Opozorila + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + Opozorilno sporočilo + + + + Alert &text: + Besedilo &opozorila + + + + &New + &Novo + + + + &Save + &Shrani + + + + Displ&ay + Z&aslon + + + + Display && Cl&ose + Zaslon && &Zapri + + + + New Alert + Novo opozorilo + + + + &Parameter: + &Parameter: + + + + No Parameter Found + Ne najdem parametrov. + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Niste vnesli zamenjave parametra. +Želite vseeno nadaljevati? + + + + No Placeholder Found + Ne najdem označbe mesta. + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Besedilo opozorila ne vsebuje '<>'. +Ali naj vseeno nadaljujem? + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + Opozorilo ustvarjeno in prikazano. + + + + AlertsPlugin.AlertsTab + + + Font + Pisava + + + + Font name: + Oblika pisave: + + + + Font color: + Barva pisave: + + + + Background color: + Barva ozadja: + + + + Font size: + Velikost pisave: + + + + Alert timeout: + Čas prikaza opozorila: + + + + BiblesPlugin + + + &Bible + + + + + Bible + name singular + Sveto pismo + + + + Bibles + name plural + Sveto pismo + + + + Bibles + container title + Sveto pismo + + + + No Book Found + Ne najdem knjige + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + Ne najdem knjige v tem Svetem pismu. Preverite pravilnost zapisa knjige. + + + + Import a Bible. + uvozi Sveto pismo. + + + + Add a new Bible. + Dodaj novo Sveto pismo. + + + + Edit the selected Bible. + Uredi izbrano Sveto pismo. + + + + Delete the selected Bible. + Izbriši izbrano Sveto pismo. + + + + Preview the selected Bible. + Predogled izbranega Svetega pisma. + + + + Send the selected Bible live. + Pošlji izbrano Sveto pismo. + + + + Add the selected Bible to the service. + Dodaj izbrano Sveto pismo k sv. maši. + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + <strong>Sveto pismo vtičnik</strong><br />Vtičnik za Sveto pismo omogoča prikaz odlomkov iz različnih virov med sv. mašo. + + + + &Upgrade older Bibles + &Nadgradi starejše Sveto pismo. + + + + Upgrade the Bible databases to the latest format. + Nadgradi Sveto pismo v najnovejši format. + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + 1 Samuel + + + + 2 Samuel + 2 Samuel + + + + 1 Kings + 1 Knjiga kraljev + + + + 2 Kings + 2 Knjiga kraljev + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + Matej + + + + Mark + Marko + + + + Luke + Luka + + + + John + Janez + + + + Acts + Apostolska dela + + + + Romans + Rimljanom + + + + 1 Corinthians + 1 Korinčanom + + + + 2 Corinthians + 2 Korinčanom + + + + Galatians + Galačanom + + + + Ephesians + Efežanom + + + + Philippians + Filipljanom + + + + Colossians + Kološanom + + + + 1 Thessalonians + 1 Tesaloničanom + + + + 2 Thessalonians + 2 Tesaloničanom + + + + 1 Timothy + 1 Timotej + + + + 2 Timothy + 2 Timotej + + + + Titus + Titu + + + + Philemon + + + + + Hebrews + Hebrejcem + + + + James + + + + + 1 Peter + 1 Peter + + + + 2 Peter + 2 Peter + + + + 1 John + 1 Janez + + + + 2 John + 2 Janez + + + + 3 John + 3 Janez + + + + Jude + Juda + + + + Revelation + Razodetje + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + Sirah + + + + Baruch + Baruh + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + do + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + You need to specify a version name for your Bible. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + Bible Exists + Sveto pismo obstaja + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + You need to specify a book name for "%s". + You need to specify a book name for "%s". + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + Knjiga "%s" je vnešena večkrat. + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + Napaka oznake citata. + + + + Web Bible cannot be used + Spletno Sveto pismo ne more biti uporabljeno. + + + + Text Search is not available with Web Bibles. + Besedilno iskanje po spletnem Svetem Pismu ni možno. + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + Iskalni niz ni vnešen. +Besede lahko ločiš s presledki za iskanje po besednih zvezah ali z vejicami za iskanje po posamezni besedi. + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + Sveto pismo ni nameščeno. Uporabite čarovnika za uvoz. + + + + No Bibles Available + Sveto pismo ni na voljo + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Poglavje +Poglavje%(range)sPoglavje +Poglavje%(verse)sVrstica%(range)sVrstica +Poglavje%(verse)sVrstica%(range)sVrstica%(list)sVerse%(range)sVrstica +Poglavje%(verse)sVrstica%(range)sVrstica%(list)sChapter%(verse)sVerse%(range)sVrstica +Poglavje%(verse)sVrstica%(range)sPoglavje%(verse)sVrstica + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + Svetopisemska tema: + + + + No Brackets + Brez oklepajev + + + + ( And ) + ( In ) + + + + { And } + ( In ) + + + + [ And ] + ( In ) + + + + Note: +Changes do not affect verses already in the service. + Opozorilo: +Spremembe ne bodo prikazane v besedilu, ki je že v Maši + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + English + English + + + + Default Bible Language + Privzeti jezik Svetega pisma + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + Jezik Svetega pisma + + + + Application Language + Jezik programa + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + Izberi ime knjige + + + + Current name: + Trenuto ime: + + + + Corresponding name: + Ustrezno ime: + + + + Show Books From + Prikaži knjige od + + + + Old Testament + Stara zaveza + + + + New Testament + Nova zaveza + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + Izbrati morate knjigo. + + + + BiblesPlugin.CSVBible + + + Importing books... %s + Uvažam knjige... %s + + + + Importing verses... done. + Uvažanje citatov... končano. + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + Urejevalnik Svetega pisma + + + + License Details + Podrobnosti o licencah + + + + Version name: + Različica: + + + + Copyright: + Copyright: + + + + Permissions: + Dovoljenja: + + + + Default Bible Language + Privzeti jezik Svetega pisma + + + + Book name language in search field, search results and on display: + + + + + Global Settings + Splošne nastavitve + + + + Bible Language + Jezik Svetega pisma + + + + Application Language + Jezik programa + + + + English + English + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + Registriram SP in nalagam knjige... + + + + Registering Language... + Registriram jezik... + + + + Importing %s... + Importing <book name>... + Uvažam %s... + + + + Download Error + Download Error + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + Parse Error + Parse Error + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + Čarovnik za uvoz SP + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + Web Download + Web Download + + + + Location: + Location: + + + + Crosswalk + Crosswalk + + + + BibleGateway + BibleGateway + + + + Bible: + Sveto pismo: + + + + Download Options + Opcije prenosa + + + + Server: + Strežnik: + + + + Username: + Uporabnik: + + + + Password: + Geslo: + + + + Proxy Server (Optional) + Proxy Server (Optional) + + + + License Details + Podrobnosti o licencah + + + + Set up the Bible's license details. + Set up the Bible's license details. + + + + Version name: + Različica: + + + + Copyright: + Copyright: + + + + Please wait while your Bible is imported. + Počakajte da se uvoz SP zaključi. + + + + You need to specify a file with books of the Bible to use in the import. + You need to specify a file with books of the Bible to use in the import. + + + + You need to specify a file of Bible verses to import. + You need to specify a file of Bible verses to import. + + + + You need to specify a version name for your Bible. + You need to specify a version name for your Bible. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + Bible Exists + Sveto pismo obstaja + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + Your Bible import failed. + Prenos SP je bil neuspešen. + + + + CSV File + CSV File + + + + Bibleserver + Bibleserver + + + + Permissions: + Dovoljenja: + + + + Bible file: + Bible file: + + + + Books file: + Books file: + + + + Verses file: + Verses file: + + + + Registering Bible... + Registering Bible... + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + Izberi jezik + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + Language: + Jezik: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + Izbrati moraš jezik. + + + + BiblesPlugin.MediaItem + + + Quick + Hitro + + + + Find: + Najdi: + + + + Book: + Knjiga: + + + + Chapter: + Poglavje: + + + + Verse: + Vrstica: + + + + From: + Od: + + + + To: + Do: + + + + Text Search + Besedilno iskanje + + + + Second: + Second: + + + + Scripture Reference + Scripture Reference + + + + Toggle to keep or clear the previous results. + Toggle to keep or clear the previous results. + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + Bible not fully loaded. + Sveto pismo ni v celoti naloženo. + + + + Information + Informacija + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + Izberi 'backup' mapo + + + + Bible Upgrade Wizard + Čarovnik za nadgradnjo SP + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + Select Backup Directory + Izberi 'backup' mapo + + + + Please select a backup directory for your Bibles + Izberi 'backup' mapo za SP + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + Please select a backup location for your Bibles. + Please select a backup location for your Bibles. + + + + Backup Directory: + 'Backup' mapa: + + + + There is no need to backup my Bibles + Ne želim varnostno kopirati SP + + + + Select Bibles + Izberi Sveto pismo + + + + Please select the Bibles to upgrade + Izberi SP za posodobitev + + + + Upgrading + Posodabljam + + + + Please wait while your Bibles are upgraded. + Počakajte, da se SP posodobi. + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + Upgrading Bible %s of %s: "%s" +Failed + Posodabljanje SP %s od %s: %s +Neuspešno + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + Posodabljanje SP %s od %s: %s +Posodabljam... + + + + Download Error + Download Error + + + + To upgrade your Web Bibles an Internet connection is required. + Za posodobitev spletnega SP potrebuješ spletni dostop. + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + Download Error + + + + Upgrading Bible %s of %s: "%s" +Complete + Posodabljanje SP %s od %s: %s +Zaključeno + + + + , %s failed + , %S neuspešno + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + Upgrading Bible(s): %s successful%s + Posodabljanje SP(s): %s uspešno%S + + + + Upgrade failed. + Posodabljanje neuspešno. + + + + You need to specify a backup directory for your Bibles. + You need to specify a backup directory for your Bibles. + + + + Starting upgrade... + Začenjam posodobitev... + + + + There are no Bibles that need to be upgraded. + There are no Bibles that need to be upgraded. + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + Uporabnikov diapozitiv + + + + Custom Slides + name plural + Diapozitivi + + + + Custom Slides + container title + Diapozitivi + + + + Load a new custom slide. + Naloži nov diapozitiv. + + + + Import a custom slide. + Uvozi diapozitiv. + + + + Add a new custom slide. + Dodaj nov diapozitiv + + + + Edit the selected custom slide. + Uredi izbrani diapozitiv. + + + + Delete the selected custom slide. + Izbriši izbrani diapozitiv. + + + + Preview the selected custom slide. + Predogled izbranega diapozitiva. + + + + Send the selected custom slide live. + Prikaži izbrani diapozitiv. + + + + Add the selected custom slide to the service. + Dodaj izbran diapozitiv k Maši. + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + Custom Display + + + + Display footer + Prikaz noge strani + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + Uredi diapozitive + + + + &Title: + &Naslov: + + + + Add a new slide at bottom. + Dodaj diapozitiv na konec. + + + + Edit the selected slide. + Uredi izbrani diapozitiv. + + + + Edit all the slides at once. + Uredi vse diapozitive naenkrat. + + + + Split a slide into two by inserting a slide splitter. + Razdeli diapozitiv na dva z vstavitvijo delilnika. + + + + The&me: + Te&ma: + + + + &Credits: + + + + + You need to type in a title. + Vpisati moraš naslov. + + + + Ed&it All + Ured%i vse + + + + Insert Slide + Vstavi diapozitiv + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + Uredi diapozitiv + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + Untranslated string +<strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + Image + name singular + Slika + + + + Images + name plural + Slike + + + + Images + container title + Slike + + + + Load a new image. + Naloži novo sliko. + + + + Add a new image. + Dodaj novo sliko. + + + + Edit the selected image. + Uredi izbrano sliko. + + + + Delete the selected image. + Izbriši izbrano sliko. + + + + Preview the selected image. + Predogled izbrane slike. + + + + Send the selected image live. + Prikaži izbrano sliko. + + + + Add the selected image to the service. + Dodaj izbrano sliko k Maši. + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + Izberi priponko + + + + ImagePlugin.MediaItem + + + Select Image(s) + Izberi slike(s) + + + + You must select an image to replace the background with. + Izberi sliko katero želiš postaviti za ozadje. + + + + Missing Image(s) + Manjkajoča slika(e) + + + + The following image(s) no longer exist: %s + Sledeče slika(e) ne obstajajo: %S + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + Sledeče slika(e) ne obstajajo: %S +Ali želiš vseeno dodati ostale slike? + + + + There was a problem replacing your background, the image file "%s" no longer exists. + There was a problem replacing your background, the image file "%s" no longer exists. + + + + There was no display item to amend. + There was no display item to amend. + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and vid + + + + Media + name singular + Media + + + + Media + name plural + Media + + + + Media + container title + Media + + + + Load new media. + Load new media. + + + + Add new media. + Add new media. + + + + Edit the selected media. + Edit the selected media. + + + + Delete the selected media. + Delete the selected media. + + + + Preview the selected media. + Preview the selected media. + + + + Send the selected media live. + Send the selected media live. + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + Naslov: + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + Video (%s);;Glasba (%s);;%s (*) + + + + There was no display item to amend. + There was no display item to amend. + + + + Unsupported File + Nepodprta datoteka + + + + Use Player: + Predvajalnik: + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + Slikovne datoteke + + + + Information + Informacija + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + Credits + + + + License + Licenca + + + + build %s + build %s + + + + 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; version 2 of the License. + 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; version 2 of the License. + + + + 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 below for more details. + 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 below for more details. + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + Volunteer + Volunteer + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + Nastavitve u. vmesnika + + + + Number of recent files to display: + Št. zadnjih datotek za prikaz: + + + + Remember active media manager tab on startup + Remember active media manager tab on startup + + + + Double-click to send items straight to live + Dvoklik za takojšnji prikaz + + + + Expand new service items on creation + Expand new service items on creation + + + + Enable application exit confirmation + Potrjevanje izhoda iz programa + + + + Mouse Cursor + Kurzor miške + + + + Hide mouse cursor when over display window + Skri kurzor miške na prikaznem oknu + + + + Default Image + Privzeta slika + + + + Background color: + Barva ozadja: + + + + Image file: + Slikovna datoteka: + + + + Open File + Odpri datoteko + + + + Advanced + Napredno + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + Datum in čas: + + + + Monday + Ponedeljek + + + + Tuesday + Torek + + + + Wednesday + Sreda + + + + Friday + Petek + + + + Saturday + Sobota + + + + Sunday + Nedelja + + + + Now + Danes /Now?/ + + + + Time when usual service starts. + + + + + Name: + Ime: + + + + Consult the OpenLP manual for usage. + Consult the OpenLP manual for usage. + + + + Revert to the default service name "%s". + + + + + Example: + Primer: + + + + Bypass X11 Window Manager + Zaobidi X11 Window Manager + + + + Syntax error. + Syntax error. + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + Prekliči + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + Klikni za izbiro barve. + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + Error Occurred + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + Send E-Mail + Pošlji E-Mail + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + Pripni datoteko + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + Platform: %s + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + Text files (*.txt *.log *.text) + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + Prevod: + + + + OpenLP.FirstTimeWizard + + + Songs + Pesmi + + + + First Time Wizard + Prve nastavitve + + + + Welcome to the First Time Wizard + Welcome to the First Time Wizard + + + + Activate required Plugins + Activate required Plugins + + + + Select the Plugins you wish to use. + Izberi vtičnike za uporabo. + + + + Bible + Sveto pismo + + + + Images + Slike + + + + Presentations + Prezentacije + + + + Media (Audio and Video) + + + + + Allow remote access + Omogoči daljinski dostop + + + + Monitor Song Usage + + + + + Allow Alerts + Omogoči opozorila + + + + Default Settings + + + + + Downloading %s... + Downloading %s... + + + + Enabling selected plugins... + + + + + No Internet Connection + Ni povezave s spletom. + + + + Unable to detect an Internet connection. + Ne zaznam povezave s spletom. + + + + Sample Songs + Vzorčne pesmi + + + + Select and download public domain songs. + + + + + Sample Bibles + Vzorčno Sveto pismo + + + + Select and download free Bibles. + + + + + Sample Themes + Vzorčne teme + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + Izberi privzeto temo: + + + + Starting configuration process... + Starting configuration process... + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + Please wait while OpenLP is set up and your data is downloaded. + + + + Setting Up + Nastavljanje + + + + Custom Slides + Diapozitivi + + + + Finish + Končano + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + Download Error + Download Error + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + Prekliči + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + Configure Formatting Tags + + + + Description + Opis + + + + Tag + Oznaka + + + + Start HTML + Začetek HTML + + + + End HTML + Konec HTML + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + <HTML tukaj> + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + Tag %s already defined. + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + Rdeča + + + + Black + Črna + + + + Blue + Modra + + + + Yellow + Rumena + + + + Green + Zelena + + + + Pink + Roza + + + + Orange + Oranžna + + + + Purple + Škrlatna + + + + White + Bela + + + + Superscript + Nadpisano + + + + Subscript + Podpisano + + + + Paragraph + Odstavek + + + + Bold + Krepko + + + + Italics + Poševno + + + + Underline + Podčrtano + + + + Break + + + + + OpenLP.GeneralTab + + + General + Splošno + + + + Monitors + Monitorji + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + sec + + + + CCLI Details + CCLI Details + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + X + + + + Y + Y + + + + Height + Višina + + + + Width + Širina + + + + Check for updates to OpenLP + Preveri nadgradnje OpenLP + + + + Unblank display when adding new live item + + + + + Timed slide interval: + Čas prikaza diapozitiva: + + + + Background Audio + Glasba ozadja + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + Jezik + + + + Please restart OpenLP to use your new language setting. + Za spremembo jezika, ponovno zaženi program. + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + &Datoteka + + + + &Import + &Uvoz + + + + &Export + &Izvoz + + + + &View + + + + + M&ode + + + + + &Tools + &Orodje + + + + &Settings + Na&stavitve + + + + &Language + &Jezik + + + + &Help + &Help + + + + Service Manager + Upravljanje Maše + + + + Theme Manager + Upravljanje Teme + + + + &New + &Novo + + + + &Open + &Odpri + + + + Open an existing service. + Odpri obstoječo Mašo. + + + + &Save + &Shrani + + + + Save the current service to disk. + + + + + Save &As... + Shrani &kot... + + + + Save Service As + Shrani Mašo kot... + + + + Save the current service under a new name. + + + + + E&xit + &Izhod + + + + Quit OpenLP + Zapri OpenLP + + + + &Theme + &Teme + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + Upravljanje &Maše + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + Seznam &vtičnikov + + + + List the Plugins + Izpiši vtičnike + + + + &User Guide + &User Guide + + + + &About + &About + + + + More information about OpenLP + More information about OpenLP + + + + &Online Help + &Online Help + + + + &Web Site + &Spletna stran + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + &Privzeto + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + &Prikaz + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + OpenLP Version Updated + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + Privzeta tema: %s + + + + English + Please add the name of your language here + Slovenian + + + + Configure &Shortcuts... + + + + + Close OpenLP + Zapri OpenLP + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + &Autodetect + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + Počisti seznam + + + + Clear the list of recent files. + Počisti seznam zadnjih datotek. + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + Export OpenLP settings to a specified *.config file + + + + Settings + Nastavitve + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + Nastavitve za uvoz? + + + + Open File + Odpri datoteko + + + + OpenLP Export Settings Files (*.conf) + OpenLP Export Settings Files (*.conf) + + + + Import settings + Nastavitve za uvoz + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + OpenLP se bo zaprl. Uvožene nastavitve bodo uporabljene ob naslednjem zagonu programa. + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + OpenLP Export Settings File (*.conf) + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + OpenLP Data directory copy failed + +%s + + + + + General + Splošno + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + Database Error + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + OpenLP cannot load your database. + +Database: %s + OpenLP cannot load your database. + +Database: %s + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + Invalid File Type + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + Razpoložljivipredvajalniki: + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + %s (nerazpoložljivo) + + + + OpenLP.PluginForm + + + Plugin List + Seznam vtičnikov + + + + Plugin Details + Podrobnosti vtičnikov + + + + Status: + Status: + + + + Active + Aktivno + + + + Inactive + Neaktivno + + + + %s (Inactive) + %s (Neaktivno) + + + + %s (Active) + %s (Activno) + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + Prilagodi strani + + + + Fit Width + Prilagodi širino + + + + OpenLP.PrintServiceForm + + + Options + Opcije + + + + Copy + Kopiraj + + + + Copy as HTML + Copiraj kot HTML + + + + Zoom In + Zoom + + + + + Zoom Out + Zoom - + + + + Zoom Original + Zoom Original + + + + Other Options + Druge možnosti + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + Natisni + + + + Title: + Naslov: + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + Database Error + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + Port + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + Drugo + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + Zaslon + + + + primary + primarni + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + <strong>Start</strong>: %s + + + + <strong>Length</strong>: %s + <strong>Trajanje</strong>: %s + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + &Razširi vse + + + + Expand all the service items. + + + + + &Collapse all + &Združi vse + + + + Collapse all the service items. + + + + + Open File + Odpri datoteko + + + + Moves the selection down the window. + + + + + Move up + Pomik gor + + + + Moves the selection up the window. + + + + + Go Live + Prikaži + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + Corrupt File + + + + Load an existing service. + Naloži obstoječo Mašo. + + + + Save this service. + Shrani to Mašo + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + Uredi + + + + Service copy only + Kopiraj Mašo + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + Naslov: + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + Konfiguriraj OpenLP + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + Bližnjica + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + Privzeto + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + Skrij + + + + Go To + Pojdi + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + Prikaži namizje + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + Predvajaj diapozitive + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + Dodaj k Maši + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + Prejšnji diapozitiv + + + + Next Slide + Naslednji diapozitiv + + + + Pause Audio + Premor glasbe + + + + Background Audio + Glasba ozadja + + + + Go to next audio track. + Naslednja glasba + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + Jezik: + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + Ure: + + + + Minutes: + Minute: + + + + Seconds: + Sekunde: + + + + Start + + + + + Finish + Končano + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + Kopiram %s + + + + Theme Already Exists + Tema že obstaja + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + Čarovnik za teme + + + + Welcome to the Theme Wizard + Welcome to the Theme Wizard + + + + Set Up Background + Nastavi ozadje + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + Font: + + + + Size: + Velikost: + + + + Line Spacing: + Razmik vrstic: + + + + &Outline: + + + + + &Shadow: + O&senčeno + + + + Bold + Krepko + + + + Italic + Poševno + + + + Footer Area Font Details + Footer Area Font Details + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + Text Formatting Details + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + Levo + + + + Right + Desno + + + + Center + Center + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + X position: + + + + px + px + + + + Y position: + Y position: + + + + Width: + Širina: + + + + Height: + Višina: + + + + Use default location + + + + + Theme name: + Ime teme: + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + Barva ozadja: + + + + Justify + + + + + Layout Preview + + + + + Transparent + Transparent + + + + Preview and Save + Predogled in shrani + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + Teme + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + &Navpična poravnava: + + + + Finished import. + Uvoz zaključen. + + + + Format: + Format: + + + + Importing + Uvažam + + + + Importing "%s"... + Uvažam "%s"... + + + + Select Import Source + + + + + Select the import format and the location to import from. + Select the import format and the location to import from. + + + + Open %s File + Odpri %s Datoteko + + + + %p% + %p% + + + + Ready. + + + + + Starting import... + Začenjam z uvozom... + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + You need to specify at least one %s file to import from. + + + + Welcome to the Bible Import Wizard + Welcome to the Bible Import Wizard + + + + Welcome to the Song Export Wizard + Welcome to the Song Export Wizard + + + + Welcome to the Song Import Wizard + Welcome to the Song Import Wizard + + + + Author + Singular + Avtor + + + + Authors + Plural + Avtorji + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + XML syntax error + + + + Welcome to the Bible Upgrade Wizard + Welcome to the Bible Upgrade Wizard + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + Dod&aj + + + + Add group + + + + + Advanced + Napredno + + + + All Files + + + + + Automatic + Avtomatsko + + + + Background Color + Barva ozadja + + + + Bottom + + + + + Browse... + + + + + Cancel + Prekliči + + + + CCLI number: + CCLI number: + + + + Create a new service. + + + + + Confirm Delete + Potrdi brisanje + + + + Continuous + + + + + Default + Privzeto + + + + Default Color: + Privzeta barva: + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + Iz&briši + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + Ur%edi + + + + Empty Field + Prazno polje + + + + Error + Error + + + + Export + Izvozi + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + pt + + + + Help + + + + + h + The abbreviated unit for hours + h + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + Slika + + + + Import + Uvozi + + + + Layout style: + + + + + Live + Predvajaj + + + + Live Background Error + Napaka ozadja za predvajanje + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + m + + + + Middle + + + + + New + Novo + + + + New Service + Nova Maša + + + + New Theme + Nova tema + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + Datoteka ni izbrana + + + + No Files Selected + Plural + Datoteke niso izbrane + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + Odpri Mašo + + + + Play Slides in Loop + Predvajaj diapozitive v zanki + + + + Play Slides to End + Predvajaj diapozitive do konca + + + + Preview + Predogled + + + + Print Service + Natisni Mašo + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + Zamenjaj ozadje. + + + + Replace live background. + Zamenjaj prikazano ozadje. + + + + Reset Background + Ponastavi ozadje. + + + + Reset live background. + Ponastavi prikazano ozadje. + + + + s + The abbreviated unit for seconds + s + + + + Save && Preview + + + + + Search + Išči + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + Nastavitve + + + + Save Service + Shrani Mašo + + + + Service + Maša + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + Razdeli diapozitiv na dva v primeru, da ne moreš predvajati kot enega. + + + + Start %s + Start %s + + + + Stop Play Slides in Loop + Ustavi predvajanje diapozitivov v zanki + + + + Stop Play Slides to End + Ustavi predvajanje diapozitivov do konca + + + + Theme + Singular + Tema + + + + Themes + Plural + Teme + + + + Tools + + + + + Top + + + + + Unsupported File + Nepodprta datoteka + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + Različica + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + Prezentacije + + + + Presentations + container title + Prezentacije + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + Avtomatsko + + + + Present using: + + + + + File Exists + Datoteka obstaja + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + %s (nerazpoložljivo) + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + Upravljanje Maše + + + + Slide Controller + + + + + Alerts + Opozorila + + + + Search + Išči + + + + Home + + + + + Refresh + Osveži + + + + Blank + Zatemni + + + + Theme + Tema + + + + Desktop + Namizje + + + + Show + + + + + Prev + Prejšnji + + + + Next + Naslednji + + + + Text + Besedilo + + + + Show Alert + Prikaži opozorilo + + + + Go Live + Prikaži + + + + Add to Service + Dodaj k maši + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + Opcije + + + + Service + Maša + + + + Slides + + + + + Settings + Nastavitve + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + Serve on IP address: + + + + Port number: + Port number: + + + + Server Settings + Server Settings + + + + Remote URL: + Remote URL: + + + + Stage view URL: + Stage view URL: + + + + Display stage time in 12h format + + + + + Android App + Android App + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + Geslo: + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + zaslon + + + + printed + natisnjeno + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + Izbriši podatke o uporabi pesmi + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + Izbris uspešen + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + do + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + usage_detail_%s_%s.txt + + + + Report Creation + + + + + Report +%s +has been successfully created. + Poročilo +%s +je bilo uspešno narejeno. + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + &Re-index Songs + &Indeksiraj pesmi + + + + Re-index the songs database to improve searching and ordering. + Ponovno indeksiraj bazo pesmi za hitrejše iskanje in sortiranje. + + + + Reindexing songs... + + + + + Arabic (CP-1256) + Arabic (CP-1256) + + + + Baltic (CP-1257) + Baltic (CP-1257) + + + + Central European (CP-1250) + Central European (CP-1250) + + + + Cyrillic (CP-1251) + Cyrillic (CP-1251) + + + + Greek (CP-1253) + Greek (CP-1253) + + + + Hebrew (CP-1255) + Hebrew (CP-1255) + + + + Japanese (CP-932) + Japanese (CP-932) + + + + Korean (CP-949) + Korean (CP-949) + + + + Simplified Chinese (CP-936) + Simplified Chinese (CP-936) + + + + Thai (CP-874) + Thai (CP-874) + + + + Traditional Chinese (CP-950) + Traditional Chinese (CP-950) + + + + Turkish (CP-1254) + Turkish (CP-1254) + + + + Vietnam (CP-1258) + Vietnam (CP-1258) + + + + Western European (CP-1252) + Western European (CP-1252) + + + + Character Encoding + Character Encoding + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + Song + name singular + Pesem + + + + Songs + name plural + Pesmi + + + + Songs + container title + Pesmi + + + + Exports songs using the export wizard. + Izvozi pesmi s čarovnikom za izvoz. + + + + Add a new song. + Dodaj novo pesem. + + + + Edit the selected song. + Uredi izbrano pesem. + + + + Delete the selected song. + Izbriši izbrano pesem. + + + + Preview the selected song. + Predogled izbrane pesmi. + + + + Send the selected song live. + Prikaži izbrano pesem. + + + + Add the selected song to the service. + Dodaj izbrano pesem k Maši. + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + Author Maintenance + + + + Display name: + Prikazano ime: + + + + First name: + Ime: + + + + Last name: + Priimek: + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + Administered by %s + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + Meta Data + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + &Naslov: + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + Ured%i vse + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + Knjiga: + + + + Number: + Številka: + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + Copyright Information + + + + Comments + Komentar + + + + Theme, Copyright Info && Comments + Theme, Copyright Info && Comments + + + + Add Author + Dodaj avtorja + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + Dodaj knjigo + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + Izbrati moraš avtorja pesmi. + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + Izberi pesmi + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + Izberi vse + + + + Select Directory + Izberi direktorij + + + + Directory: + Directorij: + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + Invalid Foilpresenter song file. No verses found. + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + OpenLP 2.0 Databases + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + Kopiraj + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + MediaShout Database + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + SongPro Text Files + + + + SongPro (Export File) + SongPro (Export File) + + + + In SongPro, export your songs using the File -> Export menu + In SongPro, export your songs using the File -> Export menu + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + Naslovi + + + + Lyrics + Besedila + + + + CCLI License: + + + + + Entire Song + Cela pesem + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + Not a valid OpenLP 2.0 song database. + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + Izvažam "%s"... + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + Song Book Maintenance + + + + &Name: + &Ime: + + + + &Publisher: + &Izdajatelj: + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + Neuspešen izvoz pesmi. + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + copyright + + + + The following songs could not be imported: + Naslednjih pesmi ne morem uvoziti: + + + + Cannot access OpenOffice or LibreOffice + Cannot access OpenOffice or LibreOffice + + + + Unable to open file + Ne morem odpreti datoteke + + + + File not found + Ne najdem datoteke + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + Izbriši avtorja + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + Izbriši knjigo + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + This book cannot be deleted, it is currently assigned to at least one song. + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + Uporabnik: + + + + Password: + Geslo: + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + Išči + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + Naslov: + + + + Author(s): + + + + + Copyright: + Copyright: + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + Uvozi + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + Uvod + + + + Ending + Zaključek + + + + Other + Drugo + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + Error reading CSV file. + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Error reading CSV file. + + + + File not valid ZionWorx CSV format. + File not valid ZionWorx CSV format. + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + Informacija + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/sq.ts b/resources/i18n/sq.ts new file mode 100644 index 000000000..411190c22 --- /dev/null +++ b/resources/i18n/sq.ts @@ -0,0 +1,9572 @@ + + + + AlertsPlugin + + + &Alert + + + + + Show an alert message. + + + + + Alert + name singular + + + + + Alerts + name plural + + + + + Alerts + container title + + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + + + + + Alert &text: + + + + + &New + + + + + &Save + + + + + Displ&ay + + + + + Display && Cl&ose + + + + + New Alert + + + + + &Parameter: + + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + + + + + AlertsPlugin.AlertsTab + + + Font + + + + + Font name: + + + + + Font color: + + + + + Background color: + + + + + Font size: + + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + + + + + Bible + name singular + + + + + Bibles + name plural + + + + + Bibles + container title + + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + + + + + Add a new Bible. + + + + + Edit the selected Bible. + + + + + Delete the selected Bible. + + + + + Preview the selected Bible. + + + + + Send the selected Bible live. + + + + + Add the selected Bible to the service. + + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + No Bibles Available + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Shqiptar + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Shqiptar + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Text Search + + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + + + + + &Open + + + + + Open an existing service. + + + + + &Save + + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Shqiptar + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/sv.ts b/resources/i18n/sv.ts index 9d5e0076a..940c6614f 100644 --- a/resources/i18n/sv.ts +++ b/resources/i18n/sv.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Meddelande - + Show an alert message. Visa ett publikt meddelande. - + Alert name singular Meddelande - + Alerts name plural Meddelanden - + Alerts container title Meddelanden - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. <strong>Meddelandemodul</strong><br />Meddelandemodulen kontrollerar visning av meddelanden på skärmen. @@ -154,85 +154,85 @@ Skriv in din text innan du klickar på Nytt. BiblesPlugin - + &Bible &Bibel - + Bible name singular Bibel - + Bibles name plural Biblar - + Bibles container title Biblar - + No Book Found Bok saknas - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Ingen bok hittades i vald bibel. Kontrollera stavningen av bokens namn. - + Import a Bible. Importera en bibelöversättning. - + Add a new Bible. Lägg till en ny bibel. - + Edit the selected Bible. Redigera vald bibel. - + Delete the selected Bible. Ta bort vald bibel. - + Preview the selected Bible. Förhandsgranska bibeltexten. - + Send the selected Bible live. Visa bibeltexten live. - + Add the selected Bible to the service. Lägg till bibeltexten i körschemat. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bibelmodul</strong><br />Bibelmodulen gör det möjligt att visa bibelverser från olika översättningar under gudstjänsten. - + &Upgrade older Bibles &Uppgradera äldre biblar - + Upgrade the Bible databases to the latest format. Uppgradera bibeldatabasen till det senaste formatet. @@ -660,61 +660,61 @@ Skriv in din text innan du klickar på Nytt. : Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 - + : v Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 - + v V Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 - + V verse Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 - + vers verses Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 - + verserna - range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + - to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - till + till , connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + , and connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 - + och end ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse - + slutet @@ -767,39 +767,39 @@ följas av ett eller flera ickenumeriska tecken. BiblesPlugin.BibleManager - + Scripture Reference Error Felaktig bibelreferens - + Web Bible cannot be used Webb-bibel kan inte användas - + Text Search is not available with Web Bibles. Textsökning är inte tillgänglig för webb-biblar. - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. Du angav inget sökord. Du kan ange flera sökord avskilda med mellanslag för att söka på alla sökord och du kan avskilja sökorden med kommatecken för att söka efter ett av sökorden. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Det finns inga biblar installerade. Använd guiden för bibelimport och installera en eller flera bibelöversättningar. - + No Bibles Available Inga biblar tillgängliga - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -989,12 +989,12 @@ sökresultat och vid visning: BiblesPlugin.CSVBible - + Importing books... %s Importerar böcker... %s - + Importing verses... done. Importerar verser... klart. @@ -1072,38 +1072,38 @@ Det går inte att anpassa boknamnen. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrerar bibel och laddar böcker... - + Registering Language... Registrerar språk... - + Importing %s... Importing <book name>... Importerar %s... - + Download Error Fel vid nedladdning - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. Det uppstod problem vid nedladdningen av versurvalet. Kontrollera Internetanslutningen och om problemet återkommer, överväg att rapportera det som en bugg. - + Parse Error Fel vid tolkning - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Det uppstod problem vid extraherande av vers-urvalet. Om problemet uppstår igen, överväg att rapportera det som en bugg. @@ -1111,164 +1111,184 @@ Det går inte att anpassa boknamnen. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Guiden för bibelimport - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. Den här guiden hjälper dig importera biblar från en mängd olika format. Klicka på Nästa för att fortsätta med importen. - + Web Download Nedladdning från Internet - + Location: Källa: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bibel: - + Download Options Alternativ för nedladdning - + Server: Server: - + Username: Användarnamn: - + Password: Lösenord: - + Proxy Server (Optional) Proxyserver (frivilligt) - + License Details Licensdetaljer - + Set up the Bible's license details. Skriv in bibelns licensuppgifter. - + Version name: Namn på översättningen: - + Copyright: Copyright: - + Please wait while your Bible is imported. Vänta medan bibeln importeras. - + You need to specify a file with books of the Bible to use in the import. Du måste välja en fil med bibelböcker att använda i importen. - + You need to specify a file of Bible verses to import. Du måste välja en fil med bibelverser att importera. - + You need to specify a version name for your Bible. Du måste ange ett namn på bibelöversättningen. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Du måste ange copyright för bibeln. Biblar i public domain måste markeras som sådana. - + Bible Exists Bibeln finns redan - + This Bible already exists. Please import a different Bible or first delete the existing one. Bibeln finns redan. Importera en annan bibel eller ta först bort den existerande. - + Your Bible import failed. Bibelimporten misslyckades. - + CSV File CSV-fil - + Bibleserver Bibelserver - + Permissions: Tillstånd: - + Bible file: Bibelfil: - + Books file: Bokfil: - + Verses file: Versfil: - + Registering Bible... Registrerar bibel... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - + Bibel registrerad. Observera att verserna kommer att laddas ner vid behov och därför behövs en internetanslutning. + + + + Click to download bible list + Klicka för att ladda ner bibellista + + + + Download bible list + Ladda ner bibellista + + + + Error during download + Fel vid nedladdning + + + + An error occurred while downloading the list of bibles from %s. + Ett fel uppstod vid nerladdning av listan med biblar från %s. @@ -1404,15 +1424,28 @@ För att bibeln ska gå att använda igen måste den importeras på nytt. Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - + Ogiltig filtyp på den valda bibeln. Det här verkar vara en Zefania XML-bibel. Använd importverktyget för Zefania. + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + Importerar %(bookname)s %(chapter)s... BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - + Tar bort oanvända taggar (det här kan ta några minuter)... + + + + Importing %(bookname)s %(chapter)s... + Importerar %(bookname)s %(chapter)s... @@ -1420,7 +1453,7 @@ För att bibeln ska gå att använda igen måste den importeras på nytt. Select a Backup Directory - Välj en backupmapp + Välj en mapp för säkerhetskopiering @@ -1435,32 +1468,32 @@ För att bibeln ska gå att använda igen måste den importeras på nytt. Select Backup Directory - Välj backupmapp + Välj mapp för säkerhetskopiering Please select a backup directory for your Bibles - Välj en mapp för backup av dina biblar + Välj en mapp för säkerhetskopiering av dina biblar Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - Tidigare utgåvor av OpenLP 2.0 kan inte använda uppgraderade biblar. Nu skapas en backup av dina nuvarande biblar så att du enkelt kan kopiera tillbaks filerna till din OpenLP-datakatalog om du skulle behöva återgå till en tidigare utgåva av OpenLP. Instruktioner om hur man återställer finns i vår <a href="http://wiki.openlp.org/faq">FAQ</a>. + Tidigare utgåvor av OpenLP 2.0 kan inte använda uppgraderade biblar. Nu skapas en säkerhetskopia av dina nuvarande biblar så att du enkelt kan kopiera tillbaks filerna till din OpenLP-datakatalog om du skulle behöva återgå till en tidigare utgåva av OpenLP. Instruktioner om hur man återställer finns i vår <a href="http://wiki.openlp.org/faq">FAQ</a>. Please select a backup location for your Bibles. - Välj en mapp för backup av dina biblar. + Välj en mapp för säkerhetskopiering av dina biblar. Backup Directory: - Backupmapp: + Mapp för säkerhetskopiering: There is no need to backup my Bibles - Det är inte nödvändigt med backup av mina biblar + Det är inte nödvändigt med säkerhetskopiering av mina biblar @@ -1486,8 +1519,8 @@ För att bibeln ska gå att använda igen måste den importeras på nytt. The backup was not successful. To backup your Bibles you need permission to write to the given directory. - Backuptagningen lyckades inte. -För att kunna göra backup av dina biblar krävs skrivrättigheter i den givna mappen. + Säkerhetskopieringen lyckades inte. +För att kunna göra en säkerhetskopia av dina biblar krävs skrivrättigheter i den givna mappen. @@ -1552,7 +1585,7 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där You need to specify a backup directory for your Bibles. - Du måste välja en backupmapp för dina biblar. + Du måste välja en mapp för säkerhetskopiering av dina biblar. @@ -1568,73 +1601,81 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. - + Ogiltig filtyp på den valda bibeln. Zefania-biblar kan vara komprimerade. Du måste packa upp dem före import. + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + Importerar %(bookname)s %(chapter)s... CustomPlugin - + Custom Slide name singular Anpassad sida - + Custom Slides name plural Anpassade sidor - + Custom Slides container title Anpassade sidor - + Load a new custom slide. Ladda en ny uppsättning sidor. - + Import a custom slide. Importera en uppsättning sidor. - + Add a new custom slide. Lägg till en ny uppsättning sidor. - + Edit the selected custom slide. Redigera den valda uppsättningen sidor. - + Delete the selected custom slide. Ta bort den valda uppsättningen sidor. - + Preview the selected custom slide. Förhandsgranska den valda uppsättningen sidor. - + Send the selected custom slide live. Visa den valda uppsättningen sidor live. - + Add the selected custom slide to the service. Lägg till den valda uppsättningen sidor i körschemat. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. <strong>Modul för anpassade sidor</strong><br />Modulen för anpassade sidor gör det möjligt att skapa anpassade textsidor som kan visas på skärmen på samma sätt som sånger. Modulen ger större frihet än sångmodulen. @@ -1731,7 +1772,7 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Är du säker på att du vill ta bort den valda sidan? @@ -1742,60 +1783,60 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>Bildmodul</strong><br />Bildmodulen erbjuder visning av bilder.<br />En av funktionerna i modulen är möjligheten att gruppera bilder i körschemat, vilket gör visning av flera bilder enklare. Modulen kan även använda OpenLP:s funktion för "tidsstyrd bildväxling" för att skapa ett bildspel som rullar automatiskt. Dessutom kan bilder från modulen användas för att ersätta det aktuella temats bakgrund, så att textbaserade sidor som till exempel sånger visas med den valda bilden som bakgrund i stället för temats bakgrund. - + Image name singular Bild - + Images name plural Bilder - + Images container title Bilder - + Load a new image. Ladda en ny bild. - + Add a new image. Lägg till en ny bild. - + Edit the selected image. Redigera den valda bilden. - + Delete the selected image. Ta bort den valda bilden. - + Preview the selected image. Förhandsgranska den valda bilden. - + Send the selected image live. Visa den valda bilden live. - + Add the selected image to the service. Lägg till den valda bilden i körschemat. @@ -1823,12 +1864,12 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där Du måste ange ett gruppnamn. - + Could not add the new group. Kunde inte lägga till den nya gruppen. - + This group already exists. Gruppen finns redan. @@ -1877,34 +1918,34 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där Välj bild(er) - + You must select an image to replace the background with. Du måste välja en bild att ersätta bakgrundsbilden med. - + Missing Image(s) Bild(er) saknas - + The following image(s) no longer exist: %s Följande bild(er) finns inte längre: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Följande bild(er) finns inte längre: %s Vill du lägga till dom andra bilderna ändå? - + There was a problem replacing your background, the image file "%s" no longer exists. Det uppstod ett problem med att ersätta din bakgrund, bildfilen "%s" finns inte längre. - + There was no display item to amend. Det fanns ingen visningspost att ändra. @@ -1914,17 +1955,17 @@ Vill du lägga till dom andra bilderna ändå? -- Toppnivå -- - + You must select an image or group to delete. Du måste välja en bild eller grupp att ta bort. - + Remove group Ta bort grupp - + Are you sure you want to remove "%s" and everything in it? Vill du verkligen ta bort "%s" och allt därunder? @@ -1945,22 +1986,22 @@ Vill du lägga till dom andra bilderna ändå? Phonon är en mediaspelare som interagerar med operativsystemet för att tillhandahålla mediafunktioner. - + Audio Audio - + Video Video - + VLC is an external player which supports a number of different formats. VLC är en extern spelare som stödjer en mängd olika format. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit är en mediaspelare som kör i en webbläsare. Den här spelaren kan rendera text över video. @@ -1968,60 +2009,60 @@ Vill du lägga till dom andra bilderna ändå? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Mediamodul</strong><br />Mediamodulen gör det möjligt att spela upp ljud och video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Ladda en ny mediafil. - + Add new media. Lägg till media. - + Edit the selected media. Redigera den valda mediaposten. - + Delete the selected media. Ta bort den valda mediaposten. - + Preview the selected media. Förhandsgranska den valda mediaposten. - + Send the selected media live. Visa den valda mediaposten live. - + Add the selected media to the service. Lägg till den valda mediaposten i körschemat. @@ -2031,32 +2072,32 @@ Vill du lägga till dom andra bilderna ändå? Select Media Clip - + Välj mediaklipp Source - + Källa Media path: - + Sökväg till media: Select drive from list - + Välj enhet från listan Load disc - + Ladda disk Track Details - + Spårdetaljer @@ -2066,52 +2107,52 @@ Vill du lägga till dom andra bilderna ändå? Audio track: - + Ljudspår: Subtitle track: - + Undertextspår: HH:mm:ss.z - + HH:mm:ss.zzz Clip Range - + Avgränsning Start point: - + Startpunkt: Set start point - + Välj startpunkt Jump to start point - + Hoppa till startpunkt End point: - + Slutpunkt: Set end point - + Välj slutpunkt Jump to end point - + Hoppa till slutpunkt @@ -2119,67 +2160,67 @@ Vill du lägga till dom andra bilderna ändå? No path was given - + Ingen sökväg angavs Given path does not exists - + Den angivna sökvägen finns inte An error happened during initialization of VLC player - + Ett fel inträffade vid start av mediaspelaren VLC VLC player failed playing the media - + Mediaspelaren VLC kunde inte spela upp mediastycket CD not loaded correctly - + CD:n laddades inte korrekt The CD was not loaded correctly, please re-load and try again. - + CD:n laddades inte korrekt. Ta ut och mata in CD:n och försök igen. DVD not loaded correctly - + DVD:n laddades inte korrekt The DVD was not loaded correctly, please re-load and try again. - + DVD:n laddades inte korrekt. Ta ut och mata in disken och försök igen. Set name of mediaclip - + Välj namn på mediaklipp Name of mediaclip: - + Namn på mediaklipp: Enter a valid name or cancel - + Ange ett giltigt namn eller avbryt Invalid character - + Ogiltigt tecken The name of the mediaclip must not contain the character ":" - + Mediaklippets namn får inte innehålla tecknet ":" @@ -2190,37 +2231,37 @@ Vill du lägga till dom andra bilderna ändå? Välj media - + You must select a media file to delete. Du måste välja en mediafil för borttagning. - + You must select a media file to replace the background with. Du måste välja en mediafil att ersätta bakgrunden med. - + There was a problem replacing your background, the media file "%s" no longer exists. Det uppstod problem när bakgrunden skulle ersättas: mediafilen "%s" finns inte längre. - + Missing Media File Mediafil saknas - + The file %s no longer exists. Filen %s finns inte längre. - + Videos (%s);;Audio (%s);;%s (*) Videor (%s);;Ljud (%s);;%s (*) - + There was no display item to amend. Det fanns ingen visningspost att ändra. @@ -2230,44 +2271,44 @@ Vill du lägga till dom andra bilderna ändå? Ej stödd fil - + Use Player: Använd uppspelare: VLC player required - + Mediaspelaren VLC krävs VLC player required for playback of optical devices - + Mediaspelaren VLC krävs för uppspelning av optiska enheter - + Load CD/DVD - + Ladda CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled - + Ladda CD/DVD - stöds endast när VLC är installerat och aktiverat - + The optical disc %s is no longer available. - + Den optiska disken %s är inte längre tillgänglig. - + Mediaclip already saved - + Mediaklippet redan sparat - + This mediaclip has already been saved - + Det här mediaklippet har redan sparats @@ -2288,23 +2329,23 @@ Vill du lägga till dom andra bilderna ändå? &Projector Manager - + &Projektorhantering OpenLP - + Image Files Bildfiler - + Information Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -2315,27 +2356,27 @@ Ska OpenLP uppgradera nu? Backup - + Säkerhetskopiering OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - + OpenLP har uppgraderats. Vill du skapa en säkerhetskopia av OpenLP:s datamapp? Backup of the data folder failed! - + Säkerhetskopiering av datamappen misslyckades! A backup of the data folder has been created at %s - + En säkerhetskopia av datamappen har skapats i %s Open - + Öppen @@ -2471,13 +2512,95 @@ Final Credit on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + Projektledning + %s + +Utvecklare + %s + +Med hjälp från + %s + +Testare + %s + +Paketering + %s + +Översättare + Afrikaans (af) + %s + Tjeckiska (cs) + %s + Danska (da) + %s + Tyska (de) + %s + Grekiska (el) + %s + Engelska, brittisk (en_GB) + %s + Engelska, sydafrikansk (en_ZA) + %s + Spanska (es) + %s + Estniska (et) + %s + Finska (fi) + %s + Franska (fr) + %s + Ungerska (hu) + %s + Indonesiska (id) + %s + Japanska (ja) + %s + Norska (bokmål) (nb) + %s + Nederländska (nl) + %s + Polska (pl) + %s + Portugisiska, brasiliansk (pt_BR) + %s + Ryska (ru) + %s + Svenska (sv) + %s + Tamil (lankesisk) (ta_LK) + %s + Kinesiska (förenklad) (zh_CN) + %s + +Dokumentation + %s + +Byggt med + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Slutligt tack + "Så älskade Gud världen att han gav den + sin ende son, för att de som tror på honom + inte skall gå under utan ha evigt liv." + -- Joh 3:16 + + Och sist men inte minst, slutligt tack går till + Gud, vår far, för att han sände sin son för + att dö på korset och befria oss från synden. + Vi ger den här mjukvaran till dig fritt, + eftersom han har gjort oss fria. Copyright © 2004-2015 %s Portions copyright © 2004-2015 %s - + Copyright © 2004-2015 %s +Del-copyright © 2004-2015 %s @@ -2550,7 +2673,7 @@ Portions copyright © 2004-2015 %s Preview items when clicked in Media Manager - Förhandsgranska poster vid klick i mediahanteraren + Förhandsgranska poster vid klick i mediahanteringen @@ -2821,7 +2944,7 @@ verkar innehålla OpenLP-data. Är du säker på att du vill ersätta de filerna RGB - + RGB @@ -2831,242 +2954,242 @@ verkar innehålla OpenLP-data. Är du säker på att du vill ersätta de filerna Digital - + Digital Storage - + Lagringsutrymme Network - + Nätverk RGB 1 - + RGB 1 RGB 2 - + RGB 2 RGB 3 - + RGB 3 RGB 4 - + RGB 4 RGB 5 - + RGB 5 RGB 6 - + RGB 6 RGB 7 - + RGB 7 RGB 8 - + RGB 8 RGB 9 - + RGB 9 Video 1 - + Video 1 Video 2 - + Video 2 Video 3 - + Video 3 Video 4 - + Video 4 Video 5 - + Video 5 Video 6 - + Video 6 Video 7 - + Video 7 Video 8 - + Video 8 Video 9 - + Video 9 Digital 1 - + Digital 1 Digital 2 - + Digital 2 Digital 3 - + Digital 3 Digital 4 - + Digital 4 Digital 5 - + Digital 5 Digital 6 - + Digital 6 Digital 7 - + Digital 7 Digital 8 - + Digital 8 Digital 9 - + Digital 9 Storage 1 - + Lagringsutrymme 1 Storage 2 - + Lagringsutrymme 2 Storage 3 - + Lagringsutrymme 3 Storage 4 - + Lagringsutrymme 4 Storage 5 - + Lagringsutrymme 5 Storage 6 - + Lagringsutrymme 6 Storage 7 - + Lagringsutrymme 7 Storage 8 - + Lagringsutrymme 8 Storage 9 - + Lagringsutrymme 9 Network 1 - + Nätverk 1 Network 2 - + Nätverk 2 Network 3 - + Nätverk 3 Network 4 - + Nätverk 4 Network 5 - + Nätverk 5 Network 6 - + Nätverk 6 Network 7 - + Nätverk 7 Network 8 - + Nätverk 8 Network 9 - + Nätverk 9 @@ -3195,7 +3318,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename Byt namn på fil @@ -3205,7 +3328,7 @@ Version: %s Nytt filnamn: - + File Copy Kopiera fil @@ -3231,255 +3354,267 @@ Version: %s OpenLP.FirstTimeWizard - + Songs Sånger - + First Time Wizard Kom igång-guiden - + Welcome to the First Time Wizard - Välkommen till kom igång-guiden + Välkommen till Kom igång-guiden - + Activate required Plugins Aktivera önskade moduler - + Select the Plugins you wish to use. Välj de moduler du vill använda. - + Bible Bibel - + Images Bilder - + Presentations Presentationer - + Media (Audio and Video) Media (ljud och video) - + Allow remote access Tillåt fjärråtkomst - + Monitor Song Usage Loggning av sånganvändning - + Allow Alerts Tillåt meddelanden - + Default Settings Standardinställningar - + Downloading %s... Hämtar %s... - + Enabling selected plugins... Aktivera valda moduler... - + No Internet Connection Ingen Internetanslutning - + Unable to detect an Internet connection. Lyckades inte ansluta till Internet. - + Sample Songs Exempelsånger - + Select and download public domain songs. Välj och ladda ner sånger som är i public domain. - + Sample Bibles Exempelbiblar - + Select and download free Bibles. Välj och ladda ner fria bibelöversättningar. - + Sample Themes Exempelteman - + Select and download sample themes. Välj och ladda ner exempelteman. - + Set up default settings to be used by OpenLP. Gör standardinställningar för OpenLP. - + Default output display: Standardskärm för visning: - + Select default theme: Välj standardtema: - + Starting configuration process... Startar konfigurationsprocess... - + Setting Up And Downloading Ställer in och laddar ner - + Please wait while OpenLP is set up and your data is downloaded. Vänta medan OpenLP ställs in och din data laddas ner. - + Setting Up Ställer in - + Custom Slides Anpassade sidor - + Finish Slut - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. Ingen Internetanslutning hittades. Kom igång-guiden behöver en Internetanslutning för att kunna ladda ner ett urval av sånger, biblar och teman. Klicka på knappen Slutför nu för att starta OpenLP med grundinställningarna och utan data. -För att köra Kom igång-guiden igen och importera exempeldatan senare, kontrollera din Internetanslutning och starta om den här guiden genom att välja "Verktyg/Kör kom igång-guiden" från OpenLP. +För att köra Kom igång-guiden igen och importera exempeldatan senare, kontrollera din Internetanslutning och starta om den här guiden genom att välja "Verktyg/Kör Kom igång-guiden" från OpenLP. - + Download Error Fel vid nedladdning - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Problem med anslutningen uppstod vid nedladdningen, så resten av nedladdningarna kommer att hoppas över. Försök att köra Kom igång-guiden senare. - + Download complete. Click the %s button to return to OpenLP. - + Nedladdningen färdig. Klicka på knappen %s för att återgå till OpenLP. - + Download complete. Click the %s button to start OpenLP. - + Nedladdningen färdig. Klicka på knappen %s för att starta OpenLP. - + Click the %s button to return to OpenLP. - + Klicka på knappen %s för att återgå till OpenLP. - + Click the %s button to start OpenLP. - + Klicka på knappen %s för att starta OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Problem med anslutningen uppstod vid nedladdningen, så resten av nedladdningarna kommer att hoppas över. Försök att köra Kom igång-guiden senare. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + Den här guiden hjälper dig att ställa in OpenLP för användning första gången. Klicka på knappen %s nedan för att starta. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + + +För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på knappen %s nu. - + Downloading Resource Index - - - - - Please wait while the resource index is downloaded. - + Laddar ner resursindex + Please wait while the resource index is downloaded. + Vänta medan resursindexet laddas ner. + + + Please wait while OpenLP downloads the resource index file... - + Vänta medan OpenLP laddar ner resursindexfilen... - + Downloading and Configuring - + Laddar ner och konfigurerar - + Please wait while resources are downloaded and OpenLP is configured. - + Vänta medan resurser laddas ner och OpenLP konfigureras. - + Network Error - + Nätverksfel - + There was a network error attempting to connect to retrieve initial configuration information - + Det uppstod ett nätverksfel när anslutning för hämtning av grundläggande inställningar skulle göras + + + + Cancel + Avbryt + + + + Unable to download some files + Kunde inte ladda ner vissa filer @@ -3550,7 +3685,17 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. - + Beskrivningen %s är redan definierad. + + + + Start tag %s is not valid HTML + Starttaggen %s är inte giltig HTML + + + + End tag %s does not match end tag for start tag %s + Sluttaggen %s matchar inte starttaggen %s @@ -3656,7 +3801,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Display if a single screen - Visa även på enkel skärm + Visa även på ensam skärm @@ -3810,7 +3955,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP-visning @@ -3870,7 +4015,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Theme Manager - Temahanterare + Temahantering @@ -3935,32 +4080,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Media Manager - &Mediahanterare + &Mediahantering Toggle Media Manager - Växla mediahanterare + Växla mediahantering Toggle the visibility of the media manager. - Växla visning av mediahanteraren. + Växla visning av mediahanteringen. &Theme Manager - &Temahanterare + &Temahantering Toggle Theme Manager - Växla temahanteraren + Växla temahanteringen Toggle the visibility of the theme manager. - Växla visning av temahanteraren. + Växla visning av temahanteringen. @@ -4117,7 +4262,7 @@ Du kan ladda ner den senaste versionen från http://openlp.org/. Huvudbilden har släckts - + Default Theme: %s Standardtema: %s @@ -4125,7 +4270,7 @@ Du kan ladda ner den senaste versionen från http://openlp.org/. English Please add the name of your language here - Engelska + Svenska @@ -4133,12 +4278,12 @@ Du kan ladda ner den senaste versionen från http://openlp.org/. Konfigurera &genvägar... - + Close OpenLP Avsluta OpenLP - + Are you sure you want to close OpenLP? Är du säker på att du vill avsluta OpenLP? @@ -4190,35 +4335,35 @@ Du kan ladda ner den senaste versionen från http://openlp.org/. Re-run First Time Wizard - Kör kom igång-guiden + Kör Kom igång-guiden Re-run the First Time Wizard, importing songs, Bibles and themes. - Kör kom igång-guiden och importera sånger, biblar och teman. + Kör Kom igång-guiden och importera sånger, biblar och teman. Re-run First Time Wizard? - Kör kom igång-guiden? + Kör Kom igång-guiden? Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - Är du säker på att du vill köra kom igång-guiden? + Är du säker på att du vill köra Kom igång-guiden? Om du kör den här guiden kan din nuvarande konfiguration av OpenLP komma att ändras, sånger eventuellt läggas till din befintliga sånglista, och standardtemat bytas. - + Clear List Clear List of recent files Rensa listan - + Clear the list of recent files. Rensa listan med senaste körscheman. @@ -4278,17 +4423,17 @@ Om du kör den här guiden kan din nuvarande konfiguration av OpenLP komma att OpenLP-inställningsfiler (*.conf) - + New Data Directory Error Ny datakatalog-fel - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish Kopierar OpenLP-data till ny plats för datakatalogen - %s - Vänta tills kopieringen är avslutad - + OpenLP Data directory copy failed %s @@ -4336,38 +4481,43 @@ Processen har avbrutits och inga ändringar gjordes. Projector Manager - + Projektorhantering Toggle Projector Manager - + Växla projektorhanteringen Toggle the visibility of the Projector Manager - + Växla visning av projektorhanteringen - + Export setting error - + Fel vid inställningsexport The key "%s" does not have a default value so it will be skipped in this export. - + Attributet "%s" har inget standardvärde, så det kommer att hoppas över i den här exporten. + + + + An error occurred while exporting the settings: %s + Ett fel inträffade när inställningarna exporterades: %s OpenLP.Manager - + Database Error Databasfel - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4376,7 +4526,7 @@ Database: %s Databas: %s - + OpenLP cannot load your database. Database: %s @@ -4455,7 +4605,7 @@ Filändelsen stöds ej &Klona - + Duplicate files were found on import and were ignored. Dubblettfiler hittades vid importen och ignorerades. @@ -4478,22 +4628,22 @@ Filändelsen stöds ej Unknown status - + Okänd status No message - + Inget meddelande Error while sending data to projector - + Fel vid sändning av data till projektorn Undefined command: - + Odefinierat kommando: @@ -4663,257 +4813,257 @@ Filändelsen stöds ej OK - + OK General projector error - + Allmänt projektorfel Not connected error - + Anslutningsfel Lamp error - + Lampfel Fan error - + Fläktfel High temperature detected - + Hög temperatur uppmätt Cover open detected - + Öppet hölje upptäckt Check filter - + Kontrollera filter Authentication Error - + Autentiseringsfel Undefined Command - + Odefinierat kommando Invalid Parameter - + Ogiltig parameter Projector Busy - + Projektor upptagen Projector/Display Error - + Projektor-/skärmfel Invalid packet received - + Ogiltigt paket mottaget Warning condition detected - + Varningstillstånd upptäckt Error condition detected - + Feltillstånd upptäckt PJLink class not supported - + PJLink-klass ej stödd Invalid prefix character - + Ogiltigt prefixtecken The connection was refused by the peer (or timed out) - + Anslutningen nekades av noden (eller tog för lång tid) The remote host closed the connection - + Fjärrvärden stängde anslutningen The host address was not found - + Värdadressen hittades inte The socket operation failed because the application lacked the required privileges - + Socket-operationen misslyckades eftersom programmet saknade rättigheter The local system ran out of resources (e.g., too many sockets) - + Det lokalal systemet fick slut på resurser (t.ex. för många socketar) The socket operation timed out - + Socket-operationen tog för lång tid The datagram was larger than the operating system's limit - + Datapaketet var större än operativsystemets begränsning An error occurred with the network (Possibly someone pulled the plug?) - + Ett fel inträffade med nätverket (drog någon ur sladden?) The address specified with socket.bind() is already in use and was set to be exclusive - + Adressen för socket.bind() används redan och var inställd att vara exklusiv The address specified to socket.bind() does not belong to the host - + Adressen för socket.bind() tillhör inte värden The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) - + Den begärda socket-operationen stöds inte av det lokala operativsystemet (t.ex. bristande IPv6-stöd) The socket is using a proxy, and the proxy requires authentication - + Socketen använder en proxy och proxyn kräver autentisering The SSL/TLS handshake failed - + SSL/TLS-handskakningen misslyckades The last operation attempted has not finished yet (still in progress in the background) - + Den senast startade operationen har inte blivit klar än (kör fortfarande i bakgrunden) Could not contact the proxy server because the connection to that server was denied - + Kunde inte kontakta proxyservern eftersom anslutningen till den servern nekades The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) - + Anslutningen till proxyservern stängdes oväntat (innan anslutningen till slutnoden hade etablerats) The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. - + Anslutningen till proxyservern tog för lång tid, alternativt slutade servern att svara under autentiseringsfasen. The proxy address set with setProxy() was not found - - - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - + Proxyadressen som angavs med setProxy() hittades An unidentified error occurred - + Ett oidentifierat fel inträffade Not connected - + Ej ansluten Connecting - + Ansluter Connected - + Ansluten Getting status - + Hämtar status Off - + Av Initialize in progress - + Initialisering pågår Power in standby - + Ställd i standby Warmup in progress - + Uppvärmning pågår Power is on - + Påslagen Cooldown in progress - + Nedkylning pågår Projector Information available - + Projektorinformation tillgänglig Sending data - + Sänder data Received data - + Tog emot data + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + Anslutning till proxyservern misslyckades eftersom svaret från proxyservern inte gick att tolka @@ -4921,17 +5071,17 @@ Filändelsen stöds ej Name Not Set - + Namn inte inställt You must enter a name for this entry.<br />Please enter a new name for this entry. - + Du måste ange ett namn för den här posten.<br />Ange ett nytt namn för den här posten. Duplicate Name - + Dublettnamn @@ -4939,37 +5089,37 @@ Filändelsen stöds ej Add New Projector - + Lägg till ny projektor Edit Projector - + Redigera projektor IP Address - + IP-adress Port Number - + Portnummer PIN - + PIN Name - + Namn Location - + Plats @@ -4984,7 +5134,7 @@ Filändelsen stöds ej There was an error saving projector information. See the log for the error - + Det uppstod ett fel när projektorinformationen skulle sparas. Se felet i loggen @@ -4992,162 +5142,162 @@ Filändelsen stöds ej Add Projector - + Lägg till projektor Add a new projector - + Lägg till en ny projektor Edit Projector - + Redigera projektor Edit selected projector - + Redigera den valda projektorn Delete Projector - + Ta bort projektor Delete selected projector - + Ta bort den valda projektorn Select Input Source - + Välj bildkälla Choose input source on selected projector - + Välj bildkälla för den valda projektorn View Projector - + Visa projektor View selected projector information - + Visa information om den valda projektorn Connect to selected projector - + Anslut till den valda projektorn Connect to selected projectors - + Anslut till de valda projektorerna Disconnect from selected projectors - + Koppla från de valda projektorerna Disconnect from selected projector - + Koppla från den valda projektorn Power on selected projector - + Starta den valda projektorn Standby selected projector - + Ställ projektor i viloläge Put selected projector in standby - + Försätt den valda projektorn i viloläge Blank selected projector screen - + Släck den valda projektorns bild Show selected projector screen - + Visa den valda projektorns bild &View Projector Information - + Visa &projektorinformation &Edit Projector - + &Redigera projektor &Connect Projector - + &Anslut projektor D&isconnect Projector - + &Koppla från projektor Power &On Projector - + &Starta projektor Power O&ff Projector - + St&äng av projektor Select &Input - + Välj &ingång Edit Input Source - + Redigera bildkälla &Blank Projector Screen - + S&läck projektorbild &Show Projector Screen - + Visa projektor&bild &Delete Projector - + &Ta bort projektor Name - + Namn IP - + IP @@ -5162,92 +5312,92 @@ Filändelsen stöds ej Projector information not available at this time. - + Projektorinformation finns inte tillgänglig för tillfället. Projector Name - + Projektornamn Manufacturer - + Tillverkare Model - + Modell Other info - + Övrig info Power status - + Driftstatus Shutter is - + Bildluckan är Closed - + Stängd Current source input is - + Nuvarande bildkälla är Lamp - + Lampa On - + Off - + Av Hours - + Timmar No current errors or warnings - + Inga fel eller varningar just nu Current errors/warnings - + Nuvarande fel/varningar Projector Information - + Projektorinformation No message - + Inget meddelande Not Implemented Yet - + Inte implementerat ännu @@ -5255,27 +5405,27 @@ Filändelsen stöds ej Fan - + Fläkt Lamp - + Lampa Temperature - + Temperatur Cover - + Hölje Filter - + Filter @@ -5288,37 +5438,37 @@ Filändelsen stöds ej Projector - + Projektor Communication Options - + Kommunikationsinställningar Connect to projectors on startup - + Anslut till projektorer vid start Socket timeout (seconds) - + Socket-timeout (sekunder) Poll time (seconds) - + Frågeintervall (sekunder) Tabbed dialog box - + Flikindelad dialogruta Single dialog box - + Odelad dialogruta @@ -5326,17 +5476,17 @@ Filändelsen stöds ej Duplicate IP Address - + Dublett-IP-adress Invalid IP Address - + Ogiltig IP-adress Invalid Port Number - + Ogiltigt portnummer @@ -5367,7 +5517,7 @@ Filändelsen stöds ej [slide %d] - + [bild %d] @@ -5461,22 +5611,22 @@ Filändelsen stöds ej &Byt postens tema - + File is not a valid service. Filen är inte ett giltigt körschema. - + Missing Display Handler Visningsmodul saknas - + Your item cannot be displayed as there is no handler to display it Posten kan inte visas eftersom det inte finns någon visningsmodul för att visa den - + Your item cannot be displayed as the plugin required to display it is missing or inactive Posten kan inte visas eftersom modulen som krävs för att visa den saknas eller är inaktiv @@ -5556,12 +5706,12 @@ Filändelsen stöds ej Egna körschemaanteckningar: - + Notes: Anteckningar: - + Playing time: Speltid: @@ -5571,22 +5721,22 @@ Filändelsen stöds ej Nytt körschema - + File could not be opened because it is corrupt. Filen kunde inte öppnas eftersom den är korrupt. - + Empty File Tom fil - + This service file does not contain any data. Det här körschemat innehåller inte någon data. - + Corrupt File Korrupt fil @@ -5606,32 +5756,32 @@ Filändelsen stöds ej Välj ett tema för körschemat. - + Slide theme Sidtema - + Notes Anteckningar - + Edit Redigera - + Service copy only Endast kopian i körschemat - + Error Saving File Fel vid filsparande - + There was an error saving your file. Det inträffade ett fel när filen skulle sparas. @@ -5640,15 +5790,6 @@ Filändelsen stöds ej Service File(s) Missing Fil(er) i körschemat saknas - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - Följande fil(er) i körschemat saknas:⏎ <byte value="x9"/>%s⏎ ⏎ -Filerna kommer att tas bort om du fortsätter att spara. - &Rename... @@ -5675,7 +5816,7 @@ Filerna kommer att tas bort om du fortsätter att spara. Växla sidor automatiskt &en gång - + &Delay between slides &Tid mellan växling @@ -5685,64 +5826,78 @@ Filerna kommer att tas bort om du fortsätter att spara. OpenLP körschemafiler (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP körschemafiler (*.osz);; OpenLP körschemafiler - lite (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP körschemafiler (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Filen är inte ett giltigt körschema. Innehållets teckenkodning är inte UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. Körschemat som du försöker öppna har ett gammalt format. Spara om den med OpenLP 2.0.2 eller nyare. - + This file is either corrupt or it is not an OpenLP 2 service file. Filen är antingen skadad eller så är det inte en körschemafil för OpenLP 2. - + &Auto Start - inactive &Autostart - inaktiverat - + &Auto Start - active &Autostart - aktiverat - + Input delay Inmatningsfördröjning - + Delay between slides in seconds. Tid i sekunder mellan sidorna. - + Rename item title Byt titel på post - + Title: Titel: + + + An error occurred while writing the service file: %s + Ett fel inträffade när körschemafilen skrevs: %s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + Följande fil(er) i körschemat saknas: %s + +Filerna kommer att tas bort från körschemat om du går vidare och sparar. + OpenLP.ServiceNoteForm @@ -6004,49 +6159,44 @@ Spara om den med OpenLP 2.0.2 eller nyare. OpenLP.SourceSelectForm - + Select Projector Source - + Välj projektorkälla - + Edit Projector Source Text - + Redigera text för projektorkälla Ignoring current changes and return to OpenLP - + Ignorera gjorda ändringar och återgå till OpenLP Delete all user-defined text and revert to PJLink default text - + Ta bort all text från användaren och återställ till PJLinks standardtext Discard changes and reset to previous user-defined text - + Förkasta ändringar och återställ till tidigare användarinställda text Save changes and return to OpenLP - + Spara ändringar och återgå till OpenLP + + + + Delete entries for this projector + Ta bort uppgifter för den här projektorn - Delete entries for this projector - - - - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? - + Are you sure you want to delete ALL user-defined source input text for this projector? + Är du säker på att du vill ta bort ALL användarinställd text för bildkälla för den här projektorn? @@ -6161,7 +6311,7 @@ Spara om den med OpenLP 2.0.2 eller nyare. Edit a theme. - Redigera ett tema. + Redigera tema. @@ -6171,7 +6321,7 @@ Spara om den med OpenLP 2.0.2 eller nyare. Delete a theme. - Ta bort ett tema. + Ta bort tema. @@ -6209,7 +6359,7 @@ Spara om den med OpenLP 2.0.2 eller nyare. Ange som &globalt tema - + %s (default) %s (standard) @@ -6219,52 +6369,47 @@ Spara om den med OpenLP 2.0.2 eller nyare. Du måste välja ett tema att redigera. - + You are unable to delete the default theme. Du kan inte ta bort standardtemat. - + Theme %s is used in the %s plugin. Temat %s används i modulen %s. - + You have not selected a theme. Du har inte valt ett tema. - + Save Theme - (%s) Spara tema - (%s) - + Theme Exported Tema exporterat - + Your theme has been successfully exported. Temat exporterades utan problem. - + Theme Export Failed Temaexport misslyckades - - Your theme could not be exported due to an error. - Ett fel inträffade när temat skulle exporteras. - - - + Select Theme Import File Välj temafil - + File is not a valid theme. Filen är inte ett giltigt tema. @@ -6314,20 +6459,15 @@ Spara om den med OpenLP 2.0.2 eller nyare. Ta bort temat %s? - + Validation Error Valideringsfel - + A theme with this name already exists. Ett tema med det här namnet finns redan. - - - OpenLP Themes (*.theme *.otz) - OpenLP-teman (*.theme *.otz) - Copy of %s @@ -6335,15 +6475,25 @@ Spara om den med OpenLP 2.0.2 eller nyare. Kopia av %s - + Theme Already Exists Tema finns redan - + Theme %s already exists. Do you want to replace it? Temat %s finns redan. Vill du ersätta det? + + + The theme export failed because this error occurred: %s + Temaexporten misslyckades med följande fel: %s + + + + OpenLP Themes (*.otz) + OpenLP-teman (*.otz) + OpenLP.ThemeWizard @@ -6640,7 +6790,7 @@ Spara om den med OpenLP 2.0.2 eller nyare. color: - färg: + Färg: @@ -6703,12 +6853,12 @@ Spara om den med OpenLP 2.0.2 eller nyare. Universal Settings - + Allmänna inställningar &Wrap footer text - + &Radbryt sidfottext @@ -6779,7 +6929,7 @@ Spara om den med OpenLP 2.0.2 eller nyare. Klar. - + Starting import... Startar import... @@ -6790,7 +6940,7 @@ Spara om den med OpenLP 2.0.2 eller nyare. Du måste ange åtminstone en %s-fil att importera från. - + Welcome to the Bible Import Wizard Välkommen till bibelimportguiden @@ -6884,7 +7034,7 @@ Spara om den med OpenLP 2.0.2 eller nyare. Du måste ange en %s-katalog att importera från. - + Importing Songs Importerar sånger @@ -7116,25 +7266,25 @@ Försök att välja den separat. Manufacturer Singular - + Tillverkare Manufacturers Plural - + Tillverkare Model Singular - + Modell Models Plural - + Modeller @@ -7200,7 +7350,7 @@ Försök att välja den separat. OpenLP 2 - + OpenLP 2 @@ -7228,174 +7378,184 @@ Försök att välja den separat. Förhandsgranskning - + Print Service Skriv ut körschema - + Projector Singular - - - - - Projectors - Plural - + Projektor + Projectors + Plural + Projektorer + + + Replace Background Ersätt bakgrund - + Replace live background. Ersätt live-bakgrund. - + Reset Background Återställ bakgrund - + Reset live background. Återställ live-bakgrund. - + s The abbreviated unit for seconds s - + Save && Preview Spara && förhandsgranska - + Search Sök - + Search Themes... Search bar place holder text Sök teman... - + You must select an item to delete. Du måste välja en post att ta bort. - + You must select an item to edit. Du måste välja en post att redigera. - + Settings Inställningar - + Save Service Spara körschema - + Service Körschema - + Optional &Split &Brytanvisning - + Split a slide into two only if it does not fit on the screen as one slide. Dela en sida i två bara om den inte ryms som en sida på skärmen. - + Start %s Starta %s - + Stop Play Slides in Loop Stoppa slingvisning - + Stop Play Slides to End Stoppa visning till slutet - + Theme Singular Tema - + Themes Plural Teman - + Tools Verktyg - + Top Toppen - + Unsupported File Ej stödd fil - + Verse Per Slide En vers per sida - + Verse Per Line En vers per rad - + Version Version - + View Visa - + View Mode Visningsläge CCLI song number: - + CCLI-sångnummer: OpenLP 2.2 + OpenLP 2.2 + + + + Preview Toolbar + Förhandsgranskningsverktygsrad + + + + Replace live background is not available on this platform in this version of OpenLP. @@ -7431,56 +7591,56 @@ Försök att välja den separat. Source select dialog interface - + Gränssnitt för val av källa PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>Presentationsmodul</strong><br />Presentationsmodulen ger möjlighet att visa presentationer med en mängd olika program. Val av presentationsprogram görs av användaren i en flervalslista. - + Presentation name singular Presentation - + Presentations name plural Presentationer - + Presentations container title Presentationer - + Load a new presentation. Ladda en ny presentation. - + Delete the selected presentation. Ta bort den valda presentationen. - + Preview the selected presentation. Förhandsgranska den valda presentationen. - + Send the selected presentation live. Visa den valda presentationen live. - + Add the selected presentation to the service. Lägg till den valda presentationen i körschemat. @@ -7523,17 +7683,17 @@ Försök att välja den separat. Presentationer (%s) - + Missing Presentation Presentation saknas - + The presentation %s is incomplete, please reload. Presentationen %s är inte komplett. Försök att ladda om den. - + The presentation %s no longer exists. Presentationen %s finns inte längre. @@ -7541,48 +7701,58 @@ Försök att välja den separat. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - + Ett fel inträffade i Powerpoint-integrationen och presentationen kommer att avbrytas. Starta om presentationen om du vill visa den. PresentationPlugin.PresentationTab - + Available Controllers Tillgängliga presentationsprogram - + %s (unavailable) %s (ej tillgänglig) - + Allow presentation application to be overridden Tillåt åsidosättning av valt presentationsprogram - + PDF options PDF-alternativ - + Use given full path for mudraw or ghostscript binary: Använd följande fulla sökväg till körbar fil för mudraw eller ghostscript: - + Select mudraw or ghostscript binary. Välj körbar fil för mudraw eller ghostscript. - + The program is not ghostscript or mudraw which is required. Programmet är inte ghostscript eller mudraw, vilket krävs. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7623,129 +7793,129 @@ Försök att välja den separat. RemotePlugin.Mobile - + Service Manager Körschema - + Slide Controller - Visningskontroll + Bildkontroll - + Alerts Meddelanden - + Search Sök - + Home Hem - + Refresh Uppdatera - + Blank Släck - + Theme Tema - + Desktop Skrivbord - + Show Visa - + Prev Förra - + Next Nästa - + Text Text - + Show Alert Visa meddelande - + Go Live Lägg ut bilden - + Add to Service Lägg till i körschema - + Add &amp; Go to Service Lägg till &amp; gå till körschema - + No Results Inga resultat - + Options Alternativ - + Service Körschema - + Slides Bilder - + Settings Inställningar - + OpenLP 2.2 Remote - + OpenLP 2.2-fjärrstyrning - + OpenLP 2.2 Stage View - + OpenLP 2.2-scenbild - + OpenLP 2.2 Live View - + OpenLP 2.2-livebild @@ -7773,7 +7943,7 @@ Försök att välja den separat. Stage view URL: - Scenvisningsadress: + Scenbildsadress: @@ -7823,91 +7993,91 @@ Försök att välja den separat. Show thumbnails of non-text slides in remote and stage view. - + Visa miniatyrer av icketextbilder i fjärrstyrning och scenbild. SongUsagePlugin - + &Song Usage Tracking &Sångloggning - + &Delete Tracking Data &Ta bort loggdata - + Delete song usage data up to a specified date. Ta bort sånganvändningsdata fram till ett givet datum. - + &Extract Tracking Data &Extrahera loggdata - + Generate a report on song usage. Generera en rapport över sånganvändning. - + Toggle Tracking Växla loggning - + Toggle the tracking of song usage. Växla sångloggning på/av. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Sånganvändningsmodul</strong><br />Den här modulen loggar användning av sångerna som visas. - + SongUsage name singular Sånganvändning - + SongUsage name plural Sånganvändning - + SongUsage container title Sånganvändning - + Song Usage Sånganvändning - + Song usage tracking is active. Sångloggning är aktiv. - + Song usage tracking is inactive. Sångloggning är inaktiv. - + display visa - + printed utskriven @@ -7970,22 +8140,22 @@ All data sparad före detta datum kommer att tas bort permanent. Målmapp - + Output File Location Lagringssökväg - + usage_detail_%s_%s.txt användning_%s_%s.txt - + Report Creation Rapportskapande - + Report %s has been successfully created. @@ -7994,47 +8164,57 @@ has been successfully created. skapades utan problem. - + Output Path Not Selected Målmapp inte vald - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Du har inte valt en giltig plats där sånganvändningsrapporten kan skapas. Välj en sökväg till en befintlig mapp på din dator. + + + Report Creation Failed + Rapportskapande misslyckades + + + + An error occurred while creating the report: %s + Ett fel inträffade när rapporten skapades: %s + SongsPlugin - + &Song &Sång - + Import songs using the import wizard. Importera sånger med importguiden. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Sångmodul</strong><br />Sångmodulen ger möjlighet att visa och hantera sånger. - + &Re-index Songs Uppdatera sång&index - + Re-index the songs database to improve searching and ordering. Indexera om sångdatabasen för att förbättra sökning och sortering. - + Reindexing songs... Indexerar om sånger... @@ -8130,80 +8310,80 @@ The encoding is responsible for the correct character representation. Teckenkodningen ansvarar för rätt teckenrepresentation. - + Song name singular Sång - + Songs name plural Sånger - + Songs container title Sånger - + Exports songs using the export wizard. Exportera sånger med exportguiden. - + Add a new song. Lägg till en ny sång. - + Edit the selected song. Redigera den valda sången. - + Delete the selected song. Ta bort den valda sången. - + Preview the selected song. Förhandsgranska den valda sången. - + Send the selected song live. Visa den valda sången live. - + Add the selected song to the service. Lägg till den valda sången i körschemat. - + Reindexing songs Indexerar om sånger - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. Importera sånger från CCLI:s SongSelect-tjänst. - + Find &Duplicate Songs Leta efter sång&dubletter - + Find and remove duplicate songs in the song database. Sök efter och ta bort dubletter av sånger i sångdatabasen. @@ -8321,22 +8501,22 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. This file does not exist. - + Den här filen finns inte. Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. - + Kunde inte hitta filen "Songs.MB". Den måste ligga i samma mapp som filen "Songs.DB". This file is not a valid EasyWorship database. - + Den här filen är inte en giltig EasyWorship-databas. Could not retrieve encoding. - + Kunde inte fastställa kodning. @@ -8570,17 +8750,17 @@ Ange verserna separerade med blanksteg. &Edit Author Type - + Redigera &författartyp Edit Author Type - + Redigera författartyp Choose type for this author - + Välj typ för den här författaren @@ -8674,7 +8854,7 @@ Ange verserna separerade med blanksteg. Du måste ange en mapp. - + Select Destination Folder Välj målmapp @@ -8882,32 +9062,32 @@ Ange verserna separerade med blanksteg. PowerPraise Song Files - + PowerPraise-sångfiler PresentationManager Song Files - + PresentationManager-sångfiler ProPresenter 4 Song Files - + ProPresenter 4-sångfiler Worship Assistant Files - + Worship Assistant-filer Worship Assistant (CSV) - + Worship Assistant (CSV) In Worship Assistant, export your Database to a CSV file. - + Exportera din databas i Worship Assistant till en CSV-fil. @@ -9081,15 +9261,20 @@ Ange verserna separerade med blanksteg. SongsPlugin.SongExportForm - + Your song export failed. Sångexporten misslyckades. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Exporten är slutförd. För att importera filerna, använd importen <strong>OpenLyrics</strong>. + + + Your song export failed because this error occurred: %s + Sångexporten misslyckades med följande fel: %s + SongsPlugin.SongImport @@ -9232,12 +9417,12 @@ Ange verserna separerade med blanksteg. CCLI SongSelect Importer - + CCLI SongSelect-importverktyg <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + <strong>Observera:</strong>En internetanslutning krävs för att importera sånger från CCLI SongSelect. @@ -9252,17 +9437,17 @@ Ange verserna separerade med blanksteg. Save username and password - + Spara användarnamn och lösenord Login - + Logga in Search Text: - + Sök text: @@ -9270,14 +9455,14 @@ Ange verserna separerade med blanksteg. Sök - + Found %s song(s) - + Hittade %s sång(er) Logout - + Logga ut @@ -9292,7 +9477,7 @@ Ange verserna separerade med blanksteg. Author(s): - + Författare: @@ -9302,12 +9487,12 @@ Ange verserna separerade med blanksteg. CCLI Number: - + CCLI-nummer: Lyrics: - + Text: @@ -9322,57 +9507,57 @@ Ange verserna separerade med blanksteg. More than 1000 results - + Mer än 1000 resultat Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. - + Din sökning gav mer än 1000 resultat och har stoppats. Förfina din sökning för att få bättre resultat. Logging out... - + Loggar ut... - + Save Username and Password - + Spara användarnamn och lösenord - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + VARNING: Att spara användarnamn och lösenord är OSÄKERT eftersom ditt lösenord sparas i KLARTEXT. Klicka Ja för att spara ditt lösenord eller Nej för att avbryta. - + Error Logging In - + Fel vid inloggning - + There was a problem logging in, perhaps your username or password is incorrect? - + Det uppstod ett problem vid inloggningen. Kanske är ditt användarnamn eller lösenord felaktigt? - + Song Imported - + Sång importerad - - Your song has been imported, would you like to exit now, or import more songs? - + + Incomplete song + Ofullständig sång - - Import More Songs - + + This song is missing some information, like the lyrics, and cannot be imported. + Den här sången saknar viss information, som t.ex. texten, och kan inte importeras. - - Exit Now - + + Your song has been imported, would you like to import more songs? + Sången har importerats. Vill du importera fler sånger? @@ -9474,7 +9659,7 @@ Ange verserna separerade med blanksteg. Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. - + Felaktig Words of Worship-sångfil. Filhuvudet "WoW File\nSong Words" saknas. @@ -9497,7 +9682,7 @@ Ange verserna separerade med blanksteg. File not valid WorshipAssistant CSV format. - + Filen är inte i ett giltigt WorshipAssistant-CSV-format. diff --git a/resources/i18n/ta_LK.ts b/resources/i18n/ta_LK.ts index 0f7ca050c..0a262f7e4 100644 --- a/resources/i18n/ta_LK.ts +++ b/resources/i18n/ta_LK.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &எச்சரிக்கை செய - + Show an alert message. ஒரு எச்சரிக்கை செய்தி காட்டு. - + Alert name singular எச்சரிக்கை செய - + Alerts name plural எச்சரிக்கைகள் - + Alerts container title எச்சரிக்கைகள் - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. @@ -151,85 +151,85 @@ Please type in some text before clicking New. BiblesPlugin - + &Bible &Bible - + Bible name singular வேதாகமம் - + Bibles name plural அதிக பரிசுத்த வேதாகமம் - + Bibles container title அதிக பரிசுத்த வேதாகமம் - + No Book Found எதுவுமில்லை புத்தக இல்லை - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. பொருத்துதல் புத்தகத்தில் இந்த காணப்படும் முடியும் இல்லை பரிசுத்த வேதாகமம். நீங்கள் சரியாக புத்தகத்தின் பெயர் எழுத்துக்கூட்டப்பட்டுள்ளதை என்று பாருங்கள். - + Import a Bible. ஒரு பரிசுத்த வேதாகமம் இறக்குமதி - + Add a new Bible. ஒரு புதிய பரிசுத்த வேதாகமம் சேர்க்கவும - + Edit the selected Bible. தேர்ந்தெடுத்த பரிசுத்த வேதாகமம் திருத்தி - + Delete the selected Bible. தேர்ந்தெடுத்த பரிசுத்த வேதாகமம் நீக்கு - + Preview the selected Bible. தேர்ந்தெடுத்த பரிசுத்த வேதாகமம் முன்னோட்டம் - + Send the selected Bible live. தேர்ந்தெடுத்த பரிசுத்த வேதாகமம் அனுப்பு - + Add the selected Bible to the service. சேவை தேர்ந்தெடுத்த பரிசுத்த வேதாகமம் சேர்க்க - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>பரிசுத்த வேதாகமம் Plugin</strong><br />பரிசுத்த வேதாகமம் Plugin சேவையை போது பல்வேறு ஆதாரங்களில் இருந்து பைபிள் வசனங்கள் காட்ட உதவுகிறது. - + &Upgrade older Bibles &மேம்படுத்தவும் பல பழைய பரிசுத்த வேதாகமம் - + Upgrade the Bible databases to the latest format. சமீபத்திய வடிவம் பரிசுத்த வேதாகமம் தரவுத்தளங்கள் மேம்படுத்த. @@ -693,7 +693,7 @@ Please type in some text before clicking New. to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - செய்ய + செய்ய @@ -763,38 +763,38 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error நூல் குறிப்பு பிழை - + Web Bible cannot be used இண்டர்நெட் பரிசுத்த வேதாகமம் பயன்படுத்த முடியாது - + Text Search is not available with Web Bibles. உரை தேடுதல் இண்டர்நெட் உடன் இல்லை பரிசுத்த வேதாகமம். - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. நீங்கள் ஒரு தேடல் திறவுச்சொல் நுழைய முடியவில்லை. ⏎ நீங்கள் உங்கள் முக்கிய வார்த்தைகள் அனைத்து தேட ஒரு இடைவெளி மூலம் வெவ்வேறு திறவுச்சொற்களை பிரிக்க முடியாது, நீங்கள் அவர்களுக்கு ஒரு தேட ஒரு கமா மூலம் பிரிக்க முடியாது. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. பரிசுத்த வேதாகமம் தற்போது நிறுவப்பட்ட இல்லை உள்ளன. ஒன்று அல்லது அதற்கு மேற்பட்ட பரிசுத்த வேதாகமம் நிறுவ இறக்குமதி வழிகாட்டி பயன்படுத்தவும். - + No Bibles Available எந்த பரிசுத்த வேதாகமம் கிடைக்கும் இல்லை - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -983,12 +983,12 @@ search results and on display: BiblesPlugin.CSVBible - + Importing books... %s இறக்குமதி புத்தகங்கள்... %s - + Importing verses... done. வசனங்கள் இறக்குமதி ... முடித்து @@ -1066,38 +1066,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... பதிவுசெய்யும் வேதாகமம் மற்றும் ஏற்றுவதில் புத்தகங்கள்... - + Registering Language... மொழி பதிவு செய்ய... - + Importing %s... Importing <book name>... இறக்குமதி %s... - + Download Error பிழை பதிவிறக்கம் - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. உங்கள் வசனம் தேர்வு பதிவிறக்கும் ஒரு பிரச்சனை இருந்தது. உங்கள் இணைய இணைப்பை சரிபார்த்து, இந்த பிழை ஏற்படலாம் தொடர்ந்து ஒரு பிழை அறிக்கை கருத்தில் தயவு செய்து தயவு செய்து. - + Parse Error பிழை பாகுபடுத்த - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. உங்கள் வசனம் தேர்வு பிரித்தெடுப்பதில் சிக்கல் ஏற்பட்டது. இந்த பிழை ஏற்படலாம் தொடர்ந்து ஒரு பிழை அறிக்கை முயற்சியுங்கள். @@ -1105,165 +1105,185 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard வேதாகமம் இறக்குமதி வழிகாட்டி - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. இந்த வழிகாட்டி நீங்கள் பல வடிவமைப்புகளில் இருந்து விவிலியங்களும் இறக்குமதி செய்ய உதவும். இருந்து இறக்குமதி செய்ய ஒரு வடிவம் தேர்ந்தெடுத்து துவங்கும் கீழே உள்ள அடுத்த பொத்தானை கிளிக் செய்யவும். - + Web Download இண்டர்நெட் பதிவிறக்கம் - + Location: இடம்: - + Crosswalk கிராஸ்வாக் - + BibleGateway BibleGateway - + Bible: பரிசுத்த வேதாகமம்: - + Download Options விருப்பங்கள் பதிவிறக்கம் - + Server: சர்வர்: - + Username: பெயர்: - + Password: கடவுச்சொல்லை: - + Proxy Server (Optional) பதிலாள் சேவையகம் (விரும்பினால்) - + License Details உரிமம் விவரம் - + Set up the Bible's license details. வேதாகமம் உரிம விவரங்கள் அமைக்க. - + Version name: பதிப்பை பெயர்: - + Copyright: காப்புரிமை: - + Please wait while your Bible is imported. உங்கள் வேதாகமம் இறக்குமதி வரை காத்திருங்கள். - + You need to specify a file with books of the Bible to use in the import. நீங்கள் இறக்குமதி பயன்படுத்த வேதாகமம் புத்தகங்களை ஒரு கோப்பு குறிப்பிட வேண்டும். - + You need to specify a file of Bible verses to import. நீங்கள் இறக்குமதி செய்ய வேதாகமம் வசனங்கள் ஒரு கோப்பு குறிப்பிட வேண்டும். - + You need to specify a version name for your Bible. உங்கள் பதிப்பு பைபிள் ஒரு பெயரை குறிப்பிட வேண்டும். - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. நீங்கள் உங்கள் வேதாகமம் ஒரு பதிப்புரிமை அமைக்க வேண்டும். பொது டொமைன் பைபிள் போன்ற குறித்தது வேண்டும். - + Bible Exists பைபிள் உள்ளது - + This Bible already exists. Please import a different Bible or first delete the existing one. இந்த வேதாகமம் முன்பே இருக்கிறது. வேறு வேதாகமம் இறக்குமதி அல்லது முதல் இருக்கும் ஒரு நீக்கவும். - + Your Bible import failed. உங்கள் வேதாகமம் இறக்குமதி தோல்வியடைந்தது. - + CSV File CSV கோப்பு - + Bibleserver Bibleserver - + Permissions: அனுமதிகள்: - + Bible file: வேதாகமம் கோப்பு: - + Books file: புத்தகங்கள் கோப்பு: - + Verses file: வசனங்கள கோப்பு: - + Registering Bible... வேதாகமம் பதிவு செய்ய... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + BiblesPlugin.LanguageDialog @@ -1401,13 +1421,26 @@ You will need to re-import this Bible to use it again. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... + + + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.UpgradeWizardForm @@ -1562,73 +1595,81 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + CustomPlugin - + Custom Slide name singular விருப்ப படவில்லை - + Custom Slides name plural தனிபயன் படவில்லைகள் - + Custom Slides container title தனிபயன் படவில்லைகள் - + Load a new custom slide. புதிய தனிப்பயன் ஸ்லைடை ஏற்ற. - + Import a custom slide. விருப்ப படவில்லை இறக்குமதி. - + Add a new custom slide. புதிய தனிப்பயன் ஸ்லைடை சேர்க்க. - + Edit the selected custom slide. தேர்ந்தெடுத்த விருப்ப படவில்லை திருத்த. - + Delete the selected custom slide. தேர்ந்தெடுத்த விருப்ப ஸ்லைடை நீக்க. - + Preview the selected custom slide. தேர்ந்தெடுத்த விருப்ப படவில்லை முன்னோட்டம். - + Send the selected custom slide live. தற்சமயம் தேர்ந்தெடுத்த விருப்ப படவில்லை அனுப்ப. - + Add the selected custom slide to the service. சேவைக்கு தேர்ந்தெடுத்த விருப்ப ஸ்லைடை சேர்க்க. - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. @@ -1725,7 +1766,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1736,61 +1777,61 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>படம் Plugin</strong><br />படத்தை Plugin படங்களை காண்பிக்கும் வழங்குகிறது.<br /> இந்த Plugin மேன்மையான அம்சங்கள் ஒரு சேவையை மேலாளர் ஒன்றாக படங்களை பல குழு திறன் ஆகும். பல படங்களை காண்பிக்கும் எளிதாக்கும். இந்த Plugin அந்த தானாக இயங்கும் ஒரு காட்சியை உருவாக்க OpenLP தான் "காலக்கெடு வளைவு" அம்சத்தை பயன்படுத்தலாம். இந்த கூடுதலாக, Plugin இருந்து படங்களை தற்போதைய தீம் பின்னணி புறக்கணிக்க பயன்படுத்த முடியும். அதற்கு பதிலாக வழங்கப்பட்ட பின்னணி ஒரு பின்னணி போன்ற தேர்ந்தெடுத்த படத்தை கொண்ட இசை போன்ற உரை சார்ந்த உருப்படிகளை வழங்குவதுமான இது - + Image name singular படம் - + Images name plural படிமங்கள் - + Images container title படிமங்கள் - + Load a new image. ஒரு புதிய படத்தை ஏற்ற. - + Add a new image. ஒரு புதிய படத்தை சேர்க்க. - + Edit the selected image. தேர்ந்தெடுத்த படத்தை திருத்த. - + Delete the selected image. தேர்ந்தெடுத்த படத்தை நீக்கு. - + Preview the selected image. தேர்ந்தெடுத்த படத்தை முன்னோட்டம். - + Send the selected image live. தற்சமயம் தேர்ந்தெடுத்த படம் அனுப்ப. - + Add the selected image to the service. சேவைக்கு தேர்ந்தெடுத்த படத்தை சேர்க்க. @@ -1818,12 +1859,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - + Could not add the new group. - + This group already exists. @@ -1872,34 +1913,34 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I தேர்ந்தெடுக்கவும் படம் (கள்) - + You must select an image to replace the background with. நீங்கள் பின்னணி பதிலாக ஒரு படத்தை தேர்வு செய்ய வேண்டும் - + Missing Image(s) காணாமல் போன படம் (கள்) - + The following image(s) no longer exist: %s இந்த படம் (கள்) இல்லை: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? பின்வரும் படத்தை (கள்) இனி இல்லை: %s இருப்பினும் மற்ற படங்களை சேர்க்கவும் வேண்டுமா? - + There was a problem replacing your background, the image file "%s" no longer exists. உங்கள் பின்னணி பதிலாக ஒரு பிரச்சனை இருந்தது, பட கோப்பு "%s" இல்லை. - + There was no display item to amend. திருத்தும் இல்லை காட்சி பொருளாக இருந்தது. @@ -1909,17 +1950,17 @@ Do you want to add the other images anyway? - + You must select an image or group to delete. - + Remove group - + Are you sure you want to remove "%s" and everything in it? @@ -1940,22 +1981,22 @@ Do you want to add the other images anyway? - + Audio - + Video - + VLC is an external player which supports a number of different formats. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. @@ -1963,60 +2004,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>ஊடக Plugin</strong><br /> ஊடக Plugin ஆடியோ மற்றும் வீடியோ பின்னணி வழங்குகிறது. - + Media name singular ஊடக - + Media name plural ஊடக - + Media container title ஊடக - + Load new media. புதிய ஊடக ஏற்ற. - + Add new media. புதிய ஊடக சேர்க்கவும். - + Edit the selected media. தேர்ந்தெடுத்த ஊடக திருத்து. - + Delete the selected media. தேர்ந்தெடுத்த ஊடக நீக்கு - + Preview the selected media. தேர்ந்தெடுத்த ஊடக முன்னோட்டம். - + Send the selected media live. தற்சமயம் தேர்ந்தெடுத்த ஊடக அனுப்ப - + Add the selected media to the service. சேவைக்கு தேர்ந்தெடுத்த ஊடக சேர்க்கவும் @@ -2185,37 +2226,37 @@ Do you want to add the other images anyway? ஊடக தேர்ந்தெடுக்கவும் - + You must select a media file to delete. நீங்கள் ஒரு ஊடக கோப்பு நீக்க ஒரு கோப்பை தேர்ந்தெடுக்கவும். - + You must select a media file to replace the background with. நீங்கள் பின்னணி இடமாற்றம் செய்ய ஒரு ஊடக கோப்பு தேர்ந்தெடுக்க வேண்டும். - + There was a problem replacing your background, the media file "%s" no longer exists. உங்கள் பின்னணி பதிலாக ஒரு பிரச்சனை உள்ளது, ஊடக கோப்பு "%s" இல்லை. - + Missing Media File ஊடக கோப்பு காணவில்லை - + The file %s no longer exists. கோப்பு %s உள்ளது இல்லை. - + Videos (%s);;Audio (%s);;%s (*) வீடியோக்கள (%s);;ஆடியோ (%s);;%s (*) - + There was no display item to amend. திருத்தும் இல்லை காட்சி பொருளாக இருந்தது. @@ -2225,7 +2266,7 @@ Do you want to add the other images anyway? ஆதரிக்கப்படவில்லை கோப்பு - + Use Player: பயன்படுத்த பிளேயர் @@ -2240,27 +2281,27 @@ Do you want to add the other images anyway? - + Load CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled - + The optical disc %s is no longer available. - + Mediaclip already saved - + This mediaclip has already been saved @@ -2289,17 +2330,17 @@ Do you want to add the other images anyway? OpenLP - + Image Files படம் கோப்புகள் - + Information தகவல் - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3183,7 +3224,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename மறுபெயரிடு தாக்கல் @@ -3193,7 +3234,7 @@ Version: %s புதிய கோப்பு பெயர்: - + File Copy கோப்பு நகல் @@ -3219,167 +3260,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs பாடல்கள் - + First Time Wizard முதல் நேரம் விசார்ட் - + Welcome to the First Time Wizard முதலில் நேரம் விசார்ட் வரவேற்கிறோம் - + Activate required Plugins தேவையான Plugins செயல்படுத்த - + Select the Plugins you wish to use. நீங்கள் பயன்படுத்தும் விரும்பும் Plugins தேர்ந்தெடுக்கவும். - + Bible வேதாகமம் - + Images படிமங்கள் - + Presentations விளக்கக்காட்சிகள் - + Media (Audio and Video) ஊடக (ஆடியோ ,வீடியோ) - + Allow remote access தொலைநிலை அணுகல் அனுமதி - + Monitor Song Usage பாடல் பயன்பாடு கண்காணிக்க - + Allow Alerts எச்சரிக்கை அனுமதி - + Default Settings இயல்புநிலை அமைப்புகள் - + Downloading %s... பதிவிறக்குகிறது %s... - + Enabling selected plugins... தேர்ந்தெடுத்த plugins செயல்படுத்துகிறது ... - + No Internet Connection இண்டர்நெட் இணைப்பு இல்லை - + Unable to detect an Internet connection. இணைய இணைப்பு கண்டறிய முடியவில்லை. - + Sample Songs மாதிரி பாடல்கள் - + Select and download public domain songs. பொது டொமைன் இசை தேர்வு மற்றும் பதிவிறக்க. - + Sample Bibles மாதிரி விவிலியங்களும் - + Select and download free Bibles. ேர்வு மற்றும் இலவச விவிலியங்களும் பதிவிறக்க. - + Sample Themes மாதிரி தீம்கள் - + Select and download sample themes. தேர்வு மற்றும் மாதிரி கருப்பொருள்கள் பதிவிறக்க. - + Set up default settings to be used by OpenLP. OpenLP பயன்படுத்த வேண்டிய இயல்புநிலை அமைப்புகளை அமைக்கவும். - + Default output display: இயல்பான வெளிப்பாடு காட்சி: - + Select default theme: இயல்புநிலை தீம் தேர்வு: - + Starting configuration process... கட்டமைப்பு பணியை துவக்க ... - + Setting Up And Downloading அமைக்கவும் மற்றும் பதிவிறக்குகிறது - + Please wait while OpenLP is set up and your data is downloaded. OpenLP அமைக்கப்பட்டுள்ளது உங்கள் தரவு பதிவிறக்கம் வரை காத்திருக்கவும். - + Setting Up அமைக்கவும் - + Custom Slides தனிபயன் படவில்லைகள் - + Finish முடிக்க - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3388,87 +3429,97 @@ To re-run the First Time Wizard and import this sample data at a later time, che முதல் நேரம் விசார்ட் மீண்டும் இயக்க மற்றும் ஒரு பின்னர் நேரத்தில் இந்த மாதிரி தரவு இறக்குமதி, உங்கள் இணைய இணைப்பு சரிபார்க்க இந்த வழிகாட்டி "கருவிகள் தேர்ந்தெடுப்பதன் மூலம் மீண்டும் இயக்க / OpenLP இருந்து "முதல் நேரம் விசார்ட் மீண்டும் இயக்க. - + Download Error பிழை பதிவிறக்கம் - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. - + Download complete. Click the %s button to start OpenLP. - + Click the %s button to return to OpenLP. - + Click the %s button to start OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + Downloading Resource Index - + Please wait while the resource index is downloaded. - + Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring - + Please wait while resources are downloaded and OpenLP is configured. - + Network Error - + There was a network error attempting to connect to retrieve initial configuration information + + + Cancel + ரத்து + + + + Unable to download some files + + OpenLP.FormattingTagDialog @@ -3540,6 +3591,16 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + OpenLP.FormattingTags @@ -3798,7 +3859,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP காட்சி @@ -4105,7 +4166,7 @@ You can download the latest version from http://openlp.org/. முக்கிய காட்சி அவுட் வெற்றாக - + Default Theme: %s இயல்புநிலை தீம்: %s @@ -4121,12 +4182,12 @@ You can download the latest version from http://openlp.org/. உள்ளமைக்கவும் &குறுக்குவழிகளை... - + Close OpenLP OpenLP மூட - + Are you sure you want to close OpenLP? நீங்கள் OpenLP மூடப்பட வேண்டுமா? @@ -4200,13 +4261,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and மீண்டும் இயங்கும் இந்த வழிகாட்டி உங்கள் தற்போதைய OpenLP கட்டமைப்பு மாற்றங்கள் மற்றும் சாத்தியமான ஏற்கனவே இசை பட்டியலில் இசை சேர்க்க, உங்கள் இயல்புநிலை தீம் மாற்றலாம். - + Clear List Clear List of recent files தெளிவான பட்டியல் - + Clear the list of recent files. சமீபத்திய கோப்புகளை அழிக்கவும். @@ -4267,17 +4328,17 @@ Re-running this wizard may make changes to your current OpenLP configuration and OpenLP ஏற்றுமதி அமைப்புகள் கோப்ப (*.conf) - + New Data Directory Error புதிய தகவல்கள் டைரக்டரி பிழை - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish புதிய தரவு அடைவு இடத்திற்கு OpenLP தரவு நகல் - %s - நகல் முடிக்க காத்திருக்கவும - + OpenLP Data directory copy failed %s @@ -4332,7 +4393,7 @@ Processing has terminated and no changes have been made. - + Export setting error @@ -4341,16 +4402,21 @@ Processing has terminated and no changes have been made. The key "%s" does not have a default value so it will be skipped in this export. + + + An error occurred while exporting the settings: %s + + OpenLP.Manager - + Database Error தரவுத்தள பிழை ஏற்பட்டது - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -4360,7 +4426,7 @@ The database will not be loaded. Database: %s - + OpenLP cannot load your database. Database: %s @@ -4439,7 +4505,7 @@ Suffix not supported &க்ளோன் செய்வது - + Duplicate files were found on import and were ignored. நகல் கோப்புகளை இறக்குமதி காணப்படும் மற்றும் புறக்கணிக்கப்பட்டனர். @@ -4824,11 +4890,6 @@ Suffix not supported The proxy address set with setProxy() was not found - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - - An unidentified error occurred @@ -4899,6 +4960,11 @@ Suffix not supported Received data + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + OpenLP.ProjectorEdit @@ -5445,22 +5511,22 @@ Suffix not supported &உருப்படி தீம் மாற்ற - + File is not a valid service. கோப்பு ஒரு செல்லுபடியாகும் சேவையை அல்ல. - + Missing Display Handler காட்சி ஹேண்ட்லர் காணவில்லை - + Your item cannot be displayed as there is no handler to display it அதை காண்பிக்க இல்லை கையாளுதல் உள்ளது போல் உங்கள் உருப்படியை காண்பிக்க முடியாது - + Your item cannot be displayed as the plugin required to display it is missing or inactive உங்கள் உருப்படியை அதை காணவில்லை அல்லது செயலற்று காட்ட வேண்டும் நீட்சியாக காண்பிக்க முடியாது @@ -5540,12 +5606,12 @@ Suffix not supported தனிபயன் சேவையை குறிப்புகள்: - + Notes: குறிப்புகள்: - + Playing time: தொடங்கி நேரம்: @@ -5555,22 +5621,22 @@ Suffix not supported தலைப்பிடாத சேவையை - + File could not be opened because it is corrupt. இது ஊழல் ஏனெனில் கோப்பு திறக்க முடியவில்லை. - + Empty File காலியாக கோப்பு - + This service file does not contain any data. இந்த சேவையை கோப்பில் தரவு ஏதும் இல்லை. - + Corrupt File ஊழல் மிகுந்த கோப்பு @@ -5590,32 +5656,32 @@ Suffix not supported சேவையை ஒரு தீம் தேர்வு. - + Slide theme ஸ்லைடு தீம் - + Notes குறிப்புகள் - + Edit பதிப்பி - + Service copy only சேவையை நகல் மட்டுமே - + Error Saving File பிழை சேமிப்பு கோப்பு - + There was an error saving your file. உங்கள் கோப்பை சேமிப்பதில் பிழை ஏற்பட்டது. @@ -5624,15 +5690,6 @@ Suffix not supported Service File(s) Missing சேவையை கோப்பு (கள்) இல்லை - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - சேவையை இந்த கோப்பு (கள்) காணப்படவில்லை: ⏎ <byte value="x9"/>%s⏎ ⏎ -நீங்கள் சேமிக்க தொடர்ந்து இந்த கோப்புகளை நீக்கப்படும். - &Rename... @@ -5659,7 +5716,7 @@ These files will be removed if you continue to save. - + &Delay between slides @@ -5669,62 +5726,74 @@ These files will be removed if you continue to save. - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + OpenLP Service Files (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + This file is either corrupt or it is not an OpenLP 2 service file. - + &Auto Start - inactive - + &Auto Start - active - + Input delay - + Delay between slides in seconds. நொடிகளில் ஸ்லைடுகள் இடையே தாமதம். - + Rename item title - + Title: தலைப்பு: + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + OpenLP.ServiceNoteForm @@ -5986,12 +6055,12 @@ These files will be removed if you continue to save. OpenLP.SourceSelectForm - + Select Projector Source - + Edit Projector Source Text @@ -6016,18 +6085,13 @@ These files will be removed if you continue to save. - + Delete entries for this projector - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? + + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6191,7 +6255,7 @@ These files will be removed if you continue to save. அமை &குளோபல் இயல்புநிலை - + %s (default) %s (இயல்புநிலை) @@ -6201,52 +6265,47 @@ These files will be removed if you continue to save. நீங்கள் திருத்த ஒரு தீம் தேர்ந்தெடுக்க வேண்டும். - + You are unable to delete the default theme. நீங்கள் முன்னிருப்பு தீம் நீக்க முடியவில்லை. - + Theme %s is used in the %s plugin. தீம் %s பயன்படுத்தப்படுகிறது %s plugin. - + You have not selected a theme. நீங்கள் ஒரு தீம் தேர்ந்தெடுக்கவில்லை. - + Save Theme - (%s) தீம் சேமிக்க - (%s) - + Theme Exported தீம் ஏற்றுமதி செய்யப்பட்ட - + Your theme has been successfully exported. உங்கள் தீம் வெற்றிகரமாக ஏற்றுமதி செய்யப்பட்டது. - + Theme Export Failed தீம் ஏற்றுமதி தோல்வியுற்றது - - Your theme could not be exported due to an error. - உங்கள் கருத்து பிழை காரணமாக ஏற்றுமதி செய்ய முடியவில்லை. - - - + Select Theme Import File தீம் இறக்குமதி கோப்பு தேர்வு - + File is not a valid theme. கோப்பு சரியான தீம் அல்ல. @@ -6296,20 +6355,15 @@ These files will be removed if you continue to save. தீம் நீக்க %s வேண்டுமா? - + Validation Error செல்லத்தக்கதாக்குதலும் பிழை ஏற்பட்டது - + A theme with this name already exists. இந்த பெயர் ஒரு தீம் ஏற்கனவே உள்ளது. - - - OpenLP Themes (*.theme *.otz) - OpenLP தீம்களை (*.theme *.otz) - Copy of %s @@ -6317,15 +6371,25 @@ These files will be removed if you continue to save. நகல் %s - + Theme Already Exists தீம் ஏற்கெனவே உள்ளது - + Theme %s already exists. Do you want to replace it? தீம் %s முன்பே இருக்கிறது. நீங்கள் அதை மாற்ற விரும்புகிறீர்களா? + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + OpenLP.ThemeWizard @@ -6761,7 +6825,7 @@ These files will be removed if you continue to save. முடிக்கப்பட்ட - + Starting import... இறக்குமதி தொடங்கும்... @@ -6772,7 +6836,7 @@ These files will be removed if you continue to save. நீங்கள் இறக்குமதி செய்ய குறைந்தது ஒரு %s கோப்பு குறிப்பிட வேண்டும். - + Welcome to the Bible Import Wizard வேதாகமம் இறக்குமதி வழிகாட்டி வரவேற்கிறோம் @@ -6866,7 +6930,7 @@ These files will be removed if you continue to save. நீங்கள் ஒரு குறிப்பிட வேண்டும் %s இருந்து இறக்குமதி செய்ய அடைவுக்கு. - + Importing Songs இறக்குமதி பாடல்கள் @@ -7209,163 +7273,163 @@ Please try selecting it individually. முன்னோட்ட - + Print Service சேவைகள் அச்சிட - + Projector Singular - + Projectors Plural - + Replace Background பின்னணி மாற்றவும் - + Replace live background. தற்போது பின்னணி பதிலாக. - + Reset Background பின்னணி மீட்டமை - + Reset live background. தற்போது பின்னணி மீட்டமை. - + s The abbreviated unit for seconds s - + Save && Preview முன்னோட்ட && சேமிக்க - + Search தேடல் - + Search Themes... Search bar place holder text தேடல் தீம்கள் ... - + You must select an item to delete. நீங்கள் நீக்க உருப்படியை வேண்டும். - + You must select an item to edit. நீங்கள் திருத்த உருப்படியை வேண்டும். - + Settings அமைப்புகள் - + Save Service சேவைகள் சேமிக்க - + Service சேவையை - + Optional &Split விருப்ப &பிரி - + Split a slide into two only if it does not fit on the screen as one slide. அது ஒரு ஸ்லைடு என திரையில் பொருந்தும் இல்லை மட்டுமே இரண்டு ஒரு ஸ்லைடு பிரிந்தது.விவரங்கள்பரிந்துரைகள்வரலாறு - + Start %s தொடங்கு %s - + Stop Play Slides in Loop படவில்லைகள் சுழற்சி இயக்கு நிறுத்து - + Stop Play Slides to End படவில்லைகள் முடிவில் நிறுத்து - + Theme Singular தீம் - + Themes Plural தீம்கள் - + Tools கருவிகள் - + Top மேலே - + Unsupported File ஆதரிக்கப்படவில்லை கோப்பு - + Verse Per Slide ஒவ்வொரு செய்யுள்கள் ஒரு ஸ்லைடு - + Verse Per Line ஒவ்வொரு செய்யுள்கள் ஒர வரிசை - + Version பதிப்பை - + View பார்க்க - + View Mode பார்க்க முறை @@ -7379,6 +7443,16 @@ Please try selecting it individually. OpenLP 2.2 + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7418,51 +7492,51 @@ Please try selecting it individually. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>விளக்கக்காட்சி Plugin</strong><br /> வழங்கல் plugin பல்வேறு திட்டங்கள் பல பயன்படுத்தி விளக்கக்காட்சிகள் காட்ட உதவுகிறது. இன்னும் வழங்கல் திட்டங்கள் தேர்வு பெட்டியை கீழே ஒரு துளி பயனர் கிடைக்கும். - + Presentation name singular விளக்கக்காட்சி - + Presentations name plural விளக்கக்காட்சிகள் - + Presentations container title விளக்கக்காட்சிகள் - + Load a new presentation. ஒரு புதிய விளக்கக்காட்சியை ஏற்ற. - + Delete the selected presentation. தேர்ந்தெடுக்கப்பட்ட விளக்கக்காட்சியை நீக்கு. - + Preview the selected presentation. தேர்ந்தெடுக்கப்பட்ட வழங்கல் முன்னோட்டத்தை. - + Send the selected presentation live. தற்போது தேர்ந்தெடுக்கப்பட்ட வழங்கல் அனுப்ப. - + Add the selected presentation to the service. சேவை தேர்ந்தெடுக்கப்பட்ட வழங்கல் சேர்க்கலாம். @@ -7505,17 +7579,17 @@ Please try selecting it individually. விளக்கக்காட்சிகள் (%s) - + Missing Presentation விளக்கக்காட்சி காணவில்லை - + The presentation %s is incomplete, please reload. விளக்கக்காட்சி %s முழுமையானதாக இல்லை, மீண்டும் ஏற்றுக. - + The presentation %s no longer exists. விளக்கக்காட்சி %s இல்லை. @@ -7523,7 +7597,7 @@ Please try selecting it individually. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. @@ -7531,40 +7605,50 @@ Please try selecting it individually. PresentationPlugin.PresentationTab - + Available Controllers கிடைக்கும் கட்டுப்படுத்திகளின - + %s (unavailable) %s (இல்லை) - + Allow presentation application to be overridden விளக்கக்காட்சி மேலெழுதப்படலாம் அனுமதி - + PDF options - + Use given full path for mudraw or ghostscript binary: - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7605,127 +7689,127 @@ Please try selecting it individually. RemotePlugin.Mobile - + Service Manager சேவையை மேலாளர் - + Slide Controller ஸ்லைடு கட்டுப்பாட்டாளர் - + Alerts எச்சரிக்கைகள் - + Search தேடல் - + Home வீட்டு - + Refresh புதுப்பி - + Blank காலியான - + Theme தீம் - + Desktop டெஸ்க்டாப் - + Show காண்பி - + Prev முந்தைய - + Next அடுத்து - + Text உரை - + Show Alert விழிப்பூட்டல் காண்பி - + Go Live தற்போது போக - + Add to Service சேவைகள் சேர்க்க - + Add &amp; Go to Service சேர் &ஆம்ப்; சேவைகள் போ - + No Results முடிவு இல்லை - + Options விருப்பங்கள் - + Service சேவையை - + Slides ஸ்லைடுகள் - + Settings அமைப்புகள் - + OpenLP 2.2 Remote - + OpenLP 2.2 Stage View - + OpenLP 2.2 Live View @@ -7811,85 +7895,85 @@ Please try selecting it individually. SongUsagePlugin - + &Song Usage Tracking &பாடல் பயன்பாடு கண்காணிப்ப - + &Delete Tracking Data &நோட்ட தரவு நீக்கு - + Delete song usage data up to a specified date. ஒரு குறிப்பிட்ட தேதிக்கு பாடல் பயன்பாடு தகவல்களை நீக்கு. - + &Extract Tracking Data &நோட்ட தரவு பிரித்தெடுக்க - + Generate a report on song usage. பாடல் பயன்பாடு ஒரு அறிக்கையை உருவாக்க. - + Toggle Tracking கண்காணிப்பு மாறுவதற்கு - + Toggle the tracking of song usage. பாடல் பயன்பாட்டு டிராக்கிங் நிலைமாற்று. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>SongUsage Plugin</strong><br /> இந்த plugin சேவைகளை பாடல்களில் பயன்பாடு டிராக்குகள். - + SongUsage name singular SongUsage - + SongUsage name plural SongUsage - + SongUsage container title SongUsage - + Song Usage பாடல் பயன்பாடு - + Song usage tracking is active. பாடல் பயன்பாடு கண்காணிப்பு தீவிரமாக உள்ளது. - + Song usage tracking is inactive. பாடல் பயன்பாட்டு டிராக்கிங் முடக்கப்பட்டுள்ளது. - + display காட்டு - + printed அச்சிடப்பட்ட @@ -7951,22 +8035,22 @@ All data recorded before this date will be permanently deleted. இடம் சொல்ல - + Output File Location வெளியீடு கோப்பு இடம் - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation அறிக்கை உருவாக்கம் - + Report %s has been successfully created. @@ -7975,46 +8059,56 @@ has been successfully created. உருவாக்கிய முடிந்தது. - + Output Path Not Selected வெளியீடு பாதை தேர்வாகவில்லை - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + SongsPlugin - + &Song &பாட்டு - + Import songs using the import wizard. இறக்குமதி வழிகாட்டியை பயன்படுத்தி இசை இறக்குமதி. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. strong>பாட்டு Plugin</strong><br /> இசை plugin இசை காண்பிக்க மற்றும் மேலாண்மை திறன் வழங்குகிறது. - + &Re-index Songs &மீண்டும் குறியீட்டு பாடல்கள் - + Re-index the songs database to improve searching and ordering. தேடி மற்றும் வரிசைப்படுத்தும் மேம்படுத்த மறு குறியீட்டு இசை தொகுப்பு. - + Reindexing songs... ட்டவணையிடுதல் இசை மீண்டும் ... @@ -8110,80 +8204,80 @@ The encoding is responsible for the correct character representation. குறியீட்டு சரியான தன்மை பிரதிநிதித்துவம் பொறுப்பு. - + Song name singular பாட்டு - + Songs name plural பாடல்கள் - + Songs container title பாடல்கள் - + Exports songs using the export wizard. ஏற்றுமதி ஏற்றுமதி வழிகாட்டியை பயன்படுத்தி பாடல்கள். - + Add a new song. ஒரு புதிய பாடல் சேர்க்க. - + Edit the selected song. தேர்ந்தெடுக்கப்பட்ட பாடல் பதிப்பி. - + Delete the selected song. தேர்ந்தெடுக்கப்பட்ட பாடல் நீக்கு. - + Preview the selected song. தேர்ந்தெடுக்கப்பட்ட பாடல் மாதிரி. - + Send the selected song live. தற்போது தேர்ந்தெடுக்கப்பட்ட பாடல் அனுப்ப. - + Add the selected song to the service. சேவை தேர்ந்தெடுக்கப்பட்ட பாடல் சேர்க்கலாம். - + Reindexing songs அட்டவணையிடுதல் பாடல்கள் மீண்டும் - + CCLI SongSelect - + Import songs from CCLI's SongSelect service. - + Find &Duplicate Songs - + Find and remove duplicate songs in the song database. @@ -8653,7 +8747,7 @@ Please enter the verses separated by spaces. நீங்கள் ஒரு அடைவை குறிப்பிட வேண்டும். - + Select Destination Folder கோப்புறையை தேர்ந்தெடுக்கவும் @@ -9060,16 +9154,21 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. உங்கள் பாடல் ஏற்றுமதி தோல்வியடைந்தது. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. ஏற்றுமதி முடிக்கப்பட்ட. இந்த கோப்புகளை இறக்குமதி செய்ய பயன்படுத்த + + + Your song export failed because this error occurred: %s + + SongsPlugin.SongImport @@ -9250,7 +9349,7 @@ Please enter the verses separated by spaces. தேடல் - + Found %s song(s) @@ -9315,43 +9414,43 @@ Please enter the verses separated by spaces. - + Save Username and Password - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + Error Logging In - + There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported - - Your song has been imported, would you like to exit now, or import more songs? + + Incomplete song - - Import More Songs + + This song is missing some information, like the lyrics, and cannot be imported. - - Exit Now + + Your song has been imported, would you like to import more songs? diff --git a/resources/i18n/th_TH.ts b/resources/i18n/th_TH.ts new file mode 100644 index 000000000..e6880f6dc --- /dev/null +++ b/resources/i18n/th_TH.ts @@ -0,0 +1,9661 @@ + + + + AlertsPlugin + + + &Alert + &การแจ้งเตือน + + + + Show an alert message. + แสดงข้อความแจ้งเตือน + + + + Alert + name singular + แจ้งเตือน + + + + Alerts + name plural + การแจ้งเตือน + + + + Alerts + container title + การแจ้งเตือน + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + ข้อความแจ้งเตือน + + + + Alert &text: + &ข้อความ: + + + + &New + &สร้างใหม่ + + + + &Save + &บันทึก + + + + Displ&ay + &แสดงผล + + + + Display && Cl&ose + แสดงผล && ปิด + + + + New Alert + ข้อความใหม่ + + + + &Parameter: + &พารามิเตอร์: + + + + No Parameter Found + ไม่พบพารามิเตอร์ + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + คุณไม่ได้ป้อนพารามิเตอร์ +คุณต้องการดำเนินการต่อไปหรือไม่? + + + + No Placeholder Found + ไม่พบแหน่งที่อ้างอิงถึง + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + ข้อความแจ้งเตือนไม่มี '<>' +คุณต้องการดำเนินการต่อไปหรือไม่? + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + สร้างข้อความแจ้งเตือนและแสดงบนจอภาพ + + + + AlertsPlugin.AlertsTab + + + Font + ตัวอักษร + + + + Font name: + ชื่อตัวอักษร: + + + + Font color: + สีตัวอักษร: + + + + Background color: + สีพื้นหลัง: + + + + Font size: + ขนาดตัวอักษร: + + + + Alert timeout: + ระยะเวลาแจ้งเตือน: + + + + BiblesPlugin + + + &Bible + &พระคัมภีร์ + + + + Bible + name singular + พระคัมภีร์ + + + + Bibles + name plural + พระคัมภีร์ + + + + Bibles + container title + พระคัมภีร์ + + + + No Book Found + ไม่พบหนังสือในพระคัมภีร์ + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + ไม่พบหนังสือในพระคัมภีร์ฉบับนี้ โปรดตรวจสอบว่าคุณสะกดชื่อหนังสือในพระคัมภีร์ฉบับนี้ได้อย่างถูกต้อง + + + + Import a Bible. + นำเข้าพระคัมภีร์ + + + + Add a new Bible. + เพิ่มพระคัมภีร์ฉบับใหม่ + + + + Edit the selected Bible. + แก้ไขพระคัมภีร์ที่เลือก + + + + Delete the selected Bible. + ลบพระคัมภีร์ที่เลือก + + + + Preview the selected Bible. + แสดงตัวอย่างพระคัมภีร์ที่เลือก + + + + Send the selected Bible live. + ส่งพระคัมภีร์ที่เลือกแสดงบนจอภาพ + + + + Add the selected Bible to the service. + เพิ่มพระคัมภีร์ที่เลือกไปที่การจัดทำรายการ + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + <strong>โปรแกรมเสริมพระคัมภีร์</strong><br />โปรแกรมเสริมพระคัมภีร์ ช่วยในการแสดงพระคัมภีร์ จากแหล่งที่มาที่แตกต่างกัน + + + + &Upgrade older Bibles + &ปรับปรุงพระคัมภีร์ + + + + Upgrade the Bible databases to the latest format. + ปรับปรุงฐานข้อมูลรูปแบบใหม่ล่าสุดสำหรับพระคัมภีร์ + + + + Genesis + ปฐมกาล + + + + Exodus + อพยพ + + + + Leviticus + เลวีนิติ + + + + Numbers + กันดารวิถี + + + + Deuteronomy + เฉลยธรมบัญญัติ + + + + Joshua + โยชูวา + + + + Judges + ผู้วินิจฉัย + + + + Ruth + นางรูธ + + + + 1 Samuel + 1 ซามูเอล + + + + 2 Samuel + 2 ซามูเอล + + + + 1 Kings + 1 พงศ์กษัตริย์ + + + + 2 Kings + 2 พงศ์กษัตริย์ + + + + 1 Chronicles + 1 พงศาวดาร + + + + 2 Chronicles + 2 พงศาวดาร + + + + Ezra + เอสรา + + + + Nehemiah + เนหะมีย์ + + + + Esther + เอสเธอร์ + + + + Job + โยบ + + + + Psalms + สดุดี + + + + Proverbs + สุภาษิต + + + + Ecclesiastes + ปัญญาจารย์ + + + + Song of Solomon + เพลงซาโลมอน + + + + Isaiah + อิสยาห์ + + + + Jeremiah + เยเรมีย์ + + + + Lamentations + เพลงคร่ำครวญ + + + + Ezekiel + เอเสเคียล + + + + Daniel + ดาเนียล + + + + Hosea + โฮเชยา + + + + Joel + โยเอล + + + + Amos + อาโมส + + + + Obadiah + โอบาดีย์ + + + + Jonah + โยนาห์ + + + + Micah + มีคาห์ + + + + Nahum + นาฮูม + + + + Habakkuk + ฮะบากุก + + + + Zephaniah + ศฟันยาห์ + + + + Haggai + ฮักกัย + + + + Zechariah + เศคาริยาห์ + + + + Malachi + มาลาคี + + + + Matthew + มัทธิว + + + + Mark + มาระโก + + + + Luke + ลูกา + + + + John + ยอห์น + + + + Acts + กิจการของอัครทูต + + + + Romans + โรม + + + + 1 Corinthians + 1 โครินธ์ + + + + 2 Corinthians + 2 โครินธ์ + + + + Galatians + กาลาเทีย + + + + Ephesians + เอเฟซัส + + + + Philippians + ฟิลิปปี + + + + Colossians + โคโลสี + + + + 1 Thessalonians + 1 เธสะโลนิกา + + + + 2 Thessalonians + 2 เธสะโลนิกา + + + + 1 Timothy + 1 ทิโมธี + + + + 2 Timothy + 2 ทิโมธี + + + + Titus + ทิตัส + + + + Philemon + ฟีเลโมน + + + + Hebrews + ฮีบรู + + + + James + ยากอบ + + + + 1 Peter + 1 เปโตร + + + + 2 Peter + 2 เปโตร + + + + 1 John + 1 ยอห์น + + + + 2 John + 2 ยอห์น + + + + 3 John + 3 ยอห์น + + + + Jude + ยูดา + + + + Revelation + วิวรณ์ + + + + Judith + ยูดิธ + + + + Wisdom + ปรีชาญาณ + + + + Tobit + โทบิต + + + + Sirach + บุตรสิรา + + + + Baruch + ประกาศบารุค + + + + 1 Maccabees + 1 มัคคาบี + + + + 2 Maccabees + 2 มัคคาบี + + + + 3 Maccabees + 3 มัคคาบี + + + + 4 Maccabees + 4 มัคคาบี + + + + Rest of Daniel + ส่วนที่เหลือของหนังสือดาเนียล + + + + Rest of Esther + ส่วนที่เหลือของหนังสือเอสเธอร์ + + + + Prayer of Manasses + คำภาวนาของมนัสเสห์ + + + + Letter of Jeremiah + จดหมายของเยเรมีย์ + + + + Prayer of Azariah + คำภาวนาของอาซาริยา + + + + Susanna + ซูซานนา + + + + Bel + เบล + + + + 1 Esdras + 1 เอสดราส + + + + 2 Esdras + 2 เอสดราส + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + ถึง + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + คุณต้องระบุชื่อฉบับของพระคัมภีร์ + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + คุณต้องใส่ลิขสิทธิ์พระคัมภีร์ของคุณ พระคัมภีร์ซึ่งเป็นของสาธารณะ ต้องมีการระบุสิทธิ์ดังกล่าว + + + + Bible Exists + พระคัมภีร์ที่มีอยู่ + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + พระคัมภีร์ฉบับนี้มีอยู่แล้ว โปรดนำเข้าพระคัมภีร์ฉบับที่แตกต่างกัน หรือลบพระคัมภีร์ฉบับที่มีอยู่แล้วออกก่อน + + + + You need to specify a book name for "%s". + คุณต้องระบุชื่อหนังสือนี้สำหรับ "%s" + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + ชื่อหนังสือ "%s" ไม่ถูกต้อง + ตัวเลขสามารถใส่ได้เฉพาะตัวแรก และต้องตามด้วยอักษรที่ไม่ใช่ตัวเลข + + + + Duplicate Book Name + ชื่อหนังสือซ้ำ + + + + The Book Name "%s" has been entered more than once. + ชื่อหนังสือ "%s" ได้รับการป้อนมากกว่าหนึ่งครั้ง + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + เกิดข้อผิดพลาดในการอ้างอิงพระคัมภีร์ + + + + Web Bible cannot be used + พระคัมภีร์ที่ดาวน์โหลดจากเว็บไซต์ไม่สามารถใช้ได้ + + + + Text Search is not available with Web Bibles. + ไม่สามารถค้นหาข้อความจากพระคัมภีร์ที่ดาวน์โหลดจากเว็บไซต์ได้ + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + คุณไม่ได้ระบุคำที่ต้องการค้นหา +ในการค้นหาคำจากข้อความ คุณสามารถแบ่งคำแต่ละคำด้วยช่องว่าง และเครื่องหมายจุลภาค ในการค้นหาข้อความต้องมีคำอย่างน้อยหนึ่งคำ + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + ไม่มีการติดตั้งพระคัมภีร์ในขณะนี้ โปรดใช้ตัวช่วยสร้างการนำเข้าเพื่อติดตั้งพระคัมภีร์ + + + + No Bibles Available + พระคัมภีร์ไม่พร้อมใช้งาน + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + การอ้างอิงพระคัมภีร์ของคุณ อาจไม่ได้รับการสนับสนุนโดย OpenLP หรือการอ้างอิงไม่ถูกต้อง โปรดตรวจสอบให้แน่ใจว่าการอ้างอิงของคุณ สอดคล้องกับรูปแบบต่อไปนี้ หรือดูรายละเอียดเพิ่มเติมที่คู่มือแนะนำการใช้งาน: + +หนังสือ บทที่ +หนังสือ บทที่%(range)sบทที่ +หนังสือ บทที่%(verse)sข้อที่%(range)sข้อที่ +หนังสือ บทที่%(verse)sข้อที่%(range)sข้อที่%(list)sข้อที่%(range)sข้อที่ +หนังสือ บทที่%(verse)sข้อที่%(range)sข้อที่%(list)sบทที่%(verse)sข้อที่%(range)sข้อที่ +หนังสือ บทที่%(verse)sข้อที่%(range)sบทที่%(verse)sข้อที่ + + + + BiblesPlugin.BiblesTab + + + Verse Display + แสดงข้อพระคัมภีร์ + + + + Only show new chapter numbers + แสดงเฉพาะตัวเลขของข้อพระคัมภีร์ + + + + Bible theme: + ธีมพระคัมภีร์: + + + + No Brackets + ไม่มีวงเล็บ + + + + ( And ) + ( และ ) + + + + { And } + { และ } + + + + [ And ] + [ และ ] + + + + Note: +Changes do not affect verses already in the service. + หมายเหตุ: +ข้อพระคัมภีร์ที่อยู่ในการจัดทำรายการ จะไม่ได้รับผลกระทบจากการเปลี่ยนแปลงนี้ + + + + Display second Bible verses + แสดงพระคัมภีร์ฉบับที่สอง + + + + Custom Scripture References + อ้างอิงพระคัมภีร์ที่กำหนดเอง + + + + Verse Separator: + แบ่งข้อ: + + + + Range Separator: + แบ่งแถว: + + + + List Separator: + แบ่งรายการ: + + + + End Mark: + จุดสิ้นสุด: + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + มีหลายทางเลือกที่ใช้แบ่งข้อพระคัมภีร์ +คุณอาจใช้แถบแนวตั้ง "|" แบ่งข้อออกจากกัน +โปรดลบเส้นนี้เพื่อแก้ไขกลับไปใช้ค่าเริ่มต้น + + + + English + ภาษาไทย + + + + Default Bible Language + ภาษาเริ่มต้นของพระคัมภีร์ + + + + Book name language in search field, +search results and on display: + ภาษาของชื่อหนังสือในช่องค้นหา +ผลการค้นหาและการแสดงผล: + + + + Bible Language + ภาษาของพระคัมภีร์ + + + + Application Language + ภาษาของโปรแกรม + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + เลือกชื่อหนังสือ + + + + Current name: + ชื่อในขณะนี้: + + + + Corresponding name: + ชื่อที่เหมือนกัน: + + + + Show Books From + แสดงหนังสือจาก + + + + Old Testament + พันธสัญญาเดิม + + + + New Testament + พันธสัญญาใหม่ + + + + Apocrypha + พระคัมภีร์นอกสารระบบ + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + ชื่อหนังสือต่อไปนี้ไม่ตรงกับชื่อหนังสือที่มีอยู่ภายในโปรแกรม โปรดเลือกใช้ชื่อที่เหมาะสมจากรายการ + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + คุณต้องเลือกหนังสือ + + + + BiblesPlugin.CSVBible + + + Importing books... %s + กำลังนำเข้าหนังสือ... %s + + + + Importing verses... done. + นำเข้าข้อพระคัมภีร์... เสร็จเรียบร้อยแล้ว + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + แก้ไขพระคัมภีร์ + + + + License Details + รายละเอียดสัญญาอนุญาต + + + + Version name: + ชื่อฉบับ: + + + + Copyright: + ลิขสิทธิ์: + + + + Permissions: + การอนุญาต: + + + + Default Bible Language + ภาษาเริ่มต้นของพระคัมภีร์ + + + + Book name language in search field, search results and on display: + ภาษาของชื่อหนังสือในช่องค้นหา ผลการค้นหาและการแสดงผล: + + + + Global Settings + การตั้งค่าโดยรวม + + + + Bible Language + ภาษาของพระคัมภีร์ + + + + Application Language + ภาษาของโปรแกรม + + + + English + ภาษาไทย + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + พระคัมภีร์ฉบับนี้ดาวน์โหลดมาจากอินเทอร์เน็ต +คุณไม่สามารถกำหนดรายชื่อหนังสือได้ + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + เมื่อต้องการกำหนดรายชื่อหนังสือเอง ควรเลือก"ภาษาของพระคัมภีร์" ในหน้าการปรับแต่งพระคัมภีร์ของ OpenLP เมื่อคุณเลือก "การตั้งค่าโดยรวม" + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + กำลังลงทะเบียนพระคัมภีร์และทำการบรรจุรายการหนังสือ... + + + + Registering Language... + กำลังลงทะเบียนภาษา... + + + + Importing %s... + Importing <book name>... + กำลังนำเข้า %s... + + + + Download Error + เกิดข้อผิดพลาดในการดาวน์โหลด + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + เกิดปัญหาในการดาวน์โหลดข้อความที่คุณเลือก โปรดตรวจสอบการเชื่อมต่ออินเทอร์เน็ตของคุณ ถ้าข้อผิดพลาดยังปรากฏขึ้น โปรดพิจารณารายงานจุดบกพร่องนี้ + + + + Parse Error + วิเคราะห์ข้อผิดพลาด + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + เกิดปัญหาส่วนที่คัดลอกของข้อความที่คุณเลือก ถ้าข้อผิดพลาดยังปรากฏขึ้น โปรดพิจารณารายงานจุดบกพร่องนี้ + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + ตัวช่วยสร้างการนำเข้าพระคัมภีร์ + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + ตัวช่วยสร้างนี้ ช่วยอำนวยความสะดวกในการนำเข้าพระคัมภีร์จากรูปแบบที่แตกต่างกัน กระบวนการนำเข้าจะเริ่มต้นโดยการคลิกที่ปุ่มถัดไปด้านล่าง แล้วเลือกรูปแบบที่ต้องการนำเข้าพระคัมภีร์ + + + + Web Download + ดาวน์โหลดจากเว็บไซต์ + + + + Location: + ตำแหน่งที่ตั้ง: + + + + Crosswalk + เว็บไซต์ Crosswalk + + + + BibleGateway + เว็บไซต์ BibleGateway + + + + Bible: + พระคัมภีร์: + + + + Download Options + ตัวเลือกการดาวน์โหลด + + + + Server: + ที่อยู่ Server: + + + + Username: + ชื่อผู้ใช้: + + + + Password: + รหัสผ่าน: + + + + Proxy Server (Optional) + Proxy Server (ตัวเลือก) + + + + License Details + รายละเอียดสัญญาอนุญาต + + + + Set up the Bible's license details. + รายละเอียดสัญญาอนุญาตติดตั้งพระคัมภีร์ + + + + Version name: + ชื่อฉบับ: + + + + Copyright: + ลิขสิทธิ์: + + + + Please wait while your Bible is imported. + โปรดรอสักครู่ในขณะที่นำเข้าพระคัมภีร์ของคุณ + + + + You need to specify a file with books of the Bible to use in the import. + คุณต้องระบุไฟล์ที่มีหนังสือของพระคัมภีร์ที่ใช้ในการนำเข้า + + + + You need to specify a file of Bible verses to import. + คุณต้องระบุไฟล์ของข้อพระคัมภีร์สำหรับนำเข้า + + + + You need to specify a version name for your Bible. + คุณต้องระบุชื่อฉบับของพระคัมภีร์ + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + คุณต้องใส่ลิขสิทธิ์พระคัมภีร์ของคุณ พระคัมภีร์ซึ่งเป็นของสาธารณะ ต้องมีการระบุสิทธิ์ดังกล่าว + + + + Bible Exists + พระคัมภีร์ที่มีอยู่ + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + พระคัมภีร์ฉบับนี้มีอยู่แล้ว โปรดนำเข้าพระคัมภีร์ฉบับที่แตกต่างกัน หรือลบพระคัมภีร์ฉบับที่มีอยู่แล้วออกก่อน + + + + Your Bible import failed. + การนำเข้าพระคัมภีร์ของคุณล้มเหลว + + + + CSV File + ไฟล์ CSV + + + + Bibleserver + เซิร์ฟเวอร์พระคัมภีร์ + + + + Permissions: + การอนุญาต: + + + + Bible file: + ไฟล์พระคัมภีร์: + + + + Books file: + ไฟล์หนังสือ: + + + + Verses file: + ไฟล์ข้อพระคัมภีร์: + + + + Registering Bible... + กำลังลงทะเบียนพระคัมภีร์... + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + เลือกภาษา + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + โปรแกรม OpenLP ไม่สามารถกำหนดภาษาของการแปลพระคัมภีร์ฉบับนี้ได้ โปรดเลือกภาษาจากรายการด้านล่าง + + + + Language: + ภาษา: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + คุณต้องเลือกภาษา + + + + BiblesPlugin.MediaItem + + + Quick + แบบรวดเร็ว + + + + Find: + ค้นหา: + + + + Book: + หนังสือเพลง: + + + + Chapter: + บทที่: + + + + Verse: + ข้อที่: + + + + From: + จาก: + + + + To: + ถึง: + + + + Text Search + ค้นหาข้อความ + + + + Second: + ฉบับที่สอง: + + + + Scripture Reference + อ้างอิงพระคัมภีร์ + + + + Toggle to keep or clear the previous results. + ล็อคผลการค้นหาก่อนหน้านี้ไว้ หรือลบผลการค้นหาก่อนหน้านี้ออก + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + คุณไม่สามารถค้นหาข้อความจากพระคัมภีร์ทั้งสองฉบับร่วมกันได้ คุณต้องการลบผลการค้นหาและเริ่มค้นหาใหม่หรือไม่? + + + + Bible not fully loaded. + การบรรจุข้อมูลของพระคัมภีร์ไม่สมบูรณ์ + + + + Information + ข้อมูลข่าวสาร + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + พระคัมภีร์ฉบับที่สองบางข้อไม่มีในพระคัมภีร์ฉบับหลัก แสดงเฉพาะข้อที่พบในพระคัมภีร์ทั้งสองฉบับ %d ข้อพระคัมภีร์ยังไม่ได้ถูกรวมไว้ในผลลัพธ์ + + + + Search Scripture Reference... + ค้นหาโดยอ้างอิงพระคัมภีร์ ..... + + + + Search Text... + ค้นหาข้อความ... + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + คุณแน่ใจหรือว่า ต้องการลบพระคัมภีร์ "%s" จากโปรแกรม OpenLP? + +ถ้าคุณต้องการใช้งาน คุณต้องนำเข้าพระคัมภีร์ฉบับนี้อีกครั้ง + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + ประเภทของไฟล์พระคัมภีร์ไม่ถูกต้อง ไฟล์พระคัมภีร์ของโปรแกรม OpenSong อาจถูกบีบอัด คุณต้องทำการขยายไฟล์ก่อนนำเข้า + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + เลือกไดเรกทอรีสำหรับการสำรองข้อมูล + + + + Bible Upgrade Wizard + ตัวช่วยสร้างการปรับปรุงพระคัมภีร์ + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + ตัวช่วยสร้างนี้ ช่วยให้คุณสามารถปรับปรุงพระคัมภีร์ฉบับที่มีอยู่ จากฉบับก่อนของโปรแกรม OpenLP 2. คลิกที่ปุ่มถัดไปด้านล่าง เพื่อเริ่มต้นกระบวนการปรับปรุง + + + + Select Backup Directory + เลือกไดเรกทอรีสำหรับการสำรองข้อมูล + + + + Please select a backup directory for your Bibles + โปรดเลือกไดเรกทอรีสำหรับการสำรองข้อมูลพระคัมภีร์ + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + โปรแกรมรุ่นก่อนหน้า OpenLP 2.0 ไม่สามารถปรับปรุงพระคัมภีร์ได้ จะสร้างการสำรองข้อมูลของพระคัมภีร์ เพื่อให้คุณสามารถคัดลอกไฟล์กลับไปยังไดเรกทอรีของโปรแกรม OpenLP หากคุณต้องการกลับไปใช้โปรแกรม OpenLP รุ่นก่อนหน้านี้ คำแนะนำเกี่ยวกับวิธีการกู้คืนไฟล์สามารถดูได้ใน <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + Please select a backup location for your Bibles. + โปรดเลือกไดเรกทอรีสำหรับการสำรองข้อมูลพระคัมภีร์ + + + + Backup Directory: + ไดเรกทอรีสำรองข้อมูล: + + + + There is no need to backup my Bibles + ไม่ต้องการสำรองข้อมูลพระคัมภีร์ + + + + Select Bibles + เลือกพระคัมภีร์ + + + + Please select the Bibles to upgrade + เลือกพระคัมภีร์ที่ต้องการปรับปรุง + + + + Upgrading + การปรับปรุง + + + + Please wait while your Bibles are upgraded. + โปรดรอสักครู่ในขณะที่กำลังทำการปรับปรุงพระคัมภีร์ + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + การสำรองข้อมูลไม่สำเร็จ +การสำรองข้อมูลพระคัมภีร์ คุณต้องได้รับอนุญาตในการเขียนข้อมูลไปยังไดเรกทอรีที่ระบุไว้ + + + + Upgrading Bible %s of %s: "%s" +Failed + การปรับปรุงพระคัมภีร์ %s ของ %s: "%s" +ล้มเหลว + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + การปรับปรุงพระคัมภีร์ %s ของ %s: "%s" +กำลังทำการปรับปรุง ... + + + + Download Error + เกิดข้อผิดพลาดในการดาวน์โหลด + + + + To upgrade your Web Bibles an Internet connection is required. + การปรับปรุงพระคัมภีร์ผ่านทางเว็บไซต์ คุณต้องทำการเชื่อมต่ออินเทอร์เน็ต + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + การปรับปรุงพระคัมภีร์ %s of %s: "%s" +กำลังทำการปรับปรุง %s ... + + + + Upgrading Bible %s of %s: "%s" +Complete + การปรับปรุงพระคัมภีร์ %s ของ %s: "%s" +เสร็จเรียบร้อยแล้ว + + + + , %s failed + , %s ล้มเหลว + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + การปรับปรุงพระคัมภีร์(s): %s เสร็จเรียบร้อยแล้ว%s +โปรดทราบว่าการดาวน์โหลดข้อความจากพระคัมภีร์ที่ร้องขอนั้น คุณต้องทำการเชื่อมต่ออินเทอร์เน็ต + + + + Upgrading Bible(s): %s successful%s + การปรับปรุงพระคัมภีร์(s): %s เสร็จเรียบร้อยแล้ว %s + + + + Upgrade failed. + การปรับปรุงล้มเหลว + + + + You need to specify a backup directory for your Bibles. + คุณต้องระบุไดเรกทอรีสำหรับการสำรองพระคัมภีร์ของคุณ + + + + Starting upgrade... + เริ่มต้นการปรับปรุง... + + + + There are no Bibles that need to be upgraded. + ไม่มีพระคัมภีร์ที่ต้องการปรับปรุง + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + ข้อความที่กำหนดเอง + + + + Custom Slides + name plural + ข้อความที่กำหนดเอง + + + + Custom Slides + container title + ข้อความที่กำหนดเอง + + + + Load a new custom slide. + เพิ่มข้อความใหม่ + + + + Import a custom slide. + นำเข้าข้อความ + + + + Add a new custom slide. + เพิ่มข้อความใหม่ + + + + Edit the selected custom slide. + แก้ไขข้อความที่เลือก + + + + Delete the selected custom slide. + ลบข้อความที่เลือก + + + + Preview the selected custom slide. + แสดงตัวอย่างข้อความที่เลือก + + + + Send the selected custom slide live. + ส่งข้อความที่เลือกแสดงบนจอภาพ + + + + Add the selected custom slide to the service. + เพิ่มข้อความที่เลือกไปที่การจัดทำรายการ + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + กำหนดการแสดงบนจอภาพ + + + + Display footer + ส่วนล่างของการแสดงบนจอภาพ + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + แก้ไขข้อความ + + + + &Title: + &ชื่อเพลง: + + + + Add a new slide at bottom. + เพิ่มข้อความใหม่ลงในช่องด้านล่าง + + + + Edit the selected slide. + แก้ไขข้อความที่เลือก + + + + Edit all the slides at once. + แก้ไขข้อความทั้งหมดในครั้งเดียว + + + + Split a slide into two by inserting a slide splitter. + แยกข้อความออกเป็นส่วนๆโดยแทรกตัวแยกข้อความ + + + + The&me: + &ธีม: + + + + &Credits: + &ขอขอบคุณ: + + + + You need to type in a title. + คุณต้องใส่หัวข้อ + + + + Ed&it All + &แก้ไขทั้งหมด + + + + Insert Slide + แยกข้อความ + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + แก้ไขข้อความ + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + <strong>โปรแกรมเสริมรูปภาพ</strong><br />โปรแกรมเสริมรูปภาพสามารถแสดงรูปภาพ<br />หนึ่งในคุณสมบัติของโปรแกรมเสริมนี้คือการจัดกลุ่มภาพหลายภาพเข้าด้วยกัน ช่วยลดความยุ่งยากการแสดงผลของภาพหลายภาพ โปรแกรมเสริมนี้ยังสามารถใช้ประโยชน์จากโปรแกรม OpenLP "วนรอบตามเวลา"สร้างสไลด์โชว์ทำงานโดยอัตโนมัติ นอกจากนี้ภาพสามารถใช้แทนที่ธีมปัจจุบัน เป็นพื้นหลัง ซึ่งทำให้รายการเช่น ข้อความ เพลง มีพื้นหลังจากภาพที่เลือกแทนพื้นหลังของธีม + + + + Image + name singular + รูปภาพ + + + + Images + name plural + รูปภาพ + + + + Images + container title + รูปภาพ + + + + Load a new image. + เพิ่มรูปภาพใหม่ + + + + Add a new image. + เพิ่มรูปภาพใหม่ + + + + Edit the selected image. + แก้ไขรูปภาพที่เลือก + + + + Delete the selected image. + ลบรูปภาพที่เลือก + + + + Preview the selected image. + แสดงตัวอย่างรูปภาพที่เลือก + + + + Send the selected image live. + ส่งรูปภาพที่เลือกแสดงบนจอภาพ + + + + Add the selected image to the service. + เพิ่มรูปภาพที่เลือกไปที่การจัดทำรายการ + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + เลือกสิ่งที่แนบมา + + + + ImagePlugin.MediaItem + + + Select Image(s) + เลือกรูปภาพ(s) + + + + You must select an image to replace the background with. + คุณต้องเลือกรูปภาพที่ใช้เป็นพื้นหลัง + + + + Missing Image(s) + รูปภาพ(s)หายไป + + + + The following image(s) no longer exist: %s + รูปภาพ(s)ต่อไปนี้ไม่มีแล้ว: %s + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + รูปภาพ(s)ต่อไปนี้ไม่มีแล้ว: %s +คุณต้องการเพิ่มรูปภาพอื่นๆต่อไปหรือไม่? + + + + There was a problem replacing your background, the image file "%s" no longer exists. + เกิดปัญหาการเปลี่ยนพื้นหลังของคุณคือ ไฟล์รูปภาพ "%s" ไม่มีแล้ว + + + + There was no display item to amend. + มีรายการที่ไม่แสดงผลต้องทำการแก้ไข + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + ภาพพื้นหลังที่มองเห็น มีอัตราส่วนความละเอียดแตกต่างจากที่มองเห็นบนจอภาพ + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + <strong>โปรแกรมเสริมสื่อภาพและเสียง</strong><br />โปรแกรมเสริมสื่อภาพและเสียงช่วยให้คุณสามารถเล่นสื่อเสียงและวิดีโอ + + + + Media + name singular + สื่อภาพและเสียง + + + + Media + name plural + สื่อภาพและเสียง + + + + Media + container title + สื่อภาพและเสียง + + + + Load new media. + เพิ่มสื่อภาพและเสียงใหม่ + + + + Add new media. + เพิ่มสื่อภาพและเสียงใหม่ + + + + Edit the selected media. + แก้ไขสื่อภาพและเสียงที่เลือก + + + + Delete the selected media. + ลบสื่อภาพและเสียงที่เลือก + + + + Preview the selected media. + แสดงตัวอย่างสื่อภาพและเสียงที่เลือก + + + + Send the selected media live. + ส่งสื่อภาพและเสียงที่เลือกแสดงบนจอภาพ + + + + Add the selected media to the service. + เพิ่มสื่อภาพและเสียงที่เลือกไปที่การจัดทำรายการ + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + หัวข้อ: + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + เลือกสื่อภาพและเสียง + + + + You must select a media file to delete. + คุณต้องเลือกสื่อภาพและเสียงที่ต้องการลบออก + + + + You must select a media file to replace the background with. + คุณต้องเลือกสื่อภาพและเสียงที่ต้องการใช้เป็นพื้นหลัง + + + + There was a problem replacing your background, the media file "%s" no longer exists. + เกิดปัญหาการเปลี่ยนพื้นหลังของคุณคือ ไฟล์สื่อภาพและเสียง "%s" ไม่มีแล้ว + + + + Missing Media File + ไฟล์สื่อภาพและเสียงหายไป + + + + The file %s no longer exists. + ไฟล์ %s ไม่มีแล้ว + + + + Videos (%s);;Audio (%s);;%s (*) + วีดีโอ (%s);;เสียง (%s);;%s (*) + + + + There was no display item to amend. + มีรายการที่ไม่แสดงผลต้องทำการแก้ไข + + + + Unsupported File + ไฟล์ที่ไม่สนับสนุน + + + + Use Player: + โปรแกรมที่ใช้เล่น: + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + อนุญาตให้โปรแกรมเล่นสื่อภาพและเสียงถูกแทนที่ได้ + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + ไฟล์รูปภาพ + + + + Information + ข้อมูลข่าวสาร + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + รูปแบบพระคัมภีร์มีการเปลี่ยนแปลง +คุณทำการปรับปรุงพระคัมภีร์ที่มีอยู่ของคุณ +ควรทำการปรับปรุงโปรแกรม OpenLP ในขณะนี้? + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + ขอขอบคุณ + + + + License + สัญญาอนุญาต + + + + build %s + สร้าง %s + + + + 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; version 2 of the License. + โปรแกรมนี้เป็นซอฟต์แวร์เสรี คุณสามารถแจกจ่าย และ/หรือ แก้ไขได้ภายใต้เงื่อนไขของ GNU General Public License เผยแพร่โดย Free Software Foundation; รุ่นที่ 2 ของสัญญาอนุญาต + + + + 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 below for more details. + โปรแกรมนี้เผยแพร่โดยหวังว่าจะเป็นประโยชน์ แต่ไม่มีการรับประกันใดๆ ไม่มีแม้การรับประกันเชิงพาณิชย์ หรือเหมาะสมสำหรับวัตถุประสงค์โดยเฉพาะ สำหรับรายละเอียดเพิ่มเติมดูด้านล่าง + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + โปรแกรม OpenLP <version><revision> - เป็นโปรแกรม Open Source สำหรับฉายเนื้อเพลง + +โปรแกรม OpenLP คือซอฟต์แวร์เสรีใช้ในงานนำเสนอของคริสตจักร หรือสำหรับฉายเนื้อเพลง ใช้แสดงเนื้อเพลง ข้อพระคัมภีร์ วิดีโอ รูปภาพ และแม้กระทั่งงานนำเสนอ(ถ้า Impress, PowerPoint หรือ PowerPoint Viewer ถูกติดตั้ง) สำหรับการนมัสการในคริสตจักร การใช้งานต้องมีคอมพิวเตอร์และเครื่องฉายโปรเจ็กเตอร์ + +ค้นหาข้อมูลเพิ่มเติมเกี่ยวกับโปรแกรม OpenLP: http://openlp.org/ + +โปรแกรม OpenLP ถูกเขียนและดูแลโดยอาสาสมัคร หากคุณต้องการเห็นซอฟแวร์เสรี ที่เขียนสำหรับคริสเตียนมากขึ้น โปรดพิจารณาร่วมเป็นอาสาสมัคร โดยใช้ปุ่มด้านล่าง + + + + Volunteer + อาสาสมัคร + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + ตั้งค่าการใช้งานร่วมกัน + + + + Number of recent files to display: + จำนวนไฟล์ที่แสดงล่าสุด: + + + + Remember active media manager tab on startup + จดจำการเปิดใช้งานแท็บจัดการสื่อนำเสนอ เมื่อเริ่มต้นโปรแกรม + + + + Double-click to send items straight to live + ดับเบิลคลิกเพื่อส่งรายการไปแสดงบนจอภาพ + + + + Expand new service items on creation + ขยายรายการที่สร้างใหม่ในการจัดทำรายการ + + + + Enable application exit confirmation + ขยายการยืนยันในหน้าต่างก่อนออกจากโปรแกรม + + + + Mouse Cursor + เคอร์เซอร์เมาส์ + + + + Hide mouse cursor when over display window + ซ่อนเคอร์เซอร์ของเมาส์บนจอภาพ + + + + Default Image + รูปภาพเริ่มต้น + + + + Background color: + สีพื้นหลัง: + + + + Image file: + ไฟล์รูปภาพ: + + + + Open File + เปิดไฟล์ + + + + Advanced + ขั้นสูง + + + + Preview items when clicked in Media Manager + แสดงตัวอย่างเมื่อคลิกที่รายการในแท็บจัดการสื่อนำเสนอ + + + + Browse for an image file to display. + เรียกดูไฟล์รูปภาพที่ต้องการแสดง + + + + Revert to the default OpenLP logo. + กลับไปใช้โลโก้เริ่มต้นของโปรแกรม OpenLP + + + + Default Service Name + ค่าเริ่มต้นของชื่อการจัดทำรายการ + + + + Enable default service name + เปิดใช้งานค่าเริ่มต้นของชื่อการจัดทำรายการ + + + + Date and Time: + วันที่และเวลา: + + + + Monday + วันจันทร์ + + + + Tuesday + วันอังคาร + + + + Wednesday + วันพุธ + + + + Friday + วันศุกร์ + + + + Saturday + วันเสาร์ + + + + Sunday + วันอาทิตย์ + + + + Now + ปัจจุบัน + + + + Time when usual service starts. + เวลาปกติที่เริ่มต้นการจัดทำรายการ + + + + Name: + ชื่อ: + + + + Consult the OpenLP manual for usage. + คู่มือแนะนำการใช้งานโปรแกรม OpenLP + + + + Revert to the default service name "%s". + กลับไปใช้ค่าเริ่มต้นของชื่อการจัดทำรายการ "%s" + + + + Example: + ตัวอย่าง: + + + + Bypass X11 Window Manager + เลี่ยง X11 Window Manager + + + + Syntax error. + ผิดพลาดทางไวยากรณ์. + + + + Data Location + ตำแหน่งที่ตั้งของข้อมูล + + + + Current path: + เส้นทางปัจจุบัน: + + + + Custom path: + เส้นทางที่กำหนดเอง: + + + + Browse for new data file location. + เรียกดูตำแหน่งที่ตั้งใหม่ของไฟล์ข้อมูล + + + + Set the data location to the default. + ตั้งค่าตำแน่งที่ตั้งของข้อมูลเป็นค่าเริ่มต้น + + + + Cancel + ยกเลิก + + + + Cancel OpenLP data directory location change. + ยกเลิกการเปลี่ยนตำแหน่งที่ตั้งไดเรกทอรีข้อมูลโปรแกรม OpenLP + + + + Copy data to new location. + คัดลอกข้อมูลไปตำแหน่งที่ตั้งใหม่ + + + + Copy the OpenLP data files to the new location. + คัดลอกไฟล์ข้อมูลโปรแกรม OpenLP ไปตำแหน่งที่ตั้งใหม่ + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>คำเตือน:</strong> ตำแหน่งที่ตั้งไดเรกทอรีใหม่มีไฟล์ข้อมูลโปรแกรม OpenLP อยู่แล้ว ไฟล์เหล่านี้จะถูกแทนที่ระหว่างการคัดลอก + + + + Data Directory Error + เกิดข้อผิดพลาดไดเรกทอรีข้อมูล + + + + Select Data Directory Location + เลือกตำแหน่งที่ตั้งไดเรกทอรีข้อมูล + + + + Confirm Data Directory Change + ยืนยันการเปลี่ยนไดเรกทอรีข้อมูล + + + + Reset Data Directory + ตั้งค่าไดเรกทอรีข้อมูลใหม่ + + + + Overwrite Existing Data + เขียนทับข้อมูลที่มีอยู่ + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + ไม่พบไดเรกทอรีข้อมูลโปรแกรม OpenLP + +%s + +ไดเรกทอรีข้อมูลก่อนหน้านี้ เปลี่ยนจากตำแหน่งเริ่มต้นของโปรแกรม OpenLP ถ้าตำแหน่งใหม่เป็นอุปกรณ์ที่ถอดออกได้ ต้องเชื่อมต่ออุปกรณ์นั้นก่อน + +คลิก"ไม่" เพื่อหยุดการบันทึกข้อมูลโปรแกรม OpenLP ช่วยให้คุณสามารถแก้ไขปัญหาที่เกิดขึ้น + +คลิก "ใช่" เพื่อตั้งค่าไดเรกทอรีข้อมูลไปยังตำแหน่งที่ตั้งเริ่มต้น + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + คุณแน่ใจหรือว่า ต้องการเปลี่ยนตำแหน่งที่ตั้งไดเรกทอรีข้อมูลโปรแกรม OpenLP ไปที่: + +%s + +ตำแหน่งที่ตั้งจะถูกเปลี่ยนหลังจากปิดโปรแกรม OpenLP + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + คลิกเพื่อเลือกสี + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + เกิดเหตุการณ์ผิดพลาดขึ้น + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + อุ๊ย! โปรแกรม OpenLP เกิดปัญหาและไม่สามารถกู้คืนได้ ข้อความในกล่องด้านล่าง มีข้อมูลที่อาจเป็นประโยชน์ในการพัฒนาโปรแกรม OpenLP ดังนั้นโปรดส่ง E-mail ไปที่ bugs@openlp.org พร้อมกับอธิบายรายละเอียดสิ่งที่คุณกำลังทำเมื่อเกิดปัญหาขึ้น + + + + Send E-Mail + ส่ง E-Mail + + + + Save to File + บันทึกไฟล์ + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + โปรดใส่คำอธิบายสิ่งที่คุณกำลังทำ ซึ่งทำให้เกิดข้อผิดพลาดนี้ +(ขั้นต่ำ 20 ตัวอักษร) + + + + Attach File + ไฟล์แนบ + + + + Description characters to enter : %s + ป้อนคำอธิบาย : %s + + + + OpenLP.ExceptionForm + + + Platform: %s + + คำอธิบาย: %s + + + + + Save Crash Report + บันทึกรายงานความผิดพลาด + + + + Text files (*.txt *.log *.text) + ไฟล์ข้อความ(*.txt *.log *.text) + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + **รายงานจุดบกพร่องโปรแกรม OpenLP** +รุ่น: %s + +--- รายละเอียดสิ่งผิดปรกติ --- + +%s + + --- ตรวจสอบสิ่งผิดปรกติย้อนหลัง --- +%s +--- ข้อมูลระบบ --- +%s +--- สารบัญรุ่นของโปรแกรม --- +%s + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + *รายงานจุดบกพร่องโปรแกรม OpenLP* +รุ่น: %s + +--- รายละเอียดสิ่งผิดปรกติ --- + +%s + + --- ตรวจสอบสิ่งผิดปรกติย้อนหลัง --- +%s +--- ข้อมูลระบบ --- +%s +--- สารบัญรุ่นของโปรแกรม --- +%s + + + + + OpenLP.FileRenameForm + + + File Rename + เปลี่ยนชื่อไฟล์ + + + + New File Name: + ชื่อใหม่ไฟล์ + + + + File Copy + คัดลอกไฟล์ + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + เลือกภาษาที่มีการแปล + + + + Choose the translation you'd like to use in OpenLP. + เลือกภาษาที่มีการแปล ที่คุณต้องการใช้ในโปรแกรม OpenLP + + + + Translation: + ภาษาที่มีการแปล: + + + + OpenLP.FirstTimeWizard + + + Songs + เพลง + + + + First Time Wizard + ตัวช่วยสร้างครั้งแรก + + + + Welcome to the First Time Wizard + ยินดีต้อนรับสู่ตัวช่วยสร้างครั้งแรก + + + + Activate required Plugins + เปิดใช้งานโปรแกรมเสริมที่จำเป็น + + + + Select the Plugins you wish to use. + เลือกโปรแกรมเสริมที่คุณต้องการใช้งาน + + + + Bible + พระคัมภีร์ + + + + Images + รูปภาพ + + + + Presentations + งานนำเสนอ + + + + Media (Audio and Video) + สื่อภาพและเสียง (เสียงและวิดีโอ) + + + + Allow remote access + อนุญาตให้เข้าถึงจากระยะไกล + + + + Monitor Song Usage + จอภาพการใช้งานเพลง + + + + Allow Alerts + เปิดใช้งานการแจ้งเตือน + + + + Default Settings + ตั้งค่าเป็นเริ่มต้น + + + + Downloading %s... + กำลังดาวน์โหลด %s... + + + + Enabling selected plugins... + เปิดใช้งานโปรแกรมเสริมที่เลือก... + + + + No Internet Connection + ไม่มีการเชื่อมต่ออินเทอร์เน็ต + + + + Unable to detect an Internet connection. + ไม่สามารถเชื่อมต่ออินเทอร์เน็ตได้ + + + + Sample Songs + เพลงตัวอย่าง + + + + Select and download public domain songs. + เลือกและดาวน์โหลดเพลงที่เป็นของสาธารณะ + + + + Sample Bibles + พระคัมภีร์ตัวอย่าง + + + + Select and download free Bibles. + เลือกและดาวน์โหลดพระคัมภีร์ฟรี + + + + Sample Themes + ธีมตัวอย่าง + + + + Select and download sample themes. + เลือกและดาวน์โหลดธีมตัวอย่าง + + + + Set up default settings to be used by OpenLP. + ตั้งค่าเริ่มต้นสำหรับการใช้งานโปรแกรม OpenLP + + + + Default output display: + ค่าเริ่มต้นการแสดงผล: + + + + Select default theme: + เลือกธีมเริ่มต้น: + + + + Starting configuration process... + กำลังเริ่มต้นกระบวนการการตั้งค่า... + + + + Setting Up And Downloading + ทำการตั้งค่าและดาวน์โหลด + + + + Please wait while OpenLP is set up and your data is downloaded. + โปรดรอสักครู่ในขณะที่โปรแกรม OpenLP ทำการตั้งค่าและดาวน์โหลดข้อมูลของคุณ + + + + Setting Up + ทำการตั้งค่า + + + + Custom Slides + ข้อความที่กำหนดเอง + + + + Finish + สิ้นสุด + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + ไม่มีการเชื่อมต่ออินเทอร์เน็ต การใช้งานตัวช่วยสร้างครั้งแรกต้องเชื่อมต่ออินเทอร์เน็ต เพื่อให้สามารถดาวน์โหลดตัวอย่างเพลง พระคัมภีร์และธีม คลิกที่ปุ่ม เสร็จ เพื่อเริ่มต้นโปรแกม OpenLP ด้วยค่าเริ่มต้นและไม่มีข้อมูลตัวอย่าง + +เริ่มการทำงานตัวช่วยสร้างครั้งแรกอีกครั้ง เพื่อนำเข้าข้อมูลตัวอย่างนี้ในเวลาต่อมา ตรวจสอบการเชื่อมต่ออินเทอร์เน็ตของคุณ และเริ่มการทำงานตัวช่วยสร้างครั้งแรกอีกครั้ง โดยเลือกที่ "เครื่องมือ / ตัวช่วยสร้างครั้งแรก" จากโปรแกรม OpenLP + + + + Download Error + เกิดข้อผิดพลาดในการดาวน์โหลด + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + ยกเลิก + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + ปรับแต่งรูปแบบแท็ก + + + + Description + คำอธิบาย + + + + Tag + แท็ก + + + + Start HTML + เริ่ม HTML + + + + End HTML + สิ้นสุด HTML + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + <HTML ที่นี่> + + + + Validation Error + การตรวจสอบเกิดข้อผิดพลาด + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + แท็ก %s กำหนดไว้แล้ว + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + สีแดง + + + + Black + สีดำ + + + + Blue + สีน้ำเงิน + + + + Yellow + สีเหลือง + + + + Green + สีเขียว + + + + Pink + สีชมพู + + + + Orange + สีส้ม + + + + Purple + สีม่วง + + + + White + สีขาว + + + + Superscript + ตัวอักษอยู่บนมุมขวาของตัวอื่น + + + + Subscript + ตัวอักษรอยู่ต่ำกว่าตัวอื่น + + + + Paragraph + ย่อหน้า + + + + Bold + หนา + + + + Italics + ตัวเอียง + + + + Underline + ขีดเส้นใต้ + + + + Break + หยุด + + + + OpenLP.GeneralTab + + + General + ทั่วไป + + + + Monitors + จอภาพ + + + + Select monitor for output display: + เลือกจอภาพสำหรับใช้แสดงผล: + + + + Display if a single screen + แสดงผลถ้ามีหน้าจอเดียว + + + + Application Startup + เริ่มต้นโปรแกรม + + + + Show blank screen warning + แสดงคำเตือนเมื่อจอภาพมีค่าเป็น หน้าจอว่างเปล่า + + + + Automatically open the last service + เปิดไฟล์การจัดทำรายการที่บันทึกไว้ครั้งล่าสุดโดยอัตโนมัติ + + + + Show the splash screen + แสดงหน้าจอต้อนรับก่อนเริ่มโปรแกรม + + + + Application Settings + ตั้งค่าโปรแกรม + + + + Prompt to save before starting a new service + เตือนให้มีการบันทึกก่อนเริ่มต้นการจัดทำรายการใหม่ + + + + Automatically preview next item in service + แสดงตัวอย่างรายการถัดไปโดยอัตโนมัติในการจัดทำรายการ + + + + sec + วินาที + + + + CCLI Details + รายละเอียด CCLI + + + + SongSelect username: + ชื่อผู้ใช้ SongSelect: + + + + SongSelect password: + รหัสผ่าน SongSelect: + + + + X + แกน X + + + + Y + แกน Y + + + + Height + ความสูง + + + + Width + ความกว้าง + + + + Check for updates to OpenLP + ตรวจสอบการปรับปรุงโปรแกรม OpenLP + + + + Unblank display when adding new live item + ยกเลิกหน้าจอว่างเปล่า เมื่อส่งรายการใหม่ไปแสดงบนจอภาพ + + + + Timed slide interval: + ระยะเวลาที่เลื่อน: + + + + Background Audio + เสียงพื้นหลัง + + + + Start background audio paused + หยุดใช้เสียงพื้นหลังชั่วคราว + + + + Service Item Slide Limits + ขอบเขตการเลื่อนรายการ + + + + Override display position: + ตำแหน่งจอภาพที่ซ้อนทับ: + + + + Repeat track list + เล่นรายการเสียงซ้ำ + + + + Behavior of next/previous on the last/first slide: + ลำดับถัดไป/ลำดับก่อนหน้า/ลำดับแรก: + + + + &Remain on Slide + &เลื่อนขึ้นเลื่อนลงอยู่ในรายการ + + + + &Wrap around + &เลื่อนแบบวนรอบอยู่ในรายการ + + + + &Move to next/previous service item + &เลื่อนต่อไปที่รายการถัดไป / รายการก่อนหน้า + + + + OpenLP.LanguageManager + + + Language + ภาษา + + + + Please restart OpenLP to use your new language setting. + โปรดเริ่มต้นโปรแกรม OpenLP อีกครั้ง เมื่อคุณตั้งค่าภาษาใหม่ + + + + OpenLP.MainDisplay + + + OpenLP Display + แสดงโปรแกรมOpenLP + + + + OpenLP.MainWindow + + + &File + &ไฟล์ + + + + &Import + &นำเข้าไฟล์ + + + + &Export + &ส่งออกไฟล์ + + + + &View + &มุมมอง + + + + M&ode + &รูปแบบโปรแกรม + + + + &Tools + &เครื่องมือ + + + + &Settings + &ตั้งค่าโปรแกรม + + + + &Language + &ภาษา + + + + &Help + &ช่วยเหลือ + + + + Service Manager + การจัดทำรายการ + + + + Theme Manager + จัดการรูปแบบธีม + + + + &New + &สร้างใหม่ + + + + &Open + &เปืด + + + + Open an existing service. + เปิดใช้ไฟล์การจัดทำรายการที่มีอยู่แล้ว + + + + &Save + &บันทึก + + + + Save the current service to disk. + บันทึกรายการไปที่จัดเก็บ + + + + Save &As... + &บันทึกเป็น... + + + + Save Service As + บันทึกรายการเป็นชื่ออื่น + + + + Save the current service under a new name. + บันทึกรายการที่จัดเก็บเป็นชื่อใหม่ + + + + E&xit + &ออกจากโปรแกรม + + + + Quit OpenLP + ปิดโปรแกรม OpenLP + + + + &Theme + &ธีม + + + + &Configure OpenLP... + &ปรับแต่งโปรแกรม OpenLP... + + + + &Media Manager + &จัดการสื่อนำเสนอ + + + + Toggle Media Manager + ล็อคจัดการนำเสนอ + + + + Toggle the visibility of the media manager. + ล็อคการมองเห็นของจัดการสื่อนำเสนอ + + + + &Theme Manager + &จัดการรูปแบบธีม + + + + Toggle Theme Manager + ล็อคจัดการรูปแบบธีม + + + + Toggle the visibility of the theme manager. + ล็อคการมองเห็นของจัดการรูปแบบธีม + + + + &Service Manager + &การจัดทำรายการ + + + + Toggle Service Manager + ล็อคการจัดทำรายการ + + + + Toggle the visibility of the service manager. + ล็อคการมองเห็นของการจัดทำรายการ + + + + &Preview Panel + &กรอบแสดงตัวอย่าง + + + + Toggle Preview Panel + ล็อคกรอบแสดงตัวอย่าง + + + + Toggle the visibility of the preview panel. + ล็อดการมองเห็นของกรอบแสดงตัวอย่าง + + + + &Live Panel + &กรอบแสดงบนจอภาพ + + + + Toggle Live Panel + ล็อคกรอบแสดงบนจอภาพ + + + + Toggle the visibility of the live panel. + ล็อคการมองเห็นของกรอบแสดงผลบนจอภาพ + + + + &Plugin List + &รายการโปรแกรมเสริม + + + + List the Plugins + รายการโปรแกรมเสริมต่างๆ + + + + &User Guide + &คู่มือแนะนำการใช้งาน + + + + &About + &เกี่ยวกับโปรแกรม + + + + More information about OpenLP + ข้อมูลข่าวสารเพิ่มเติมเกี่ยวกับโปรแกรม OpenLP + + + + &Online Help + &คู่มือแนะนำการใช้งานออนไลน์ + + + + &Web Site + &เว็บไซต์ + + + + Use the system language, if available. + ใช้ภาษาของระบบ ถ้าใช้งานได้ + + + + Set the interface language to %s + ตั้งค่าภาษาที่ใช้ร่วมกันสำหรับ %s + + + + Add &Tool... + &เพิ่มเครื่องมือ... + + + + Add an application to the list of tools. + เพิ่มโปรแกรมไปที่รายการเครื่องมือ + + + + &Default + &ค่าเริ่มต้น + + + + Set the view mode back to the default. + ตั้งค่ามุมมองรูปแบบกลับไปใช้ค่าเริ่มต้น + + + + &Setup + &การติดตั้ง + + + + Set the view mode to Setup. + ตั้งค่ามุมมองรูปแบบสำหรับการติดตั้ง + + + + &Live + &แสดงบนจอภาพ + + + + Set the view mode to Live. + ตั้งค่ามุมมองรูปแบบสำหรับแสดงบนจอภาพ + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + รุ่น %s ของโปรแกรม OpenLP ตอนนี้สามารถดาวน์โหลดได้แล้ว (คุณกำลังใช้โปรแกรม รุ่น %s) + +คุณสามารถดาวน์โหลดรุ่นล่าสุดได้จาก http://openlp.org/. + + + + OpenLP Version Updated + ปรับปรุงรุ่นของโปรแกรม OpenLP + + + + OpenLP Main Display Blanked + จอภาพหลักของโปรแกรม OpenLP ว่างเปล่า + + + + The Main Display has been blanked out + จอภาพหลักถูกทำให้ว่างเปล่า + + + + Default Theme: %s + ธีมเริ่มต้น: %s + + + + English + Please add the name of your language here + ภาษาไทย + + + + Configure &Shortcuts... + &ปรับแต่งทางลัด... + + + + Close OpenLP + ปิดโปรแกรม OpenLP + + + + Are you sure you want to close OpenLP? + คุณแน่ใจหรือว่า ต้องการปิดโปรแกรม OpenLP? + + + + Open &Data Folder... + &เปิดโฟลเดอร์ข้อมูล... + + + + Open the folder where songs, bibles and other data resides. + เปิดโฟลเดอร์ที่มีเพลง พระคัมภีร์ และข้อมูลอื่นๆอยู่ภายในนั้น + + + + &Autodetect + &ตรวจหาอัตโนมัติ + + + + Update Theme Images + ปรับปรุงรูปภาพของธีม + + + + Update the preview images for all themes. + ปรับปรุงรูปภาพตัวอย่างสำหรับทุกธีม + + + + Print the current service. + พิมพ์รายการปัจจุบัน + + + + &Recent Files + &ไฟล์ล่าสุด + + + + L&ock Panels + &ล็อคกรอบการทำงาน + + + + Prevent the panels being moved. + ป้องกันไม่ให้กรอบการทำงานต่างๆถูกย้าย + + + + Re-run First Time Wizard + ตัวช่วยสร้างครั้งแรก + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + เริ่มการทำงานตัวช่วยสร้างครั้งแรกอีกครั้ง เพื่อนำเข้าเพลง พระคัมภีร์และธีม + + + + Re-run First Time Wizard? + เริ่มการทำงานตัวช่วยสร้างครั้งแรกอีกครั้ง? + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + คุณแน่ใจหรือว่า ต้องการเริ่มการทำงานตัวช่วยสร้างครั้งแรกอีกครั้ง? + +เมื่อเริ่มการทำงานตัวช่วยสร้างนี้ อาจเปลี่ยนแปลงการตั้งค่าปัจจุบันของโปรแกรม OpenLP และเพิ่มเพลงในรายการเพลงที่คุณมีอยู่แล้ว และเปลี่ยนรูปแบบธีมเริ่มต้นของคุณ + + + + Clear List + Clear List of recent files + ล้างรายการ + + + + Clear the list of recent files. + ล้างรายการไฟล์ล่าสุด + + + + Configure &Formatting Tags... + &ปรับแต่งรูปแบบแท็ก... + + + + Export OpenLP settings to a specified *.config file + ส่งออกการตั้งค่าโปรแกรม OpenLP โดยระบุชื่อไฟล์ * .config + + + + Settings + ตั้งค่า + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + นำเข้าการตั้งค่าโปรแกรม OpenLP จากไฟล์ที่ระบุชื่อ * .config เลือกไฟล์ที่ส่งออกก่อนหน้านี้ หรือไฟล์การตั้งค่าจากเครื่องอื่น + + + + Import settings? + นำเข้าการตั้งค่า? + + + + Open File + เปิดไฟล์ + + + + OpenLP Export Settings Files (*.conf) + ส่งออกไฟล์การตั้งค่าโปรแกรม OpenLP (*.conf) + + + + Import settings + นำเข้าการตั้งค่า + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + โปรแกรม OpenLP จะปิดตัวลงในขณะนี้ การตั้งค่าที่นำเข้าจะถูกนำมาใช้ในครั้งต่อไป เมื่อคุณเริ่มต้นโปรแกรม OpenLP + + + + Export Settings File + ส่งออกไฟล์การตั้งค่า + + + + OpenLP Export Settings File (*.conf) + ส่งออกไฟล์การตั้งค่าโปรแกรม OpenLP (*.conf) + + + + New Data Directory Error + เกิดข้อผิดพลาดไดเรกทอรีข้อมูลใหม่ + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + กำลังคัดลอกข้อมูลโปรแกม OpenLP ไปยังตำแหน่งที่ตั้งใหม่ของไดเรกทอรีข้อมูล - %s - โปรดรอสักครู่สำหรับการคัดลอกที่จะเสร็จ + + + + OpenLP Data directory copy failed + +%s + การคัดลอกไดเรกทอรีข้อมูลโปรแกรม OpenLP ล้มเหลว + +%s + + + + General + ทั่วไป + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + ฐานข้อมูลเกิดข้อผิดพลาด + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + ฐานข้อมูลที่กำลังบันทึก ถูกสร้างขึ้นในรุ่นล่าสุดของโปรแกรม OpenLP ฐานข้อมูลเป็นรุ่น %d ขณะที่คาดว่าโปรแกรม OpenLP เป็นรุ่น %d จึงไม่สามารถบันทึกฐานข้อมูลได้ + +ฐานข้อมูล: %s + + + + OpenLP cannot load your database. + +Database: %s + โปรแกรม OpenLP ไม่สามารถบันทึกฐานข้อมูลของคุณ + +ฐานข้อมูล: %s + + + + OpenLP.MediaManagerItem + + + No Items Selected + ไม่มีรายการที่เลือก + + + + &Add to selected Service Item + &เพิ่มรายการทีเลือก + + + + You must select one or more items to preview. + คุณต้องเลือกอย่างน้อยหนึ่งรายการสำหรับแสดงตัวอย่าง + + + + You must select one or more items to send live. + คุณต้องเลือกอย่างน้อยหนึ่งรายการสำหรับแสดงบนจอภาพ + + + + You must select one or more items. + คุณต้องเลือกอย่างน้อยหนึ่งรายการ + + + + You must select an existing service item to add to. + คุณต้องเลือกจากรายการที่มีอยู่เพื่อเพิ่ม + + + + Invalid Service Item + การทำรายการไม่ถูกต้อง + + + + You must select a %s service item. + คุณต้องเลือก %s จัดทำรายการ + + + + You must select one or more items to add. + คุณต้องเลือกอย่างน้อยหนึ่งรายการเพื่อเพิ่ม + + + + No Search Results + ไม่พบผลลัพธ์จากการค้นหา + + + + Invalid File Type + ชนิดของไฟล์ไม่ถูกต้อง + + + + Invalid File %s. +Suffix not supported + ไฟล์ %s ไม่ถูกต้อง +นามสกุลไฟล์ไม่ได้รับการสนับสนุน + + + + &Clone + &สร้างสำเนาเหมือนกัน + + + + Duplicate files were found on import and were ignored. + พบว่ามีการนำเข้าไฟล์ที่ซ้ำกันและถูกมองข้าม + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + <เนื้อเพลง> แท็กหายไป + + + + <verse> tag is missing. + <ข้อความ> แท็กหายไป + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + โปรแกรมเล่นสื่อภาพและเสียงที่มี + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + %s (ไม่สามารถใช้งานได้) + + + + OpenLP.PluginForm + + + Plugin List + รายการโปรแกรมเสริม + + + + Plugin Details + รายละเอียดโปรแกรมเสริม + + + + Status: + สถานะ: + + + + Active + เปิดใช้งาน + + + + Inactive + ไม่ได้เปิดใช้งาน + + + + %s (Inactive) + %s (ไม่ได้เปิดใช้งาน) + + + + %s (Active) + %s (เปิดใช้งาน) + + + + %s (Disabled) + %s (ปิดใช้งาน) + + + + OpenLP.PrintServiceDialog + + + Fit Page + พอดีหน้า + + + + Fit Width + พอดีความกว้าง + + + + OpenLP.PrintServiceForm + + + Options + ตัวเลือก + + + + Copy + คัดลอก + + + + Copy as HTML + คัดลอกเป็น HTML + + + + Zoom In + ซูมเข้า + + + + Zoom Out + ซูมออก + + + + Zoom Original + เท่าต้นฉบับ + + + + Other Options + ตัวเลือกอื่น + + + + Include slide text if available + ใส่ข้อความเลื่อนเข้าไปด้วย ถ้ามีอยู่ + + + + Include service item notes + ใส่หมายเหตุการจัดทำรายการเข้าไปด้วย + + + + Include play length of media items + ใส่ระยะเวลาการเล่นรายการสื่อภาพและเสียงเข้าไปด้วย + + + + Add page break before each text item + เพิ่มตัวแบ่งหน้าข้อความแต่ละรายการ + + + + Service Sheet + เอกสารการจัดทำรายการ + + + + Print + พิมพ์ + + + + Title: + หัวข้อ: + + + + Custom Footer Text: + ข้อความส่วนล่างที่กำหนดเอง: + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + หมายเหตุ + + + + Database Error + ฐานข้อมูลเกิดข้อผิดพลาด + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + Port + + + + Notes + หมายเหตุ + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + Other อื่นๆ + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + แสดงจอภาพที่ว่างเปล่า + + + + primary + ตัวหลัก + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + <strong>เริ่มต้น</strong>: %s + + + + <strong>Length</strong>: %s + <strong>ระยะเวลา</strong>: %s + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + เรียงลำดับการจัดทำรายการ + + + + OpenLP.ServiceManager + + + Move to &top + &เลื่อนขึ้นไปบนสุด + + + + Move item to the top of the service. + ย้ายรายการขึ้นไปที่ตำแหน่งบนสุดของการจัดทำรายการ + + + + Move &up + &เลื่อนขึ้น + + + + Move item up one position in the service. + ย้ายรายการขึ้นไปหนึ่งตำแหน่งในการจัดทำรายการ + + + + Move &down + &เลื่อนลง + + + + Move item down one position in the service. + ย้ายรายการลงไปหนึ่งตำแหน่งในการจัดทำรายการ + + + + Move to &bottom + &เลื่อนลงไปล่างสุด + + + + Move item to the end of the service. + ย้ายรายการลงไปที่ตำแหน่งล่างสุดของการจัดทำรายการ + + + + &Delete From Service + &ลบออกจากการจัดทำรายการ + + + + Delete the selected item from the service. + ลบรายการที่เลือกออกจากการจัดทำรายการ + + + + &Add New Item + &เพิ่มรายการใหม่ + + + + &Add to Selected Item + &เพิ่มรายการที่เลือก + + + + &Edit Item + &แก้ไขรายการ + + + + &Reorder Item + &เรียงลำดับรายการ + + + + &Notes + &หมายเหตุ + + + + &Change Item Theme + &เปลี่ยนธีมของรายการ + + + + File is not a valid service. + ไฟล์การจัดทำรายการไม่ถูกต้อง + + + + Missing Display Handler + ตัวดำเนินการแสดงผลหายไป + + + + Your item cannot be displayed as there is no handler to display it + รายการของคุณไม่สามารถแสดงผลได้ เนื่องจากตัวดำเนินการแสดงผลหายไป + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + รายการของคุณไม่สามารถแสดงผลได้ เนื่องจากโปรแกรมเสริมที่จำเป็นในการแสดงผลหายไป หรือไม่ได้เปิดใช้งาน + + + + &Expand all + &ขยายออกทั้งหมด + + + + Expand all the service items. + ขยายรายการในการจัดทำรายการทั้งหมด + + + + &Collapse all + &ยุบลงทั้งหมด + + + + Collapse all the service items. + ยุบรายการในการจัดทำรายการทั้งหมด + + + + Open File + เปิดไฟล์ + + + + Moves the selection down the window. + ย้ายส่วนที่เลือกลงหน้าต่าง + + + + Move up + เลื่อนขึ้น + + + + Moves the selection up the window. + ย้ายส่วนที่เลือกขึ้นหน้าต่าง + + + + Go Live + แสดงบนจอภาพ + + + + Send the selected item to Live. + ส่งรายการที่เลือกไปแสดงบนจอภาพ + + + + &Start Time + &เล่นสื่อภาพและเสียงในเวลาที่กำหนด + + + + Show &Preview + &แสดงตัวอย่าง + + + + Modified Service + ปรับเปลี่ยนแก้ไขรายการ + + + + The current service has been modified. Would you like to save this service? + การจัดทำรายการมีการปรับเปลี่ยนแก้ไข คุณต้องการบันทึกการจัดทำรายการนี้หรือไม่? + + + + Custom Service Notes: + หมายเหตุการจัดทำรายการที่กำหนดเอง: + + + + Notes: + หมายเหตุ: + + + + Playing time: + เวลาเริ่มเล่น: + + + + Untitled Service + ไม่ได้ตั้งชื่อการจัดทำรายการ + + + + File could not be opened because it is corrupt. + ไฟล์เสียหายไม่สามารถเปิดได้ + + + + Empty File + ไฟล์ว่างเปล่า + + + + This service file does not contain any data. + ไฟล์การจัดทำรายการนี้ไม่มีข้อมูลใดๆ + + + + Corrupt File + ไฟล์เสียหาย + + + + Load an existing service. + เรียกใช้ไฟล์การจัดทำรายการที่มีอยู่ + + + + Save this service. + บันทึกการจัดทำรายการ + + + + Select a theme for the service. + เลือกธีมสำหรับการจัดทำรายการ + + + + Slide theme + ธีมการเลื่อน + + + + Notes + หมายเหตุ + + + + Edit + แก้ไข + + + + Service copy only + คัดลอกเฉพาะการจัดทำรายการ + + + + Error Saving File + การบันทึกไฟล์เกิดข้อผิดพลาด + + + + There was an error saving your file. + เกิดข้อผิดพลาดในการบันทึกไฟล์ของคุณ + + + + Service File(s) Missing + ไฟล์การจัดทำรายการ(s) หายไป + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + หน่วงเวลาระหว่างการเลื่อนเป็นวินาที + + + + Rename item title + + + + + Title: + หัวข้อ: + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + หมายเหตุการจัดทำรายการ + + + + OpenLP.SettingsForm + + + Configure OpenLP + ปรับแต่งโปรแกรม OpenLP + + + + OpenLP.ShortcutListDialog + + + Action + การกระทำ + + + + Shortcut + ทางลัด + + + + Duplicate Shortcut + ทางลัดซ้ำกัน + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + ทางลัด "%s" ถูกกำหนดให้กับการกระทำอื่นแล้ว โปรดใช้ทางลัดที่ไม่เหมือนกัน + + + + Alternate + สำรอง + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + เลือกการกระทำ แล้วกดแป้นพิมพ์ตัวอกษรที่ต้องการใช้เป็นทางลัดค้างไว้ และกดปุ่มใดปุ่มหนึ่งด้านล่าง เพื่อเริ่มจับภาพตัวอักษรใช้เป็นทางลัดหลักใหม่ หรือทางลัดสำรอง + + + + Default + ค่าเริ่มต้น + + + + Custom + กำหนดเอง + + + + Capture shortcut. + จับภาพตัวอักษรใช้เป็นทางลัด + + + + Restore the default shortcut of this action. + เรียกคืนทางลัดเริ่มต้นของการกระทำนี้ + + + + Restore Default Shortcuts + เรียกคืนทางลัดเริ่มต้น + + + + Do you want to restore all shortcuts to their defaults? + คุณต้องการเรียกคืนค่าเริ่มต้นทางลัดทั้งหมดใช่หรือไม่? + + + + Configure Shortcuts + ปรับแต่งทางลัด + + + + OpenLP.SlideController + + + Hide + ซ่อนไว้ + + + + Go To + ไปที่ + + + + Blank Screen + หน้าจอว่างเปล่า + + + + Blank to Theme + ธีมที่ว่างเปล่า + + + + Show Desktop + แสดงเนื้อหาบนจอภาพ + + + + Previous Service + รายการก่อนหน้า + + + + Next Service + รายการถัดไป + + + + Escape Item + หลีกเลี่ยงรายการ + + + + Move to previous. + ถอยหลัง + + + + Move to next. + เดินหน้า + + + + Play Slides + แสดงการเลื่อน + + + + Delay between slides in seconds. + หน่วงเวลาระหว่างการเลื่อนเป็นวินาที + + + + Move to live. + ย้ายไปแสดงบนจอภาพ + + + + Add to Service. + เพิ่มไปที่การจัดทำรายการ + + + + Edit and reload song preview. + แก้ไขและแสดงตัวอย่างเพลงที่แก้ไขใหม่ + + + + Start playing media. + เริ่มเล่นสื่อภาพและเสียง + + + + Pause audio. + หยุดเสียงชั่วคราว + + + + Pause playing media. + หยุดเล่นสื่อภาพและเสียงชั่วคราว + + + + Stop playing media. + หยุดเล่นสื่อภาพและเสียง + + + + Video position. + ตำแหน่งวิดีโอ + + + + Audio Volume. + ระดับเสียง + + + + Go to "Verse" + ไปที่ "Verse" ท่อนร้อง + + + + Go to "Chorus" + ไปที่ "Chorus" ร้องรับ + + + + Go to "Bridge" + ไปที่ "Bridge" ท่อนที่ทำนองแตกต่างไป + + + + Go to "Pre-Chorus" + ไปที่ "Pre-Chorus" ท่อนก่อนเข้าร้องรับ + + + + Go to "Intro" + ไปที่ "Intro" ดนตรีก่อนเริ่มร้อง + + + + Go to "Ending" + ไปที่ "Ending" ท่อนจบ + + + + Go to "Other" + ไปที่ "Other" อื่นๆ + + + + Previous Slide + เลื่อนถอยหลัง + + + + Next Slide + เลื่อนไปข้างหน้า + + + + Pause Audio + หยุดเสียงชั่วคราว + + + + Background Audio + เสียงพื้นหลัง + + + + Go to next audio track. + ไปที่ตำแหน่งเสียงถัดไป + + + + Tracks + แทร็ค + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + คำแนะนำในการสะกด + + + + Formatting Tags + จัดรูปแบบแท็ก + + + + Language: + ภาษา: + + + + OpenLP.StartTimeForm + + + Theme Layout + เค้าโครงธีม + + + + The blue box shows the main area. + กล่องสีฟ้าแสดงพื้นที่หลัก + + + + The red box shows the footer. + กล่องสีแดงแสดงส่วนล่าง + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + เวลาเริ่มและเวลาสิ้นสุด + + + + Hours: + ชั่วโมง: + + + + Minutes: + นาที: + + + + Seconds: + วินาที: + + + + Start + เริ่มต้น + + + + Finish + สิ้นสุด + + + + Length + ระยะเวลา + + + + Time Validation Error + การตรวจสอบเวลาเกิดข้อผิดพลาด + + + + Finish time is set after the end of the media item + เวลาสิ้นสุดคือเวลาที่ตั้งเป็นจุดสิ้นสุดของรายการสื่อภาพและเสียง + + + + Start time is after the finish time of the media item + เวลาเริ่มต้นคือเวลาที่ตั้งเป็นจุดเริ่มต้นของรายการสื่อภาพและเสียง + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + (ประมาณ %d บรรทัดต่อการเลื่อน) + + + + OpenLP.ThemeManager + + + Create a new theme. + สร้างธีมใหม่ + + + + Edit Theme + แก้ไขธีม + + + + Edit a theme. + แก้ไขธีม + + + + Delete Theme + ลบธีม + + + + Delete a theme. + ลบธีม + + + + Import Theme + นำเข้าธีม + + + + Import a theme. + นำเข้าธีม + + + + Export Theme + ส่งออกธีม + + + + Export a theme. + ส่งออกธีม + + + + &Edit Theme + &แก้ไขธีม + + + + &Delete Theme + &ลบธีม + + + + Set As &Global Default + &ตั้งเป็นค่าเริ่มต้นโดยรวม + + + + %s (default) + %s (ค่าเริ่มต้น) + + + + You must select a theme to edit. + คุณต้องเลือกธีมที่ต้องการแก้ไข + + + + You are unable to delete the default theme. + คุณไม่สามารถลบธีมเริ่มต้นได้ + + + + Theme %s is used in the %s plugin. + ธีม %s ถูกนำมาใช้ในโปรแกรมเสริม %s + + + + You have not selected a theme. + คุณไม่ได้เลือกธีม + + + + Save Theme - (%s) + บันทึกธีม - (%s) + + + + Theme Exported + ส่งออกธีม + + + + Your theme has been successfully exported. + ส่งออกธีมของคุณเสร็จเรียบร้อยแล้ว + + + + Theme Export Failed + ส่งออกธีมล้มเหลว + + + + Select Theme Import File + เลือกไฟล์ธีมที่ต้องการนำเข้า + + + + File is not a valid theme. + ไฟล์ธีมไม่ถูกต้อง + + + + &Copy Theme + &คัดลอกธีม + + + + &Rename Theme + &เปลี่ยนชื่อธีม + + + + &Export Theme + &ส่งออกธีม + + + + You must select a theme to rename. + คุณต้องเลือกธีมที่ต้องการเปลี่ยนชื่อ + + + + Rename Confirmation + ยืนยันการเปลี่ยนชื่อ + + + + Rename %s theme? + เปลี่ยนชื่อธีม %s ? + + + + You must select a theme to delete. + คุณต้องเลือกธีมที่ต้องการลบ + + + + Delete Confirmation + ยืนยันการลบ + + + + Delete %s theme? + ลบธีม %s ? + + + + Validation Error + การตรวจสอบเกิดข้อผิดพลาด + + + + A theme with this name already exists. + ชื่อธีมนี้มีอยู่แล้ว + + + + Copy of %s + Copy of <theme name> + คัดลอกจาก %s + + + + Theme Already Exists + ธีมมีอยู่แล้ว + + + + Theme %s already exists. Do you want to replace it? + ธีม %s มีอยู่แล้ว ต้องการจะแทนที่หรือไม่? + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + ตัวช่วยสร้างธีม + + + + Welcome to the Theme Wizard + ยินดีต้อนรับสู่ตัวช่วยสร้างธีม + + + + Set Up Background + ตั้งค่าพื้นหลัง + + + + Set up your theme's background according to the parameters below. + ตั้งค่าพื้นหลังธีมของคุณ ตามพารามิเตอร์ด้านล่าง + + + + Background type: + ประเภทพื้นหลัง: + + + + Gradient + ไล่ระดับสี + + + + Gradient: + ไล่ระดับสี: + + + + Horizontal + แนวนอน + + + + Vertical + แนวตั้ง + + + + Circular + เป็นวงกล + + + + Top Left - Bottom Right + บนซ้าย - ล่างขวา + + + + Bottom Left - Top Right + ล่างซ้าย - บนขวา + + + + Main Area Font Details + รายละเอียดตัวอักษรพื้นที่หลัก + + + + Define the font and display characteristics for the Display text + กำหนดลักษณะของตัวอักษรสำหรับแสดงผลข้อความ + + + + Font: + ตัวอักษร: + + + + Size: + ขนาด: + + + + Line Spacing: + ระยะห่างบรรทัด: + + + + &Outline: + &เส้นรอบนอก: + + + + &Shadow: + &เงา: + + + + Bold + หนา + + + + Italic + ตัวเอียง + + + + Footer Area Font Details + รายละเอียดตัวอักษรส่วนล่างของพื้นที่ + + + + Define the font and display characteristics for the Footer text + กำหนดลักษณะของตัวอักษรสำหรับแสดงผลข้อความส่วนล่าง + + + + Text Formatting Details + รายละเอียดการจัดรูปแบบข้อความ + + + + Allows additional display formatting information to be defined + ช่วยจัดรูปแบบการแสดงผลเพิ่มเติมจากที่กำหนด + + + + Horizontal Align: + ตําแหน่งในแนวนอน: + + + + Left + ซ้าย + + + + Right + ขวา + + + + Center + ตรงกลาง + + + + Output Area Locations + ตำแหน่งที่ตั้งของพื้นที่ส่งออก + + + + &Main Area + &พื้นที่หลัก + + + + &Use default location + &ใช้ตำแหน่งที่ตั้งเริ่มต้น + + + + X position: + ตำแหน่ง X: + + + + px + px + + + + Y position: + ตำแหน่ง Y: + + + + Width: + ความกว้าง: + + + + Height: + ความสูง: + + + + Use default location + ใช้ตำแหน่งที่ตั้งเริ่มต้น + + + + Theme name: + ชื่อธีม: + + + + Edit Theme - %s + แก้ไขธีม - %s + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + ตัวช่วยนี้จะช่วยให้คุณสามารถสร้างและแก้ไขธีมของคุณ คลิกที่ปุ่มถัดไปด้านล่างเพื่อเริ่มต้นกระบวนการ โดยการตั้งค่าพื้นหลังของคุณ + + + + Transitions: + การเปลี่ยน: + + + + &Footer Area + &พื้นที่ส่วนล่าง + + + + Starting color: + สีเริ่มต้น: + + + + Ending color: + สีสิ้นสุด: + + + + Background color: + สีพื้นหลัง: + + + + Justify + จัดขอบ + + + + Layout Preview + แสดงตัวอย่างเค้าโครง + + + + Transparent + โปร่งใส + + + + Preview and Save + แสดงตัวอย่างและบันทึก + + + + Preview the theme and save it. + แสดงตัวอย่างธีมและบันทึก + + + + Background Image Empty + ภาพพื้นหลังว่างเปล่า + + + + Select Image + เลือกรูปภาพ + + + + Theme Name Missing + ชื่อธีมหายไป + + + + There is no name for this theme. Please enter one. + ธีมชุดนี้ยังไม่มีชื่อ โปรดใส่ชื่ออีกครั้งหนึ่ง + + + + Theme Name Invalid + ชื่อธีมไม่ถูกต้อง + + + + Invalid theme name. Please enter one. + ชื่อธีมไม่ถูกต้อง โปรดใส่ชื่ออีกครั้งหนึ่ง + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + คุณไม่ได้เลือกภาพพื้นหลัง โปรดเลือกหนึ่งภาพสำหรับดำเนินการต่อไป + + + + OpenLP.ThemesTab + + + Global Theme + ธีมโดยรวม + + + + Theme Level + ระดับธีม + + + + S&ong Level + &ระดับเพลง + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + ใช้ธีมของเพลงแต่ละเพลงในฐานข้อมูล ถ้าเพลงนั้นไม่มีธีมของเพลงนั้นเอง จะใช้ธีมการจัดทำรายการแทนธีมของเพลง ถ้าการจัดทำรายการไม่มีการกำหนดธีมเอาไว้ จึงใช้ธีมโดยรวมแทน + + + + &Service Level + &ระดับการจัดทำรายการ + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + ใช้ธีมของการจัดทำรายการที่กำหนดเอาไว้แทนธีมของเพลง ถ้าการจัดทำรายการไม่มีการกำหนดธีมเอาไว้ จึงใช้ธีมโดยรวมแทน + + + + &Global Level + &ระดับโดยรวม + + + + Use the global theme, overriding any themes associated with either the service or the songs. + ใช้ธีมโดยรวมแทนธีมการจัดทำรายการ หรือธีมของเพลง + + + + Themes + ธีม + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + ลบรายการที่เลือก + + + + Move selection up one position. + ย้ายส่วนที่เลือกขึ้นไปหนึ่งตำแหน่ง + + + + Move selection down one position. + ย้ายส่วนที่เลือกลงไปหนึ่งตำแหน่ง + + + + &Vertical Align: + &ตําแหน่งในแนวตั้ง: + + + + Finished import. + นำเข้าเสร็จเรียบร้อยแล้ว + + + + Format: + รูปแบบ: + + + + Importing + กำลังนำเข้า + + + + Importing "%s"... + กำลังนำเข้า "%s"... + + + + Select Import Source + เลือกแหล่งนำเข้า + + + + Select the import format and the location to import from. + เลือกรูปแบบการนำเข้าและตำแหน่งที่ตั้งสำหรับการนำเข้า + + + + Open %s File + เปิดไฟล์ %s + + + + %p% + %p% + + + + Ready. + เตรียมพร้อม + + + + Starting import... + เริ่มต้นนำเข้า... + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + คุณต้องเลือกไฟล์ %s อย่างน้อยหนึ่งไฟล์ ที่ต้องการนำเข้า + + + + Welcome to the Bible Import Wizard + ยินดีต้อนรับสู่ตัวช่วยสร้างการนำเข้าพระคัมภีร์ + + + + Welcome to the Song Export Wizard + ยินดีต้อนรับสู่ตัวช่วยสร้างการส่งออกเพลง + + + + Welcome to the Song Import Wizard + ยินดีต้อนรับสู่ตัวช่วยสร้างการนำเข้าเพลง + + + + Author + Singular + ผู้แต่ง + + + + Authors + Plural + ผู้แต่ง + + + + © + Copyright symbol. + © + + + + Song Book + Singular + หนังสือเพลง + + + + Song Books + Plural + หนังสือเพลง + + + + Song Maintenance + สถานะเพลง + + + + Topic + Singular + หัวข้อ + + + + Topics + Plural + หัวข้อ + + + + Title and/or verses not found + ไม่พบหัวข้อ และ/หรือบท + + + + XML syntax error + XML ผิดพลาดทางไวยากรณ์ + + + + Welcome to the Bible Upgrade Wizard + ยินดีต้อนรับสู่ตัวช่วยสร้างการปรับปรุงพระคัมภีร์ + + + + Open %s Folder + เปิดโฟลเดอร์ %s + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + คุณต้องเลือกไฟล์ %s อย่างน้อยหนึ่งไฟล์ ที่ต้องการนำเข้า + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + คุณต้องเลือกโฟลเดอร์ %s อย่างน้อยหนึ่งโฟลเดอร์ ที่ต้องการนำเข้า + + + + Importing Songs + กำลังนำเข้าเพลง + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + เกี่ยวกับ + + + + &Add + &เพิ่ม + + + + Add group + + + + + Advanced + ขั้นสูง + + + + All Files + ทุกไฟล์ + + + + Automatic + อัตโนมัติ + + + + Background Color + สีพื้นหลัง + + + + Bottom + ด้านล่าง + + + + Browse... + เรียกดู... + + + + Cancel + ยกเลิก + + + + CCLI number: + หมายเลข CCLI: + + + + Create a new service. + สร้างการจัดทำรายการใหม่ + + + + Confirm Delete + ยืนยันการลบ + + + + Continuous + ต่อเนื่องกัน + + + + Default + ค่าเริ่มต้น + + + + Default Color: + สีเริ่มต้น: + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + รายการ %Y-%m-%d %H-%M + + + + &Delete + &ลบ + + + + Display style: + รูปแบบที่แสดง: + + + + Duplicate Error + เกิดข้อผิดพลาดเหมือนกัน + + + + &Edit + &แก้ไข + + + + Empty Field + เขตข้อมูลว่างเปล่า + + + + Error + ผิดพลาด + + + + Export + ส่งออก + + + + File + ไฟล์ + + + + File Not Found + ไม่พบไฟล์ + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + pt + + + + Help + คำแนะนำการใช้งาน + + + + h + The abbreviated unit for hours + ชั่วโมง + + + + Invalid Folder Selected + Singular + โฟลเดอร์ที่เลือกไม่ถูกต้อง + + + + Invalid File Selected + Singular + ไฟล์ที่เลือกไม่ถูกต้อง + + + + Invalid Files Selected + Plural + ไฟล์ที่เลือกไม่ถูกต้อง + + + + Image + รูปภาพ + + + + Import + นำเข้า + + + + Layout style: + รูปแบบ: + + + + Live + แสดงบนจอภาพ + + + + Live Background Error + แสดงพื้นหลังบนจอภาพเกิดข้อผิดพลาด + + + + Live Toolbar + แถบเครื่องมือแสดงบนจอภาพ + + + + Load + บรรจุ + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + นาที + + + + Middle + กึ่งกลาง + + + + New + ใหม่ + + + + New Service + การจัดทำรายการใหม่ + + + + New Theme + ธีมใหม่ + + + + Next Track + ตำแหน่งถัดไป + + + + No Folder Selected + Singular + ไม่มีโฟลเดอร์ที่เลือก + + + + No File Selected + Singular + ไม่มีไฟล์ที่เลือก + + + + No Files Selected + Plural + ไม่มีไฟล์ที่เลือก + + + + No Item Selected + Singular + ไม่มีรายการที่เลือก + + + + No Items Selected + Plural + ไม่มีรายการที่เลือก + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + โปรแกรม OpenLP เปิดทำงานอยู่แล้ว คุณต้องการดำเนินการต่อไปหรือไม่? + + + + Open service. + เปิดการจัดทำรายการ + + + + Play Slides in Loop + เลื่อนแบบวนรอบ + + + + Play Slides to End + เลื่อนแบบรอบเดียว + + + + Preview + แสดงตัวอย่าง + + + + Print Service + พิมพ์การจัดทำรายการ + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + แทนที่พื้นหลัง + + + + Replace live background. + แทนที่พื้นหลังบนจอภาพ + + + + Reset Background + ตั้งค่าพื้นหลังใหม่ + + + + Reset live background. + ตั้งค่าพื้นหลังบนจอภาพใหม่ + + + + s + The abbreviated unit for seconds + วินาที + + + + Save && Preview + บันทึก && แสดงตัวอย่าง + + + + Search + ค้นหา + + + + Search Themes... + Search bar place holder text + ค้นหาธีม... + + + + You must select an item to delete. + คุณต้องเลือกรายการที่ต้องการลบออก + + + + You must select an item to edit. + คุณต้องเลือกรายการที่ต้องการแก้ไข + + + + Settings + ตั้งค่า + + + + Save Service + บันทึกการจัดทำรายการ + + + + Service + บริการ + + + + Optional &Split + &แยกแบบสุ่มเลือก + + + + Split a slide into two only if it does not fit on the screen as one slide. + แยกข้อความที่เลื่อนออกเป็นสองส่วนเท่านั้น ถ้าข้อความไม่พอดีกับจอภาพเมื่อทำการเลื่อน + + + + Start %s + เริ่มต้น %s + + + + Stop Play Slides in Loop + หยุดการเลื่อนแบบวนรอบ + + + + Stop Play Slides to End + หยุดการเลื่อนแบบรอบเดียว + + + + Theme + Singular + แสดงธีมที่ว่างเปล่า + + + + Themes + Plural + ธีม + + + + Tools + เครื่องมือ + + + + Top + ด้านบน + + + + Unsupported File + ไฟล์ที่ไม่สนับสนุน + + + + Verse Per Slide + หนึ่งข้อต่อการเลื่อน + + + + Verse Per Line + หลายข้อต่อการเลื่อน + + + + Version + ฉบับ + + + + View + แสดง + + + + View Mode + รูปแบบที่แสดง + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + <strong>โปรแกรมเสริมงานนำเสนอ</strong><br />โปรแกรมเสริมงานนำเสนอ สามารถแสดงงานนำเสนอของชุดโปรแกรมที่แตกต่างกัน ตัวเลือกสำหรับผู้ใช้อยู่ในกล่องรายการหล่นลง + + + + Presentation + name singular + งานนำเสนอ + + + + Presentations + name plural + งานนำเสนอ + + + + Presentations + container title + งานนำเสนอ + + + + Load a new presentation. + เพิ่มงานนำเสนอใหม่ + + + + Delete the selected presentation. + ลบงานนำเสนอที่เลือก + + + + Preview the selected presentation. + แสดงตัวอย่างงานนำเสนอที่เลือก + + + + Send the selected presentation live. + ส่งงานนำเสนอที่เลือกไปแสดงบนจอภาพ + + + + Add the selected presentation to the service. + เพิ่มงานนำเสนอที่เลือกไปที่การจัดทำรายการ + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + เลือกงานนำเสนอ + + + + Automatic + อัตโนมัติ + + + + Present using: + นำเสนอโดยใช้: + + + + File Exists + ไฟล์ที่มีอยู่ + + + + A presentation with that filename already exists. + งานนำเสนอชื่อไฟล์นี้มีอยู่แล้ว + + + + This type of presentation is not supported. + ประเภทของงานนำเสนอนี้ ไม่ได้รับการสนับสนุน + + + + Presentations (%s) + งานนำเสนอ (%s) + + + + Missing Presentation + งานนำเสนอหายไป + + + + The presentation %s is incomplete, please reload. + งานนำเสนอ %s ไม่สมบูรณ์ โปรดเพิ่มเข้ามาใหม่ + + + + The presentation %s no longer exists. + งานนำเสนอ %s ไม่มีอีกต่อไป + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + ตัวควบคุมที่ใช้งานได้ + + + + %s (unavailable) + %s (ไม่สามารถใช้งานได้) + + + + Allow presentation application to be overridden + อนุญาตให้โปรแกรมงานนำเสนอถูกแทนที่ได้ + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + <strong>โปรแกรมเสริมการควบคุมระยะไกล</strong><br />โปรแกรมเสริมการควบคุมระยะไกล ให้ความสามารถในการส่งข้อความไปยังโปรแกรม OpenLP รุ่นที่ทำงานอยู่บนเครื่องคอมพิวเตอร์ที่แตกต่างกัน ผ่านทางเว็บเบราเซอร์ หรือผ่านทางตัวควบคุมระยะไกล API + + + + Remote + name singular + การควบคุมระยะไกล + + + + Remotes + name plural + การควบคุมระยะไกล + + + + Remote + container title + การควบคุมระยะไกล + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + การจัดทำรายการ + + + + Slide Controller + ตัวควบคุมการเลื่อน + + + + Alerts + การแจ้งเตือน + + + + Search + ค้นหา + + + + Home + หน้าหลัก + + + + Refresh + การฟื้นฟู + + + + Blank + ว่างเปล่า + + + + Theme + แสดงธีมที่ว่างเปล่า + + + + Desktop + แสดงวอลล์เปเปอร์เดสก์ทอป + + + + Show + แสดง + + + + Prev + ย้อนกลับ + + + + Next + ถัดไป + + + + Text + ข้อความ + + + + Show Alert + แสดงการแจ้งเตือน + + + + Go Live + แสดงบนจอภาพ + + + + Add to Service + เพิ่มไปที่บริการ + + + + Add &amp; Go to Service + &amp; เพิ่มไปที่การจัดทำรายการ + + + + No Results + ไม่มีผลลัพธ์ + + + + Options + ตัวเลือก + + + + Service + บริการ + + + + Slides + การเลื่อน + + + + Settings + ตั้งค่า + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + บันทึก IP address: + + + + Port number: + หมายเลข Port: + + + + Server Settings + ตั้งค่า Server + + + + Remote URL: + URL การควบคุมระยะไกล: + + + + Stage view URL: + URL การแสดงผลระยะไกล: + + + + Display stage time in 12h format + แสดงเวลาในรูปแบบ 12 ชั่วโมง + + + + Android App + โปรแกรมสำหรับ Android + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + สแกนรหัส QR หรือคลิก <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> เพื่อติดตั้งโปรแกรมสำหรับ Android จาก Google Play + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + รหัสผ่าน: + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + &รายงานการใช้งานเพลง + + + + &Delete Tracking Data + &ลบข้อมูลการใช้งานเพลง + + + + Delete song usage data up to a specified date. + ลบข้อมูลการใช้งานเพลงถึงวันที่ระบุ + + + + &Extract Tracking Data + &การติดตามข้อมูล + + + + Generate a report on song usage. + สร้างรายงานการใช้งานเพลง + + + + Toggle Tracking + ล็อคการติดตาม + + + + Toggle the tracking of song usage. + ล็อคการติดตามการใช้งานเพลง + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + <strong>โปรแกรมเสริมการใช้งานเพลง</strong><br />โปรแกรมเสริมนี้ จะติดตามและเก็บข้อมูลการใช้งานเพลง ของการจัดทำรายการในแต่ละวัน + + + + SongUsage + name singular + การใช้งานเพลง + + + + SongUsage + name plural + การใช้งานเพลง + + + + SongUsage + container title + การใช้งานเพลง + + + + Song Usage + การใช้งานเพลง + + + + Song usage tracking is active. + ติดตามการใช้งานเพลงที่มีการใช้งาน + + + + Song usage tracking is inactive. + ติดตามการใช้งานเพลงที่ไม่มีการใช้งาน + + + + display + แสดง + + + + printed + สั่งพิมพ์ + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + ลบข้อมูลการใช้งานเพลง + + + + Delete Selected Song Usage Events? + ลบเหตุการณ์การใช้งานเพลงที่เลือก? + + + + Are you sure you want to delete selected Song Usage data? + คุณแน่ใจหรือว่า ต้องการลบข้อมูลการใช้งานเพลงที่เลือก? + + + + Deletion Successful + ลบเสร็จเรียบร้อยแล้ว + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + คัดเลือกการใช้งานเพลง + + + + Select Date Range + เลือกช่วงวันที่ + + + + to + ถึง + + + + Report Location + ตำแหน่งที่ตั้งรายงาน + + + + Output File Location + ตำแหน่งที่ตั้งของไฟล์ที่ส่งออกข้อมูล + + + + usage_detail_%s_%s.txt + usage_detail_%s_%s.txt + + + + Report Creation + การสร้างรายงาน + + + + Report +%s +has been successfully created. + รายงาน +%s +สร้างเสร็จเรียบร้อยแล้ว + + + + Output Path Not Selected + ไม่ได้เลือกเส้นทางการส่งออกข้อมูล + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + &เพลง + + + + Import songs using the import wizard. + นำเข้าเพลงโดยใช้ตัวช่วยสร้างการนำเข้า + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + <strong>โปรแกรมเสริมเพลง</strong><br />โปรแกรมเสริมเพลงให้ความสามารถในการแสดงและจัดการเพลง + + + + &Re-index Songs + &ฟื้นฟูสารบัญเพลง + + + + Re-index the songs database to improve searching and ordering. + การฟื้นฟูสารบัญเพลง ฐานข้อมูลทำการปรับปรุงการค้นหาและจัดลำดับเพลง + + + + Reindexing songs... + กำลังฟื้นฟูสารบัญเพลง... + + + + Arabic (CP-1256) + Arabic (CP-1256) + + + + Baltic (CP-1257) + Baltic (CP-1257) + + + + Central European (CP-1250) + Central European (CP-1250) + + + + Cyrillic (CP-1251) + Cyrillic (CP-1251) + + + + Greek (CP-1253) + Greek (CP-1253) + + + + Hebrew (CP-1255) + Hebrew (CP-1255) + + + + Japanese (CP-932) + Japanese (CP-932) + + + + Korean (CP-949) + Korean (CP-949) + + + + Simplified Chinese (CP-936) + Simplified Chinese (CP-936) + + + + Thai (CP-874) + Thai (CP-874) + + + + Traditional Chinese (CP-950) + Traditional Chinese (CP-950) + + + + Turkish (CP-1254) + Turkish (CP-1254) + + + + Vietnam (CP-1258) + Vietnam (CP-1258) + + + + Western European (CP-1252) + Western European (CP-1252) + + + + Character Encoding + เข้ารหัสตัวอักษร + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + หน้ารหัสเป็นผู้รับผิดชอบการตั้งค่า +สำหรับการแสดงแทนที่ตัวอักษรที่ถูกต้องอีกครั้ง +โดยปกติแล้วมีการปรับตัวเลือกไว้ให้คุณล่วงหน้า + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + โปรดเลือกการเข้ารหัสอักษร +การเข้ารหัสเป็นผู้รับผิดชอบ ในการแทนที่ตัวอักษรที่ถูกต้อง + + + + Song + name singular + เพลง + + + + Songs + name plural + เพลง + + + + Songs + container title + เพลง + + + + Exports songs using the export wizard. + ส่งออกเพลงโดยใช้ตัวช่วยสร้างการส่งออก + + + + Add a new song. + เพิ่มเพลงใหม่ + + + + Edit the selected song. + แก้ไขเพลงที่เลือก + + + + Delete the selected song. + ลบเพลงที่เลือก + + + + Preview the selected song. + แสดงตัวอย่างเพลงที่เลือก + + + + Send the selected song live. + ส่งเพลงที่เลือกไปแสดงบนจอภาพ + + + + Add the selected song to the service. + เพิ่มเพลงที่เลือกไปที่การจัดทำรายการ + + + + Reindexing songs + ฟื้นฟูสารบัญเพลง + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + สถานะผู้แต่ง + + + + Display name: + ชื่อที่แสดง: + + + + First name: + ชื่อ: + + + + Last name: + นามสกุล: + + + + You need to type in the first name of the author. + คุณต้องพิมพ์ชื่อของผู้แต่ง + + + + You need to type in the last name of the author. + คุณต้องพิมพ์นามสกุลของผู้แต่ง + + + + You have not set a display name for the author, combine the first and last names? + คุณไม่ได้ใส่ค่าสำหรับแแสดงชื่อของผู้แต่ง โดยการรวมชื่อและนามสกุลไว้ด้วยกัน? + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + ไฟล์มีนามสกุลไม่ถูกต้อง + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + ดูแลโดย %s + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + นิยามข้อมูล + + + + Custom Book Names + ชื่อหนังสือที่กำหนดเอง + + + + SongsPlugin.EditSongForm + + + Song Editor + แก้ไขเพลง + + + + &Title: + &ชื่อเพลง: + + + + Alt&ernate title: + &ชื่อเพลงสำรอง: + + + + &Lyrics: + &เนื้อเพลง: + + + + &Verse order: + &จัดลำดับท่อนเพลง: + + + + Ed&it All + &แก้ไขทั้งหมด + + + + Title && Lyrics + ชื่อเพลง && เนือเพลง + + + + &Add to Song + &เพิ่มไปที่เพลง + + + + &Remove + &ลบออก + + + + &Manage Authors, Topics, Song Books + &จัดการ ผู้แต่ง, หัวข้อ, หนังสือเพลง + + + + A&dd to Song + &เพิ่มไปที่เพลง + + + + R&emove + &ลบออก + + + + Book: + หนังสือเพลง: + + + + Number: + หมายเลขหน้า: + + + + Authors, Topics && Song Book + ผู้แต่ง, หัวข้อ && หนังสือเพลง + + + + New &Theme + &สร้างธีมใหม่ + + + + Copyright Information + ข้อมูลลิขสิทธิ์ + + + + Comments + ความคิดเห็น + + + + Theme, Copyright Info && Comments + ธีม, ข้อมูลลิขสิทธิ์ && ความคิดเห็น + + + + Add Author + เพิ่มชื่อผู้แต่ง + + + + This author does not exist, do you want to add them? + ชื่อผู้แต่งไม่มีอยู่ในรายการ คุณต้องการเพิ่มชื่อผู้แต่งหรือไม่? + + + + This author is already in the list. + ชื่อผู้แต่งมีอยู่แล้วในรายการ + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + คุณเลือกชื่อผู้แต่งไม่ถูกต้อง เลือกชื่อใดชื่อหนึ่งจากรายการหรือพิมพ์ชื่อผู้แต่งใหม่ และคลิกที่ "เพิ่มผู้แต่งไปที่เพลง" เพื่อเพิ่มชื่อผู้แต่งใหม่ + + + + Add Topic + เพิ่มหัวข้อ + + + + This topic does not exist, do you want to add it? + หัวข้อไม่มีอยู่ในรายการ คุณต้องการเพิ่มหัวข้อหรือไม่? + + + + This topic is already in the list. + หัวข้อนี้มีอยู่แล้วในรายการ + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + คุณเลือกหัวข้อไม่ถูกต้อง เลือกหัวข้อใดหัวข้อหนึ่งจากรายการหรือพิมพ์หัวข้อใหม่ และคลิกที่ "เพิ่มหัวข้อไปที่เพลง" เพื่อเพิ่มหัวข้อใหม่ + + + + You need to type in a song title. + คุณต้องพิมพ์ชื่อเพลง + + + + You need to type in at least one verse. + คุณต้องพิมพ์อย่างน้อยหนึ่งท่อน + + + + Add Book + เพิ่มหนังสือ + + + + This song book does not exist, do you want to add it? + หนังสือเพลงไม่มีอยู่ในรายการ คุณต้องการเพิ่มหนังสือเพลงหรือไม่ + + + + You need to have an author for this song. + คุณต้องใส่ชื่อผู้แต่งเพลงนี้ + + + + Linked Audio + เสียงที่เชื่อมโยง + + + + Add &File(s) + &เพิ่มไฟล์(s) + + + + Add &Media + &เพิ่มสื่อภาพและเสียง + + + + Remove &All + &ลบออกทั้งหมด + + + + Open File(s) + เปิดไฟล์(s) + + + + <strong>Warning:</strong> Not all of the verses are in use. + <strong>คำเตือน:</strong> ใส่ลำดับท่อนเพลงไม่ครบ หรือจัดลำดับไม่ถูกต้อง + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + แก้ไขท่อนเพลง + + + + &Verse type: + &ประเภทเพลง: + + + + &Insert + &แทรก + + + + Split a slide into two by inserting a verse splitter. + แยกการเลื่อนออกเป็นสองโดยการแทรกตัวแยกท่อน + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + ตัวช่วยสร้างการส่งออกเพลง + + + + Select Songs + เลือกเพลง + + + + Check the songs you want to export. + ตรวจสอบเพลงที่คุณต้องการส่งออก + + + + Uncheck All + ไม่เลือกทั้งหมด + + + + Check All + เลือกทั้งหมด + + + + Select Directory + เลือกไดเรกทอรี + + + + Directory: + ไดเรกทอรี: + + + + Exporting + การส่งออก + + + + Please wait while your songs are exported. + โปรดรอสักครู่ในขณะที่เพลงของคุณถูกส่งออก + + + + You need to add at least one Song to export. + คุณต้องเพิ่มอย่างน้อยหนึ่งเพลงสำหรับการส่งออก + + + + No Save Location specified + ไม่บันทึกตำแหน่งที่ตั้งที่ระบุไว้ + + + + Starting export... + เริ่มต้นการส่งออก... + + + + You need to specify a directory. + คุณต้องระบุไดเรกทอรี + + + + Select Destination Folder + เลือกโฟลเดอร์ปลายทาง + + + + Select the directory where you want the songs to be saved. + เลือกไดเรกทอรีที่คุณต้องการบันทึกเพลงไว้ + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + เลือกไฟล์เอกสาร/ไฟล์การนำเสนอ + + + + Song Import Wizard + ตัวช่วยสร้างการนำเข้าเพลง + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + ตัวช่วยสร้างนี้ ช่วยให้คุณสามารถนำเข้าเพลงจากหลากหลายรูปแบบ คลิกที่ปุ่มถัดไปด้านล่างเพื่อเริ่มต้นกระบวนการ โดยการเลือกรูปแบบที่ต้องการนำเข้า + + + + Generic Document/Presentation + เอกสารทั่วไป/งานนำเสนอ + + + + Add Files... + เพิ่มไฟล์... + + + + Remove File(s) + ลบไฟล์(s)ออก + + + + Please wait while your songs are imported. + โปรดรอสักครู่ในขณะที่เพลงของคุณถูกนำเข้า + + + + OpenLP 2.0 Databases + ฐานข้อมูลโปรแกรม OpenLP 2.0 + + + + Words Of Worship Song Files + ไฟล์เพลงของ Words Of Worship + + + + Songs Of Fellowship Song Files + ไฟล์เพลงของ Songs Of Fellowship + + + + SongBeamer Files + ไฟล์ของ SongBeamer + + + + SongShow Plus Song Files + ไฟล์เพลงของ SongShow Plus + + + + Foilpresenter Song Files + ไฟล์เพลงของ Foilpresenter + + + + Copy + คัดลอก + + + + Save to File + บันทึกไฟล์ + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + Songs of Fellowship ปิดใช้งานการนำเข้า เนื่องจากโปรแกรม OpenLP ไม่สามารถเข้าถึงโปรแกรม OpenOffice หรือ LibreOffice + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + เอกสารทั่วไป/งานนำเสนอ ปิดใช้งานการนำเข้า เนื่องจากโปรแกรม OpenLP ไม่สามารถเข้าถึงโปรแกรม OpenOffice หรือ LibreOffice + + + + OpenLyrics or OpenLP 2.0 Exported Song + ไฟล์เพลงที่ส่งออกของ OpenLyrics หรือ OpenLP 2.0 + + + + OpenLyrics Files + ไฟล์ของ OpenLyrics + + + + CCLI SongSelect Files + ไฟล์ของ CCLI SongSelect + + + + EasySlides XML File + ไฟล์ XML ของ EasySlides + + + + EasyWorship Song Database + ฐานข้อมูลเพลงของ EasyWorship + + + + DreamBeam Song Files + ไฟล์เพลงของ DreamBeam + + + + You need to specify a valid PowerSong 1.0 database folder. + คุณต้องระบุโฟลเดอร์ฐานข้อมูลของ PowerSong 1.0 ให้ถูกต้อง + + + + ZionWorx (CSV) + ไฟล์ CSV ของโปรแกรม ZionWorx + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + คุณแปลงฐานข้อมูลข ZionWorx เป็นไฟล์ข้อความ CSV เป็นครั้งแรก มีอธิบายไว้ใน <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a> + + + + SundayPlus Song Files + ไฟล์เพลงของ SundayPlus + + + + This importer has been disabled. + การนำเข้านี้ถูกปิดการใช้งาน + + + + MediaShout Database + ฐานข้อมูลของ MediaShout + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + การนำเข้าจาก MediaShout สนับสนุนเฉพาะบน Windows เท่านั้น ถูกปิดใช้งานเนื่องจากโมดูลภาษาไพธอนหายไป ถ้าคุณต้องการใช้งานการนำเข้านี้ คุณต้องติดตั้งโมดูล "pyodbc" + + + + SongPro Text Files + ไฟล์ข้อความของ SongPro + + + + SongPro (Export File) + SongPro (ไฟล์ที่ส่งออก) + + + + In SongPro, export your songs using the File -> Export menu + ใน SongPro ส่งออกเพลงของคุณโดยไปที่เมนู File -> Export + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + เลือกไฟล์(s)สื่อภาพและเสียง + + + + Select one or more audio files from the list below, and click OK to import them into this song. + เลือกไฟล์เสียงหนึ่งรายการหรือมากกว่าจากรายการด้านล่าง และคลิก OK เพื่อใส่ไว้ในเพลงนี้ + + + + SongsPlugin.MediaItem + + + Titles + ชื่อเพลง + + + + Lyrics + เนื้อเพลง + + + + CCLI License: + สัญญาอนุญาต CCLI: + + + + Entire Song + เพลงทั้งหมด + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + Maintain the lists of authors, topics and books. + เก็บรักษารายชื่อของผู้แต่ง, หัวข้อและหนังสือ + + + + copy + For song cloning + คัดลอก + + + + Search Titles... + ค้นหาชื่อเพลง... + + + + Search Entire Song... + ค้นหาเพลงทั้งหมด... + + + + Search Lyrics... + ค้นหาเนื้อเพลง.. + + + + Search Authors... + ค้นหาผู้แต่ง... + + + + Search Song Books... + ค้นหาหนังสือเพลง... + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + ไม่สามารถเปิดฐานข้อมูลของ MediaShout + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + ฐานข้อมูลเพลงของ OpenLP 2.0 ไม่ถูกต้อง + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + กำลังส่งออก "%s"... + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + ไม่มีเพลงที่นำเข้า + + + + Verses not found. Missing "PART" header. + ไม่พบท่อนเพลง "PART" ส่วนหัวหายไป + + + + No %s files found. + ไม่พบไฟล์ %s + + + + Invalid %s file. Unexpected byte value. + ไฟล์ %s ไม่สามารถใช้งานได้ เกิดจากค่าไบต์ที่ไม่คาดคิด + + + + Invalid %s file. Missing "TITLE" header. + ไฟล์ %s ไม่สามารถใช้งานได้ "TITLE" ส่วนหัวหายไป + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + ไฟล์ %s ไม่สามารถใช้งานได้ "COPYRIGHTLINE" ส่วนหัวหายไป + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + สถานะหนังสือเพลง + + + + &Name: + &ชื่อ: + + + + &Publisher: + &ผู้จัดพิมพ์: + + + + You need to type in a name for the book. + คุณต้องพิมพ์ชื่อของหนังสือเล่มนี้ + + + + SongsPlugin.SongExportForm + + + Your song export failed. + การส่งออกเพลงของคุณล้มเหลว + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + ส่งออกเสร็จเรียบร้อยแล้ว นำเข้าไฟล์เหล่านี้ไปใช้ใน <strong>OpenLyrics</strong> โดยเลือกนำเข้า + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + ลิขสิทธิ์ + + + + The following songs could not be imported: + เพลงต่อไปนี้ไม่สามารถนำเข้า: + + + + Cannot access OpenOffice or LibreOffice + ไม่สามารถเข้าถึงโปรแกรม OpenOffice หรือ LibreOffice + + + + Unable to open file + ไม่สามารถเปิดไฟล์ได้ + + + + File not found + ไม่พบไฟล์ + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + ไม่สามารถเพิ่มชื่อผู้แต่งของคุณ + + + + This author already exists. + ชื่อผู้แต่งชื่อนี้มีอยู่แล้ว + + + + Could not add your topic. + ไม่สามารถเพิ่มหัวข้อของคุณ + + + + This topic already exists. + หัวข้อนี้มีอยู่แล้ว + + + + Could not add your book. + ไม่สามารถเพิ่มหนังสือของคุณ + + + + This book already exists. + หนังสือเล่มนี้มีอยู่แล้ว + + + + Could not save your changes. + ไม่สามารถบันทึกการเปลี่ยนแปลงของคุณ + + + + Could not save your modified author, because the author already exists. + ไม่สามารถบันทึกชื่อผู้แต่งของคุณ เพราะชื่อผู้แต่งชื่อนี้มีอยู่แล้ว + + + + Could not save your modified topic, because it already exists. + ไม่สามารถบันทึกหัวข้อของคุณ เพราะหัวข้อนี้มีอยู่แล้ว + + + + Delete Author + ลบชื่อผู้แต่ง + + + + Are you sure you want to delete the selected author? + คุณแน่ใจหรือว่า ต้องการลบชื่อผู้แต่งที่เลือก? + + + + This author cannot be deleted, they are currently assigned to at least one song. + ชื่อผู้แต่งคนนี้ไม่สามารถลบได้ มีการกำหนดใช้อยู่ในเพลงขณะนี้อย่างน้อยหนึ่งเพลง + + + + Delete Topic + ลบหัวข้อ + + + + Are you sure you want to delete the selected topic? + คุณแน่ใจหรือว่า ต้องการลบหัวข้อที่เลือก? + + + + This topic cannot be deleted, it is currently assigned to at least one song. + หัวข้อนี้ไม่สามารถลบได้ มีการกำหนดใช้อยู่ในเพลงขณะนี้อย่างน้อยหนึ่งเพลง + + + + Delete Book + ลบหนังสือ + + + + Are you sure you want to delete the selected book? + คุณแน่ใจหรือว่า ต้องการลบหนังสือที่เลือก? + + + + This book cannot be deleted, it is currently assigned to at least one song. + หนังสือนี้ไม่สามารถลบได้ มีการกำหนดใช้อยู่ในเพลงขณะนี้อย่างน้อยหนึ่งเพลง + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + ชื่อผู้แต่ง %s มีอยู่แล้ว คุณต้องการกำหนดใช้ชื่อผู้แต่ง %s ให้กับเพลง ใช้ชื่อผู้แต่ง %s ที่มีอยู่? + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + หัวข้อ %s มีอยู่แล้ว คุณต้องการจะกำหนดใช้หัวข้อ %s ให้กับเพลง ใช้หัวข้อ %s ที่มีอยู่? + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + ชื่อหนังสือ %s มีอยู่แล้ว คุณต้องการจะกำหนดใช้ชื่อหนังสือ %s ให้กับเพลง ใช้ชื่อหนังสือ %s ที่มีอยู่? + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + ชื่อผู้ใช้: + + + + Password: + รหัสผ่าน: + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + ค้นหา + + + + Found %s song(s) + + + + + Logout + + + + + View + แสดง + + + + Title: + หัวข้อ: + + + + Author(s): + + + + + Copyright: + ลิขสิทธิ์: + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + นำเข้า + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + รูปแบบเพลง + + + + Enable search as you type + เปิดใช้การค้นหาในขณะที่คุณพิมพ์ + + + + Display verses on live tool bar + แสดงข้อความบนแถบเครื่องมือแสดงบนจอภาพ + + + + Update service from song edit + ปรับปรุงการจัดทำรายการ จากการแก้ไขเพลง + + + + Import missing songs from service files + นำเข้าเพลงที่หายไปจากไฟล์การจัดทำรายการ + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + สถานะหัวข้อ + + + + Topic name: + ชื่อหัวข้อ: + + + + You need to type in a topic name. + คุณต้องพิมพ์ชื่อหัวข้อ + + + + SongsPlugin.VerseType + + + Verse + Verse ท่อนร้อง + + + + Chorus + Chorus ร้องรับ + + + + Bridge + Bridge ท่อนที่ทำนองแตกต่างไป + + + + Pre-Chorus + Pre-Chorus ท่อนก่อนร้องรับ + + + + Intro + Intro ดนตรีก่อนเริ่มร้อง + + + + Ending + Ending ท่อนจบ + + + + Other + Other อื่นๆ + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + เกิดข้อผิดพลาดในการอ่านไฟล์ CSV + + + + Line %d: %s + บรรทัด %d: %s + + + + Decoding error: %s + การถอดรหัสเกิดข้อผิดพลาด: %s + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + บันทึก %d + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + เกิดข้อผิดพลาดในการอ่านไฟล์ CSV + + + + File not valid ZionWorx CSV format. + รูปแบบไฟล์ CSV ของ ZionWorx ไม่ถูกต้อง + + + + Line %d: %s + บรรทัด %d: %s + + + + Decoding error: %s + การถอดรหัสเกิดข้อผิดพลาด: %s + + + + Record %d + บันทึก %d + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + ข้อมูลข่าวสาร + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/tlh.ts b/resources/i18n/tlh.ts new file mode 100644 index 000000000..0c07cf067 --- /dev/null +++ b/resources/i18n/tlh.ts @@ -0,0 +1,9570 @@ + + + + AlertsPlugin + + + &Alert + + + + + Show an alert message. + + + + + Alert + name singular + + + + + Alerts + name plural + + + + + Alerts + container title + + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + + + + + Alert &text: + + + + + &New + + + + + &Save + + + + + Displ&ay + + + + + Display && Cl&ose + + + + + New Alert + + + + + &Parameter: + + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + + + + + AlertsPlugin.AlertsTab + + + Font + + + + + Font name: + + + + + Font color: + + + + + Background color: + + + + + Font size: + + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + + + + + Bible + name singular + + + + + Bibles + name plural + + + + + Bibles + container title + + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + + + + + Add a new Bible. + + + + + Edit the selected Bible. + + + + + Delete the selected Bible. + + + + + Preview the selected Bible. + + + + + Send the selected Bible live. + + + + + Add the selected Bible to the service. + + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + No Bibles Available + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Text Search + + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + + + + + &Open + + + + + Open an existing service. + + + + + &Save + + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/tr.ts b/resources/i18n/tr.ts new file mode 100644 index 000000000..5ce560c9d --- /dev/null +++ b/resources/i18n/tr.ts @@ -0,0 +1,9572 @@ + + + + AlertsPlugin + + + &Alert + &Uyarı + + + + Show an alert message. + Bir uyarı mesajı göster. + + + + Alert + name singular + Uyarı + + + + Alerts + name plural + Uyarılar + + + + Alerts + container title + Uyarılar + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + Hata Mesajı + + + + Alert &text: + Hata &metni + + + + &New + &Yeni + + + + &Save + &Kaydet + + + + Displ&ay + &Görüntüle + + + + Display && Cl&ose + Görüntüle && Ka&pat + + + + New Alert + Yeni Uyarı + + + + &Parameter: + &Parametre: + + + + No Parameter Found + Hiç Parametre Bulunamadı + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Değiştirmek için hiç parametre girmediniz.\nYine de devam etmek istiyor musunuz? + + + + No Placeholder Found + Hiç Yer tutucu Bulunamadı + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Hata mesajı '<>' içermiyor.\nYine de devam etmek istiyor musunuz? + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + Hata mesajı oluşturuldu ve görüntülendi. + + + + AlertsPlugin.AlertsTab + + + Font + Yazı Tipi + + + + Font name: + Yazı Tipi adı: + + + + Font color: + Yazı Tipi rengi: + + + + Background color: + Arka plan rengi: + + + + Font size: + Yazı tipi boyutu: + + + + Alert timeout: + Uyarı zaman aşımı: + + + + BiblesPlugin + + + &Bible + &İncil + + + + Bible + name singular + İncil + + + + Bibles + name plural + İnciller + + + + Bibles + container title + İnciller + + + + No Book Found + Hiç Kitap Bulunamadı + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + Bu İncildeki ile eşleşen bir kitap bulunamadı. Kitabın ismini doğru yazdığınızı kontrol edin. + + + + Import a Bible. + İçeriye İncil aktar. + + + + Add a new Bible. + Yeni İncil ekle. + + + + Edit the selected Bible. + Seçilen İncili düzenle. + + + + Delete the selected Bible. + Seçilen İncili sil. + + + + Preview the selected Bible. + Seçilen İncile ön izleme yap. + + + + Send the selected Bible live. + Seçilen İncili güncel olarak gönder. + + + + Add the selected Bible to the service. + Seçilen İncili servise ekle. + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + <strong>İncil Eklentisi</strong><br /> İncil eklentisi servis süresince farklı kaynaklardan İncil Ayetlerini görüntülemeye olanak verir. + + + + &Upgrade older Bibles + Eski İncilleri &Güncelle + + + + Upgrade the Bible databases to the latest format. + İncil veritabanını en yeni formata güncelle. + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + Kutsal Kitap Referans Hatası + + + + Web Bible cannot be used + Web İncili kullanılamaz + + + + Text Search is not available with Web Bibles. + Metin Arama Web İncillerinde mevcut değil. + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + Arama kelimesi girmediniz.\nİstediğiniz tüm kelimelerinizi aramak için farklı kelimeleri boşluk tuşu ile ayırabilirsiniz ve virgül ile ayırarak sadece birinin aranmasını sağlayabilirsiniz. + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + Şu an hiç İncil yüklenmedi. Lütfen İçe aktarma Sihirbazını kullanarak bir veya daha fazla İncil yükleyiniz. + + + + No Bibles Available + Hiç İncil yok + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + Ayet Ekranı + + + + Only show new chapter numbers + Sadece bölüm numaralarını göster + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Turkish + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + İzinler: + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Turkish + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + İncil Sunucusu + + + + Permissions: + İzinler: + + + + Bible file: + İncil dosyası: + + + + Books file: + Kitap dosyası: + + + + Verses file: + Ayet dosyası: + + + + Registering Bible... + İncil kaydediliyor... + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + Dil Seçiniz + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + OpenLP İncilin bu çeviri dilini belirleyemedi. Lütfen aşağıdaki listeden dili seçiniz. + + + + Language: + Dil: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + Bir dil seçmeniz gerekiyor. + + + + BiblesPlugin.MediaItem + + + Quick + Çabuk + + + + Find: + Bul: + + + + Book: + Kitap: + + + + Chapter: + Bölüm: + + + + Verse: + Ayet: + + + + From: + Nereden: + + + + To: + Nereye: + + + + Text Search + Metin Arama + + + + Second: + İkinci: + + + + Scripture Reference + Kitap Referansı + + + + Toggle to keep or clear the previous results. + Önceki Sonuçları koru veya temizle. + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + Tekil ve ikili İncil ayeti arama sonuçlarını birleştiremezsiniz. Arama sonuçlarınızı silip yeni arama başlatmak istiyor musunuz? + + + + Bible not fully loaded. + İncil tamamen yüklenemedi + + + + Information + Bilgi + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + Bilgi + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + Arka plan rengi: + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + İncil + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + &Yeni + + + + &Open + + + + + Open an existing service. + + + + + &Save + &Kaydet + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Turkish + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + Dil: + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + Arka plan rengi: + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + Uyarılar + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + Kitap: + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + Bilgi + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/uk.ts b/resources/i18n/uk.ts new file mode 100644 index 000000000..2a0427349 --- /dev/null +++ b/resources/i18n/uk.ts @@ -0,0 +1,9574 @@ + + + + AlertsPlugin + + + &Alert + &Сповіщення + + + + Show an alert message. + Показати сповіщення + + + + Alert + name singular + Сповіщення + + + + Alerts + name plural + Сповіщення + + + + Alerts + container title + Сповіщення + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + Текст Сповіщення + + + + Alert &text: + Сповіщення &text: + + + + &New + &Новий + + + + &Save + &Зберегти + + + + Displ&ay + Показати + + + + Display && Cl&ose + Показати і закрити + + + + New Alert + Нове сповіщення + + + + &Parameter: + &Параметр: + + + + No Parameter Found + Не знайдені параметри + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + + + + + AlertsPlugin.AlertsTab + + + Font + Шрифт + + + + Font name: + Ім'я шрифту + + + + Font color: + Колір шрифту + + + + Background color: + Колір фону + + + + Font size: + Розмір шрифту + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + &Біблія + + + + Bible + name singular + Біблія + + + + Bibles + name plural + Біблії + + + + Bibles + container title + Біблії + + + + No Book Found + Не знайдено книгу + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + Імпортувати Біблію + + + + Add a new Bible. + Додати нову Біблію + + + + Edit the selected Bible. + Редагувати вибрану Біблію + + + + Delete the selected Bible. + Видалити вибрану Біблію + + + + Preview the selected Bible. + Переглянути вибрану Біблію + + + + Send the selected Bible live. + Відправити вибрану Біблію на проектор + + + + Add the selected Bible to the service. + Додати вибрану Біблію до служіння + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + Ви повинні вказати ім'я версії для вашої Біблії. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Вам потрібно вказати авторські права на Біблію. Біблія в Public Domain повинні бути позначені як такі. + + + + Bible Exists + Така Біблія вже існує + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + Ця Біблія вже існує. Будь ласка, імпортуйте іншу Біблії або спочатку видаліть наявну. + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + No Bibles Available + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Ukrainian + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + Ліцензія Детальніше + + + + Version name: + Назва: + + + + Copyright: + Авторське право: + + + + Permissions: + дозволи: + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Ukrainian + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + Біблія: + + + + Download Options + Опції завантаження + + + + Server: + Сервер: + + + + Username: + Ім'я користувача: + + + + Password: + Пароль + + + + Proxy Server (Optional) + Проксі-сервер (необов'язково) + + + + License Details + Ліцензія Детальніше + + + + Set up the Bible's license details. + Встановіть деталі ліцензії, Біблії. + + + + Version name: + Назва: + + + + Copyright: + Авторське право: + + + + Please wait while your Bible is imported. + Будь ласка, почекайте, поки Біблія імпортується. + + + + You need to specify a file with books of the Bible to use in the import. + Для імпорту необхідно вказати файл з книгами Біблії + + + + You need to specify a file of Bible verses to import. + Для імпорту необхідно вказати файл з віршами Біблії + + + + You need to specify a version name for your Bible. + Ви повинні вказати ім'я версії для вашої Біблії. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Вам потрібно вказати авторські права на Біблію. Біблія в Public Domain повинні бути позначені як такі. + + + + Bible Exists + Така Біблія вже існує + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + Ця Біблія вже існує. Будь ласка, імпортуйте іншу Біблії або спочатку видаліть наявну. + + + + Your Bible import failed. + Не вдалось імпортувати Біблію. + + + + CSV File + CSV файл + + + + Bibleserver + Bibleserver + + + + Permissions: + дозволи: + + + + Bible file: + файл Біблії: + + + + Books file: + файл Книг: + + + + Verses file: + файл Віршів: + + + + Registering Bible... + Реєстрація Біблії ... + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + виберіть мову + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + OpenLP не в змозі визначити мову цього перекладу Біблії. Будь ласка, виберіть мову зі списку нижче. + + + + Language: + мова: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + Ви повинні вибрати мову. + + + + BiblesPlugin.MediaItem + + + Quick + Швидко + + + + Find: + Знайти: + + + + Book: + Книга: + + + + Chapter: + глава: + + + + Verse: + вірш: + + + + From: + від: + + + + To: + до: + + + + Text Search + пошук тексту + + + + Second: + + + + + Scripture Reference + посилання в Священне Писання + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + Інформація + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + Інформація + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + Колір фону + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + Біблія + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + &Новий + + + + &Open + + + + + Open an existing service. + + + + + &Save + &Зберегти + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Ukrainian + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + мова: + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + Колір фону + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + Сповіщення + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + Пароль + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + Книга: + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + Ім'я користувача: + + + + Password: + Пароль + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + Авторське право: + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + Інформація + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/vi.ts b/resources/i18n/vi.ts new file mode 100644 index 000000000..08b70d2a7 --- /dev/null +++ b/resources/i18n/vi.ts @@ -0,0 +1,9570 @@ + + + + AlertsPlugin + + + &Alert + + + + + Show an alert message. + + + + + Alert + name singular + + + + + Alerts + name plural + + + + + Alerts + container title + + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + + + + + Alert &text: + + + + + &New + + + + + &Save + + + + + Displ&ay + + + + + Display && Cl&ose + + + + + New Alert + + + + + &Parameter: + + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + + + + + AlertsPlugin.AlertsTab + + + Font + + + + + Font name: + + + + + Font color: + + + + + Background color: + + + + + Font size: + + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + + + + + Bible + name singular + + + + + Bibles + name plural + + + + + Bibles + container title + + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + + + + + Add a new Bible. + + + + + Edit the selected Bible. + + + + + Delete the selected Bible. + + + + + Preview the selected Bible. + + + + + Send the selected Bible live. + + + + + Add the selected Bible to the service. + + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + No Bibles Available + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Vietnamese + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Vietnamese + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Text Search + + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + + + + + &Open + + + + + Open an existing service. + + + + + &Save + + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Vietnamese + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/vi_VN.ts b/resources/i18n/vi_VN.ts new file mode 100644 index 000000000..26370c3fb --- /dev/null +++ b/resources/i18n/vi_VN.ts @@ -0,0 +1,9570 @@ + + + + AlertsPlugin + + + &Alert + + + + + Show an alert message. + + + + + Alert + name singular + + + + + Alerts + name plural + + + + + Alerts + container title + + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + + + + + AlertsPlugin.AlertForm + + + Alert Message + + + + + Alert &text: + + + + + &New + + + + + &Save + + + + + Displ&ay + + + + + Display && Cl&ose + + + + + New Alert + + + + + &Parameter: + + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + + + + + AlertsPlugin.AlertsTab + + + Font + + + + + Font name: + + + + + Font color: + + + + + Background color: + + + + + Font size: + + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + + + + + Bible + name singular + + + + + Bibles + name plural + + + + + Bibles + container title + + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + Import a Bible. + + + + + Add a new Bible. + + + + + Edit the selected Bible. + + + + + Delete the selected Bible. + + + + + Preview the selected Bible. + + + + + Send the selected Bible live. + + + + + Add the selected Bible to the service. + + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + + + + Genesis + + + + + Exodus + + + + + Leviticus + + + + + Numbers + + + + + Deuteronomy + + + + + Joshua + + + + + Judges + + + + + Ruth + + + + + 1 Samuel + + + + + 2 Samuel + + + + + 1 Kings + + + + + 2 Kings + + + + + 1 Chronicles + + + + + 2 Chronicles + + + + + Ezra + + + + + Nehemiah + + + + + Esther + + + + + Job + + + + + Psalms + + + + + Proverbs + + + + + Ecclesiastes + + + + + Song of Solomon + + + + + Isaiah + + + + + Jeremiah + + + + + Lamentations + + + + + Ezekiel + + + + + Daniel + + + + + Hosea + + + + + Joel + + + + + Amos + + + + + Obadiah + + + + + Jonah + + + + + Micah + + + + + Nahum + + + + + Habakkuk + + + + + Zephaniah + + + + + Haggai + + + + + Zechariah + + + + + Malachi + + + + + Matthew + + + + + Mark + + + + + Luke + + + + + John + + + + + Acts + + + + + Romans + + + + + 1 Corinthians + + + + + 2 Corinthians + + + + + Galatians + + + + + Ephesians + + + + + Philippians + + + + + Colossians + + + + + 1 Thessalonians + + + + + 2 Thessalonians + + + + + 1 Timothy + + + + + 2 Timothy + + + + + Titus + + + + + Philemon + + + + + Hebrews + + + + + James + + + + + 1 Peter + + + + + 2 Peter + + + + + 1 John + + + + + 2 John + + + + + 3 John + + + + + Jude + + + + + Revelation + + + + + Judith + + + + + Wisdom + + + + + Tobit + + + + + Sirach + + + + + Baruch + + + + + 1 Maccabees + + + + + 2 Maccabees + + + + + 3 Maccabees + + + + + 4 Maccabees + + + + + Rest of Daniel + + + + + Rest of Esther + + + + + Prayer of Manasses + + + + + Letter of Jeremiah + + + + + Prayer of Azariah + + + + + Susanna + + + + + Bel + + + + + 1 Esdras + + + + + 2 Esdras + + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + You need to specify a book name for "%s". + + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + + + + + Duplicate Book Name + + + + + The Book Name "%s" has been entered more than once. + + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + + + + + Web Bible cannot be used + + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + No Bibles Available + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + Custom Scripture References + + + + + Verse Separator: + + + + + Range Separator: + + + + + List Separator: + + + + + End Mark: + + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + + + + + English + Vietnamese (Viet Nam) + + + + Default Bible Language + + + + + Book name language in search field, +search results and on display: + + + + + Bible Language + + + + + Application Language + + + + + Show verse numbers + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses... done. + + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + + + + + License Details + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Default Bible Language + + + + + Book name language in search field, search results and on display: + + + + + Global Settings + + + + + Bible Language + + + + + Application Language + + + + + English + Vietnamese (Viet Nam) + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + Your Bible import failed. + + + + + CSV File + + + + + Bibleserver + + + + + Permissions: + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + Quick + + + + + Find: + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Text Search + + + + + Second: + + + + + Scripture Reference + + + + + Toggle to keep or clear the previous results. + + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + Search Scripture Reference... + + + + + Search Text... + + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + + + + + Importing %(bookname)s %(chapter)s... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + You need to specify a backup directory for your Bibles. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + + + CustomPlugin + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + Import missing custom slides from service files + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Edit all the slides at once. + + + + + Split a slide into two by inserting a slide splitter. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + Ed&it All + + + + + Insert Slide + + + + + You need to add at least one slide. + + + + + CustomPlugin.EditVerseForm + + + Edit Slide + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.AddGroupForm + + + Add group + + + + + Parent group: + + + + + Group name: + + + + + You need to type in a group name. + + + + + Could not add the new group. + + + + + This group already exists. + + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + + + + + Add images to group: + + + + + No group + + + + + Existing group + + + + + New group + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to replace the background with. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + There was no display item to amend. + + + + + -- Top-level group -- + + + + + You must select an image or group to delete. + + + + + Remove group + + + + + Are you sure you want to remove "%s" and everything in it? + + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + + + + + Audio + + + + + Video + + + + + VLC is an external player which supports a number of different formats. + + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + + + + + Source + + + + + Media path: + + + + + Select drive from list + + + + + Load disc + + + + + Track Details + + + + + Title: + + + + + Audio track: + + + + + Subtitle track: + + + + + HH:mm:ss.z + + + + + Clip Range + + + + + Start point: + + + + + Set start point + + + + + Jump to start point + + + + + End point: + + + + + Set end point + + + + + Jump to end point + + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + + + + + Given path does not exists + + + + + An error happened during initialization of VLC player + + + + + VLC player failed playing the media + + + + + CD not loaded correctly + + + + + The CD was not loaded correctly, please re-load and try again. + + + + + DVD not loaded correctly + + + + + The DVD was not loaded correctly, please re-load and try again. + + + + + Set name of mediaclip + + + + + Name of mediaclip: + + + + + Enter a valid name or cancel + + + + + Invalid character + + + + + The name of the mediaclip must not contain the character ":" + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + You must select a media file to delete. + + + + + You must select a media file to replace the background with. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + There was no display item to amend. + + + + + Unsupported File + + + + + Use Player: + + + + + VLC player required + + + + + VLC player required for playback of optical devices + + + + + Load CD/DVD + + + + + Load CD/DVD - only supported when VLC is installed and enabled + + + + + The optical disc %s is no longer available. + + + + + Mediaclip already saved + + + + + This mediaclip has already been saved + + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + + + + + Start Live items automatically + + + + + OPenLP.MainWindow + + + &Projector Manager + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + Backup + + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + + + + + Backup of the data folder failed! + + + + + A backup of the data folder has been created at %s + + + + + Open + + + + + OpenLP.AboutForm + + + Credits + + + + + License + + + + + build %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + + + + + Volunteer + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + + + + + OpenLP.AdvancedTab + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + + + + + Image file: + + + + + Open File + + + + + Advanced + + + + + Preview items when clicked in Media Manager + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Default Service Name + + + + + Enable default service name + + + + + Date and Time: + + + + + Monday + + + + + Tuesday + + + + + Wednesday + + + + + Friday + + + + + Saturday + + + + + Sunday + + + + + Now + + + + + Time when usual service starts. + + + + + Name: + + + + + Consult the OpenLP manual for usage. + + + + + Revert to the default service name "%s". + + + + + Example: + + + + + Bypass X11 Window Manager + + + + + Syntax error. + + + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Overwrite Existing Data + + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + + + + + Thursday + + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + + + + Restart Required + + + + + This change will only take effect once OpenLP has been restarted. + + + + + OpenLP.ColorButton + + + Click to select a color. + + + + + OpenLP.DB + + + RGB + + + + + Video + + + + + Digital + + + + + Storage + + + + + Network + + + + + RGB 1 + + + + + RGB 2 + + + + + RGB 3 + + + + + RGB 4 + + + + + RGB 5 + + + + + RGB 6 + + + + + RGB 7 + + + + + RGB 8 + + + + + RGB 9 + + + + + Video 1 + + + + + Video 2 + + + + + Video 3 + + + + + Video 4 + + + + + Video 5 + + + + + Video 6 + + + + + Video 7 + + + + + Video 8 + + + + + Video 9 + + + + + Digital 1 + + + + + Digital 2 + + + + + Digital 3 + + + + + Digital 4 + + + + + Digital 5 + + + + + Digital 6 + + + + + Digital 7 + + + + + Digital 8 + + + + + Digital 9 + + + + + Storage 1 + + + + + Storage 2 + + + + + Storage 3 + + + + + Storage 4 + + + + + Storage 5 + + + + + Storage 6 + + + + + Storage 7 + + + + + Storage 8 + + + + + Storage 9 + + + + + Network 1 + + + + + Network 2 + + + + + Network 3 + + + + + Network 4 + + + + + Network 5 + + + + + Network 6 + + + + + Network 7 + + + + + Network 8 + + + + + Network 9 + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + File Rename + + + + + New File Name: + + + + + File Copy + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Songs + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Bible + + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + Default Settings + + + + + Downloading %s... + + + + + Enabling selected plugins... + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Custom Slides + + + + + Finish + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + Download Error + + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + Download complete. Click the %s button to return to OpenLP. + + + + + Download complete. Click the %s button to start OpenLP. + + + + + Click the %s button to return to OpenLP. + + + + + Click the %s button to start OpenLP. + + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + + + + + Downloading Resource Index + + + + + Please wait while the resource index is downloaded. + + + + + Please wait while OpenLP downloads the resource index file... + + + + + Downloading and Configuring + + + + + Please wait while resources are downloaded and OpenLP is configured. + + + + + Network Error + + + + + There was a network error attempting to connect to retrieve initial configuration information + + + + + Cancel + + + + + Unable to download some files + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Description + + + + + Tag + + + + + Start HTML + + + + + End HTML + + + + + Default Formatting + + + + + Custom Formatting + + + + + OpenLP.FormattingTagForm + + + <HTML here> + + + + + Validation Error + + + + + Description is missing + + + + + Tag is missing + + + + + Tag %s already defined. + + + + + Description %s already defined. + + + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Automatically preview next item in service + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Check for updates to OpenLP + + + + + Unblank display when adding new live item + + + + + Timed slide interval: + + + + + Background Audio + + + + + Start background audio paused + + + + + Service Item Slide Limits + + + + + Override display position: + + + + + Repeat track list + + + + + Behavior of next/previous on the last/first slide: + + + + + &Remain on Slide + + + + + &Wrap around + + + + + &Move to next/previous service item + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Service Manager + + + + + Theme Manager + + + + + &New + + + + + &Open + + + + + Open an existing service. + + + + + &Save + + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + &Configure OpenLP... + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &User Guide + + + + + &About + + + + + More information about OpenLP + + + + + &Online Help + + + + + &Web Site + + + + + Use the system language, if available. + + + + + Set the interface language to %s + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Default Theme: %s + + + + + English + Please add the name of your language here + Vietnamese (Viet Nam) + + + + Configure &Shortcuts... + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + &Autodetect + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + Print the current service. + + + + + &Recent Files + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + Configure &Formatting Tags... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + Import settings? + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + New Data Directory Error + + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +%s + + + + + General + + + + + Library + + + + + Jump to the search box of the current active plugin. + + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + + + + + Projector Manager + + + + + Toggle Projector Manager + + + + + Toggle the visibility of the Projector Manager + + + + + Export setting error + + + + + The key "%s" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: %s + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + You must select one or more items to add. + + + + + No Search Results + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + &Clone + + + + + Duplicate files were found on import and were ignored. + + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + + + + + <verse> tag is missing. + + + + + OpenLP.PJLink1 + + + Unknown status + + + + + No message + + + + + Error while sending data to projector + + + + + Undefined command: + + + + + OpenLP.PlayerTab + + + Players + + + + + Available Media Players + + + + + Player Search Order + + + + + Visible background for videos with aspect ratio different to screen. + + + + + %s (unavailable) + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Inactive) + + + + + %s (Active) + + + + + %s (Disabled) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Options + + + + + Copy + + + + + Copy as HTML + + + + + Zoom In + + + + + Zoom Out + + + + + Zoom Original + + + + + Other Options + + + + + Include slide text if available + + + + + Include service item notes + + + + + Include play length of media items + + + + + Add page break before each text item + + + + + Service Sheet + + + + + Print + + + + + Title: + + + + + Custom Footer Text: + + + + + OpenLP.ProjectorConstants + + + OK + + + + + General projector error + + + + + Not connected error + + + + + Lamp error + + + + + Fan error + + + + + High temperature detected + + + + + Cover open detected + + + + + Check filter + + + + + Authentication Error + + + + + Undefined Command + + + + + Invalid Parameter + + + + + Projector Busy + + + + + Projector/Display Error + + + + + Invalid packet received + + + + + Warning condition detected + + + + + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + + + + + The connection was refused by the peer (or timed out) + + + + + The remote host closed the connection + + + + + The host address was not found + + + + + The socket operation failed because the application lacked the required privileges + + + + + The local system ran out of resources (e.g., too many sockets) + + + + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + + + + + An error occurred with the network (Possibly someone pulled the plug?) + + + + + The address specified with socket.bind() is already in use and was set to be exclusive + + + + + The address specified to socket.bind() does not belong to the host + + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + + + + + The socket is using a proxy, and the proxy requires authentication + + + + + The SSL/TLS handshake failed + + + + + The last operation attempted has not finished yet (still in progress in the background) + + + + + Could not contact the proxy server because the connection to that server was denied + + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + + + + + The proxy address set with setProxy() was not found + + + + + An unidentified error occurred + + + + + Not connected + + + + + Connecting + + + + + Connected + + + + + Getting status + + + + + Off + + + + + Initialize in progress + + + + + Power in standby + + + + + Warmup in progress + + + + + Power is on + + + + + Cooldown in progress + + + + + Projector Information available + + + + + Sending data + + + + + Received data + + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + + + + OpenLP.ProjectorEdit + + + Name Not Set + + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + + + + + Duplicate Name + + + + + OpenLP.ProjectorEditForm + + + Add New Projector + + + + + Edit Projector + + + + + IP Address + + + + + Port Number + + + + + PIN + + + + + Name + + + + + Location + + + + + Notes + + + + + Database Error + + + + + There was an error saving projector information. See the log for the error + + + + + OpenLP.ProjectorManager + + + Add Projector + + + + + Add a new projector + + + + + Edit Projector + + + + + Edit selected projector + + + + + Delete Projector + + + + + Delete selected projector + + + + + Select Input Source + + + + + Choose input source on selected projector + + + + + View Projector + + + + + View selected projector information + + + + + Connect to selected projector + + + + + Connect to selected projectors + + + + + Disconnect from selected projectors + + + + + Disconnect from selected projector + + + + + Power on selected projector + + + + + Standby selected projector + + + + + Put selected projector in standby + + + + + Blank selected projector screen + + + + + Show selected projector screen + + + + + &View Projector Information + + + + + &Edit Projector + + + + + &Connect Projector + + + + + D&isconnect Projector + + + + + Power &On Projector + + + + + Power O&ff Projector + + + + + Select &Input + + + + + Edit Input Source + + + + + &Blank Projector Screen + + + + + &Show Projector Screen + + + + + &Delete Projector + + + + + Name + + + + + IP + + + + + Port + + + + + Notes + + + + + Projector information not available at this time. + + + + + Projector Name + + + + + Manufacturer + + + + + Model + + + + + Other info + + + + + Power status + + + + + Shutter is + + + + + Closed + + + + + Current source input is + + + + + Lamp + + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + + + + + Current errors/warnings + + + + + Projector Information + + + + + No message + + + + + Not Implemented Yet + + + + + OpenLP.ProjectorPJLink + + + Fan + + + + + Lamp + + + + + Temperature + + + + + Cover + + + + + Filter + + + + + Other + + + + + OpenLP.ProjectorTab + + + Projector + + + + + Communication Options + + + + + Connect to projectors on startup + + + + + Socket timeout (seconds) + + + + + Poll time (seconds) + + + + + Tabbed dialog box + + + + + Single dialog box + + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + + + + + Invalid IP Address + + + + + Invalid Port Number + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + [slide %d] + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Change Item Theme + + + + + File is not a valid service. + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Open File + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Start Time + + + + + Show &Preview + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Untitled Service + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Slide theme + + + + + Notes + + + + + Edit + + + + + Service copy only + + + + + Error Saving File + + + + + There was an error saving your file. + + + + + Service File(s) Missing + + + + + &Rename... + + + + + Create New &Custom Slide + + + + + &Auto play slides + + + + + Auto play slides &Loop + + + + + Auto play slides &Once + + + + + &Delay between slides + + + + + OpenLP Service Files (*.osz *.oszl) + + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + + + + + OpenLP Service Files (*.osz);; + + + + + File is not a valid service. + The content encoding is not UTF-8. + + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + + + + + This file is either corrupt or it is not an OpenLP 2 service file. + + + + + &Auto Start - inactive + + + + + &Auto Start - active + + + + + Input delay + + + + + Delay between slides in seconds. + + + + + Rename item title + + + + + Title: + + + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Action + + + + + Shortcut + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + Alternate + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Configure Shortcuts + + + + + OpenLP.SlideController + + + Hide + + + + + Go To + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Move to previous. + + + + + Move to next. + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Pause audio. + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + Previous Slide + + + + + Next Slide + + + + + Pause Audio + + + + + Background Audio + + + + + Go to next audio track. + + + + + Tracks + + + + + OpenLP.SourceSelectForm + + + Select Projector Source + + + + + Edit Projector Source Text + + + + + Ignoring current changes and return to OpenLP + + + + + Delete all user-defined text and revert to PJLink default text + + + + + Discard changes and reset to previous user-defined text + + + + + Save changes and return to OpenLP + + + + + Delete entries for this projector + + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + + + + + Formatting Tags + + + + + Language: + + + + + OpenLP.StartTimeForm + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + %s (default) + + + + + You must select a theme to edit. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Select Theme Import File + + + + + File is not a valid theme. + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Export Theme + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + Validation Error + + + + + A theme with this name already exists. + + + + + Copy of %s + Copy of <theme name> + + + + + Theme Already Exists + + + + + Theme %s already exists. Do you want to replace it? + + + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + + + + OpenLP.ThemeWizard + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Gradient + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Output Area Locations + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + Use default location + + + + + Theme name: + + + + + Edit Theme - %s + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Transitions: + + + + + &Footer Area + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + + + + + Justify + + + + + Layout Preview + + + + + Transparent + + + + + Preview and Save + + + + + Preview the theme and save it. + + + + + Background Image Empty + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + Solid color + + + + + color: + + + + + Allows you to change and move the Main and Footer areas. + + + + + You have not selected a background image. Please select one before continuing. + + + + + OpenLP.ThemesTab + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + Themes + + + + + Universal Settings + + + + + &Wrap footer text + + + + + OpenLP.Ui + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + Title and/or verses not found + + + + + XML syntax error + + + + + Welcome to the Bible Upgrade Wizard + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + + + + Importing Songs + + + + + Welcome to the Duplicate Song Removal Wizard + + + + + Written by + + + + + Author Unknown + + + + + About + + + + + &Add + + + + + Add group + + + + + Advanced + + + + + All Files + + + + + Automatic + + + + + Background Color + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + Default Color: + + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + File Not Found + + + + + File %s not found. +Please try selecting it individually. + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + Manufacturer + Singular + + + + + Manufacturers + Plural + + + + + Model + Singular + + + + + Models + Plural + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + Next Track + + + + + No Folder Selected + Singular + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + OpenLP 2 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Projector + Singular + + + + + Projectors + Plural + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + Search Themes... + Search bar place holder text + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + Optional &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + CCLI song number: + + + + + OpenLP 2.2 + + + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + + + + + %s, and %s + Locale list separator: end + + + + + %s, %s + Locale list separator: middle + + + + + %s, %s + Locale list separator: start + + + + + Openlp.ProjectorTab + + + Source select dialog interface + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Presentations (%s) + + + + + Missing Presentation + + + + + The presentation %s is incomplete, please reload. + + + + + The presentation %s no longer exists. + + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overridden + + + + + PDF options + + + + + Use given full path for mudraw or ghostscript binary: + + + + + Select mudraw or ghostscript binary. + + + + + The program is not ghostscript or mudraw which is required. + + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + Server Config Change + + + + + Server configuration changes will require a restart to take effect. + + + + + RemotePlugin.Mobile + + + Service Manager + + + + + Slide Controller + + + + + Alerts + + + + + Search + + + + + Home + + + + + Refresh + + + + + Blank + + + + + Theme + + + + + Desktop + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + Add &amp; Go to Service + + + + + No Results + + + + + Options + + + + + Service + + + + + Slides + + + + + Settings + + + + + OpenLP 2.2 Remote + + + + + OpenLP 2.2 Stage View + + + + + OpenLP 2.2 Live View + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + Android App + + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + + + + + Live view URL: + + + + + HTTPS Server + + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + + + + + User Authentication + + + + + User id: + + + + + Password: + + + + + Show thumbnails of non-text slides in remote and stage view. + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + + + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + + + + SongsPlugin + + + &Song + + + + + Import songs using the import wizard. + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + Reindexing songs + + + + + CCLI SongSelect + + + + + Import songs from CCLI's SongSelect service. + + + + + Find &Duplicate Songs + + + + + Find and remove duplicate songs in the song database. + + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + + + + + Music + Author who wrote the music of a song + + + + + Words and Music + Author who wrote both lyrics and music of a song + + + + + Translation + Author who translated the song + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + "%s" could not be imported. %s + + + + + Unexpected data formatting. + + + + + No song text found. + + + + + +[above are Song Tags with notes imported from EasyWorship] + + + + + This file does not exist. + + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + + + + + This file is not a valid EasyWorship database. + + + + + Could not retrieve encoding. + + + + + SongsPlugin.EditBibleForm + + + Meta Data + + + + + Custom Book Names + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + You need to have an author for this song. + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Open File(s) + + + + + <strong>Warning:</strong> Not all of the verses are in use. + + + + + <strong>Warning:</strong> You have not entered a verse order. + + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + + + + + Invalid Verse Order + + + + + &Edit Author Type + + + + + Edit Author Type + + + + + Choose type for this author + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + + + + + Save to File + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + CCLI SongSelect Files + + + + + EasySlides XML File + + + + + EasyWorship Song Database + + + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + + + + SundayPlus Song Files + + + + + This importer has been disabled. + + + + + MediaShout Database + + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + SongPro Text Files + + + + + SongPro (Export File) + + + + + In SongPro, export your songs using the File -> Export menu + + + + + EasyWorship Service File + + + + + WorshipCenter Pro Song Files + + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + + + + + PowerPraise Song Files + + + + + PresentationManager Song Files + + + + + ProPresenter 4 Song Files + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + Search Titles... + + + + + Search Entire Song... + + + + + Search Lyrics... + + + + + Search Authors... + + + + + Search Song Books... + + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + + + + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + + + No %s files found. + + + + + Invalid %s file. Unexpected byte value. + + + + + Invalid %s file. Missing "TITLE" header. + + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Your song export failed. + + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed because this error occurred: %s + + + + + SongsPlugin.SongImport + + + copyright + + + + + The following songs could not be imported: + + + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + Could not save your modified author, because the author already exists. + + + + + Could not save your modified topic, because it already exists. + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + + + + + Username: + + + + + Password: + + + + + Save username and password + + + + + Login + + + + + Search Text: + + + + + Search + + + + + Found %s song(s) + + + + + Logout + + + + + View + + + + + Title: + + + + + Author(s): + + + + + Copyright: + + + + + CCLI Number: + + + + + Lyrics: + + + + + Back + + + + + Import + + + + + More than 1000 results + + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + + + + + Logging out... + + + + + Save Username and Password + + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + + + + + Error Logging In + + + + + There was a problem logging in, perhaps your username or password is incorrect? + + + + + Song Imported + + + + + Incomplete song + + + + + This song is missing some information, like the lyrics, and cannot be imported. + + + + + Your song has been imported, would you like to import more songs? + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Import missing songs from service files + + + + + Display songbook in footer + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + File not valid WorshipAssistant CSV format. + + + + + Record %d + + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + + + Line %d: %s + + + + + Decoding error: %s + + + + + Record %d + + + + + Wizard + + + Wizard + + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + + + + + Searching for duplicate songs. + + + + + Please wait while your songs database is analyzed. + + + + + Here you can decide which songs to remove and which ones to keep. + + + + + Review duplicate songs (%s/%s) + + + + + Information + + + + + No duplicate songs have been found in the database. + + + + diff --git a/resources/i18n/zh_CN.ts b/resources/i18n/zh_CN.ts index be8de666c..baa16d822 100644 --- a/resources/i18n/zh_CN.ts +++ b/resources/i18n/zh_CN.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert 警告(A) - + Show an alert message. 显示一个警告信息. - + Alert name singular 警告 - + Alerts name plural 警告 - + Alerts container title 警告 - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. @@ -152,85 +152,85 @@ Please type in some text before clicking New. BiblesPlugin - + &Bible 圣经(B) - + Bible name singular 圣经 - + Bibles name plural 圣经 - + Bibles container title 圣经 - + No Book Found 未找到任何书卷 - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 在这本圣经中未发现任何匹配的书卷,请检查您输入的书名是否正确。 - + Import a Bible. 导入一本圣经 - + Add a new Bible. 新增一本圣经 - + Edit the selected Bible. 编辑选中的圣经 - + Delete the selected Bible. 删除选中的圣经 - + Preview the selected Bible. 预览选中的圣经 - + Send the selected Bible live. 将选中的圣经发送到现场 - + Add the selected Bible to the service. 将选中的圣经增加到聚会 - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>圣经插件</strong><br />在敬拜时圣经插件提供从不同来源显示圣经经节的功能 - + &Upgrade older Bibles 升级旧版本的圣经(U) - + Upgrade the Bible databases to the latest format. 升级圣经数据库到最新的格式 @@ -694,7 +694,7 @@ Please type in some text before clicking New. to range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 - + @@ -764,38 +764,38 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error 经文标识错误 - + Web Bible cannot be used 无法使用网络圣经 - + Text Search is not available with Web Bibles. 无法在网络圣经上启用文本搜索 - + You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. 您没有输入搜索的关键字。您可以使用空格来分隔所有需要被搜索的关键字。若想搜索几个关键字中的任何一个,请使用逗号来分隔它们。 - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. 尚未安装任何圣经,请使用导入向导来安装一个或多个版本的圣经 - + No Bibles Available 无任何圣经可用 - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -985,12 +985,12 @@ search results and on display: BiblesPlugin.CSVBible - + Importing books... %s 正在导入书卷... %s - + Importing verses... done. 正在导入经节... 完成。 @@ -1068,38 +1068,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... 正在注册圣经并载入书卷... - + Registering Language... 正在注册语言... - + Importing %s... Importing <book name>... 正在导入 %s... - + Download Error 下载时出现错误 - + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. 在下载您选择的经节时出现一个问题。请检查您的网络连接,如果此错误继续出现请考虑报告软件缺陷。 - + Parse Error 解析错误 - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. 在解包您选择的经节时出现问题。如果此错误继续出现请考虑报告软件缺陷。 @@ -1107,165 +1107,185 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard 圣经导入向导 - + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. 该向导将帮助您导入各种不同格式的圣经。点击下面的下一步选择导入的格式来启动导入过程。 - + Web Download 网络下载 - + Location: 位置: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: 圣经: - + Download Options 下载选项 - + Server: 服务器: - + Username: 用户名: - + Password: 密码: - + Proxy Server (Optional) 代理服务器(可选) - + License Details 许可证细节 - + Set up the Bible's license details. 设置圣经的许可证细节 - + Version name: 版本名称: - + Copyright: 版权: - + Please wait while your Bible is imported. 请稍等,正在导入您的圣经。 - + You need to specify a file with books of the Bible to use in the import. 您需要指定包含圣经书卷的文件来使用导入。 - + You need to specify a file of Bible verses to import. 您需要指定包含圣经经节的文件来使用导入。 - + You need to specify a version name for your Bible. 您需要为您的圣经指定一个版本名称。 - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. 您需要为您的圣经设置版权。在公有领域的圣经需要被标注出来。 - + Bible Exists 圣经版本存在 - + This Bible already exists. Please import a different Bible or first delete the existing one. 该版本圣经已存在。请导入一个不同版本的圣经或是先删除已存在的那个。 - + Your Bible import failed. 你的圣经导入失败 - + CSV File CSV文件 - + Bibleserver 圣经服务器 - + Permissions: 权限: - + Bible file: 圣经文件: - + Books file: 书卷文件: - + Verses file: 经节文件: - + Registering Bible... 正在注册圣经... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + + + Click to download bible list + + + + + Download bible list + + + + + Error during download + + + + + An error occurred while downloading the list of bibles from %s. + + BiblesPlugin.LanguageDialog @@ -1403,13 +1423,26 @@ You will need to re-import this Bible to use it again. + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + + + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... + + + Importing %(bookname)s %(chapter)s... + + BiblesPlugin.UpgradeWizardForm @@ -1564,73 +1597,81 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + + + CustomPlugin - + Custom Slide name singular 自定义幻灯片 - + Custom Slides name plural 自定义幻灯片 - + Custom Slides container title 自定义幻灯片 - + Load a new custom slide. 载入一张新的自定义幻灯片。 - + Import a custom slide. 导入一张自定义幻灯片。 - + Add a new custom slide. 新增一张自定义幻灯片。 - + Edit the selected custom slide. 编辑选中的自定义幻灯片。 - + Delete the selected custom slide. 删除选中的自定义幻灯片。 - + Preview the selected custom slide. 预览选中的自定义幻灯片 - + Send the selected custom slide live. 将选中的自定义幻灯片发送到现场 - + Add the selected custom slide to the service. 将选中的自定义幻灯片添加到敬拜仪式里。 - + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. @@ -1727,7 +1768,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1737,60 +1778,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin - + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. <strong>图片插件</strong><br />图片插件提供图片展示。<br />这个插件其中一个显著的特征是它可在敬拜管理器中将多张照片分组,使显示多张照片更容易。这个插件也可以使用OpenLP的计时循环特征来创建可自动播放的幻灯演示。除此以外,该插件中的图片可以被用来覆盖当前主题的背景,使基于文本的项目(比如歌曲)使用选中的图片作为背景而不是主题提供的背景。 - + Image name singular 图片 - + Images name plural 图片 - + Images container title 图片 - + Load a new image. 载入一张新图片 - + Add a new image. 新增一张图片 - + Edit the selected image. 编辑选中的图片 - + Delete the selected image. 删除选中的图片 - + Preview the selected image. 预览选中的图片 - + Send the selected image live. 将选中的图片发送到现场。 - + Add the selected image to the service. 将选中的图片添加到敬拜仪式里。 @@ -1818,12 +1859,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - + Could not add the new group. - + This group already exists. @@ -1872,34 +1913,34 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 选择图片 - + You must select an image to replace the background with. 您必须选择一张图片来替换背景。 - + Missing Image(s) 遗失图片 - + The following image(s) no longer exist: %s 以下图片已不存在:%s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? 以下图片已不存在:%s 您仍然想加入其它图片吗? - + There was a problem replacing your background, the image file "%s" no longer exists. 替换背景时出现一个问题,图片文件"%s"已不存在。 - + There was no display item to amend. 没有显示项目可以修改 @@ -1909,17 +1950,17 @@ Do you want to add the other images anyway? - + You must select an image or group to delete. - + Remove group - + Are you sure you want to remove "%s" and everything in it? @@ -1940,22 +1981,22 @@ Do you want to add the other images anyway? - + Audio - + Video - + VLC is an external player which supports a number of different formats. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. @@ -1963,60 +2004,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>媒体插件</strong><br />媒体插件提供音频和视频的回放。 - + Media name singular 媒体 - + Media name plural 媒体 - + Media container title 媒体 - + Load new media. 载入新媒体 - + Add new media. 新增媒体 - + Edit the selected media. 编辑选中的媒体 - + Delete the selected media. 删除选中的媒体 - + Preview the selected media. 预览选中的媒体 - + Send the selected media live. 将选中的媒体发送到现场 - + Add the selected media to the service. 将选中的媒体添加到敬拜仪式 @@ -2185,37 +2226,37 @@ Do you want to add the other images anyway? 选择媒体 - + You must select a media file to delete. 您必须先选中一个媒体文件才能删除 - + You must select a media file to replace the background with. 您必须选择一个媒体文件来替换背景。 - + There was a problem replacing your background, the media file "%s" no longer exists. 替换您的背景时发生问题,媒体文件"%s"已不存在。 - + Missing Media File 缺少媒体文件 - + The file %s no longer exists. 文件 %s 已不存在。 - + Videos (%s);;Audio (%s);;%s (*) 视频 (%s);;音频 (%s);;%s (*) - + There was no display item to amend. 没有显示项目可以修改 @@ -2225,7 +2266,7 @@ Do you want to add the other images anyway? 不支持的文件 - + Use Player: 使用播放器: @@ -2240,27 +2281,27 @@ Do you want to add the other images anyway? - + Load CD/DVD - + Load CD/DVD - only supported when VLC is installed and enabled - + The optical disc %s is no longer available. - + Mediaclip already saved - + This mediaclip has already been saved @@ -2289,17 +2330,17 @@ Do you want to add the other images anyway? OpenLP - + Image Files 图片文件 - + Information 信息 - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -3184,7 +3225,7 @@ Version: %s OpenLP.FileRenameForm - + File Rename 重命名文件 @@ -3194,7 +3235,7 @@ Version: %s 新建文件名: - + File Copy 复制文件 @@ -3220,167 +3261,167 @@ Version: %s OpenLP.FirstTimeWizard - + Songs 歌曲 - + First Time Wizard 首次使用向导 - + Welcome to the First Time Wizard 欢迎来到首次使用向导 - + Activate required Plugins 启用所需的插件 - + Select the Plugins you wish to use. 选择您希望使用的插件。 - + Bible 圣经 - + Images 图片 - + Presentations 演示 - + Media (Audio and Video) 媒体(音频与视频) - + Allow remote access 允许远程访问 - + Monitor Song Usage 监视歌曲使用 - + Allow Alerts 允许警告 - + Default Settings 默认设置 - + Downloading %s... 正在下载 %s... - + Enabling selected plugins... 正在启用选中的插件... - + No Internet Connection 无网络连接 - + Unable to detect an Internet connection. 未检测到Internet网络连接 - + Sample Songs 歌曲样本 - + Select and download public domain songs. 选择并下载属于公有领域的歌曲 - + Sample Bibles 圣经样本 - + Select and download free Bibles. 选择并下载免费圣经。 - + Sample Themes 主题样本 - + Select and download sample themes. 选择并下载主题样本。 - + Set up default settings to be used by OpenLP. 设置OpenLP将使用的默认设定。 - + Default output display: 默认输出显示: - + Select default theme: 选择默认主题: - + Starting configuration process... 正在启动配置进程... - + Setting Up And Downloading 正在设置并下载 - + Please wait while OpenLP is set up and your data is downloaded. 请稍等,OpenLP正在进行设置并下载您的数据。 - + Setting Up 正在设置 - + Custom Slides 自定义幻灯片 - + Finish 结束 - + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. @@ -3389,87 +3430,97 @@ To re-run the First Time Wizard and import this sample data at a later time, che 要在以后重新运行首次运行向导并导入这些样本数据,检查您的网络连接并在OpenLP里选择"工具/重新运行首次运行向导"。 - + Download Error 下载时出现错误 - + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + Download complete. Click the %s button to return to OpenLP. - + Download complete. Click the %s button to start OpenLP. - + Click the %s button to return to OpenLP. - + Click the %s button to start OpenLP. - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. - + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - + To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - + Downloading Resource Index - + Please wait while the resource index is downloaded. - + Please wait while OpenLP downloads the resource index file... - + Downloading and Configuring - + Please wait while resources are downloaded and OpenLP is configured. - + Network Error - + There was a network error attempting to connect to retrieve initial configuration information + + + Cancel + 取消 + + + + Unable to download some files + + OpenLP.FormattingTagDialog @@ -3541,6 +3592,16 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Description %s already defined. + + + Start tag %s is not valid HTML + + + + + End tag %s does not match end tag for start tag %s + + OpenLP.FormattingTags @@ -3799,7 +3860,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP 显示 @@ -4106,7 +4167,7 @@ You can download the latest version from http://openlp.org/. 主显示已经被完全清空 - + Default Theme: %s 默认主题: %s @@ -4122,12 +4183,12 @@ You can download the latest version from http://openlp.org/. 配置快捷键(S) - + Close OpenLP 关闭OpenLP - + Are you sure you want to close OpenLP? 您真的想退出OpenLP? @@ -4201,13 +4262,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and 再次运行这个想到可能会改变您当前的OpenLP配置并可能向您已存的歌曲列表中添加歌曲和改变默认的主题。 - + Clear List Clear List of recent files 清空列表 - + Clear the list of recent files. 清空最近使用的文件列表 @@ -4267,17 +4328,17 @@ Re-running this wizard may make changes to your current OpenLP configuration and OpenLP导出设定文件(*.conf) - + New Data Directory Error 新数据目录错误 - + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish 正在复制OpenLP数据到新的数据目录位置 - %s - 请等待复制完成。 - + OpenLP Data directory copy failed %s @@ -4332,7 +4393,7 @@ Processing has terminated and no changes have been made. - + Export setting error @@ -4341,23 +4402,28 @@ Processing has terminated and no changes have been made. The key "%s" does not have a default value so it will be skipped in this export. + + + An error occurred while exporting the settings: %s + + OpenLP.Manager - + Database Error 数据库错误 - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s 正在载入的数据库是由一个更新版本的OpenLP创建的。数据库的版本是%d,而OpenLP期望的版本为%d。该数据库将不被加载。 - + OpenLP cannot load your database. Database: %s @@ -4436,7 +4502,7 @@ Suffix not supported 建立副本(C) - + Duplicate files were found on import and were ignored. 在导入时发现并忽略了重复的文件 @@ -4821,11 +4887,6 @@ Suffix not supported The proxy address set with setProxy() was not found - - - The connection negotiation with the proxy server because the response from the proxy server could not be understood - - An unidentified error occurred @@ -4896,6 +4957,11 @@ Suffix not supported Received data + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + + OpenLP.ProjectorEdit @@ -5442,22 +5508,22 @@ Suffix not supported 改变项目主题(C) - + File is not a valid service. 文件不是一个有效的敬拜仪式。 - + Missing Display Handler 缺少显示处理程序 - + Your item cannot be displayed as there is no handler to display it 由于没有相关的处理程序,您的项目无法显示 - + Your item cannot be displayed as the plugin required to display it is missing or inactive 由于缺少或未启用显示该项目的插件,你的项目无法显示。 @@ -5537,12 +5603,12 @@ Suffix not supported 自定义敬拜仪式注意事项: - + Notes: 注意事项: - + Playing time: 播放时间: @@ -5552,22 +5618,22 @@ Suffix not supported 未命名敬拜仪式 - + File could not be opened because it is corrupt. 文件已损坏,无法打开。 - + Empty File 空文件 - + This service file does not contain any data. 这个敬拜仪式文件不包含任何数据。 - + Corrupt File 损坏的文件 @@ -5587,32 +5653,32 @@ Suffix not supported 选择该敬拜仪式的主题。 - + Slide theme 幻灯片主题 - + Notes 注意 - + Edit 编辑 - + Service copy only 仅复制敬拜仪式 - + Error Saving File 保存文件时发生错误 - + There was an error saving your file. 保存您的文件时发生了一个错误。 @@ -5621,17 +5687,6 @@ Suffix not supported Service File(s) Missing 敬拜仪式文件丢失 - - - The following file(s) in the service are missing: -%s - -These files will be removed if you continue to save. - 以下敬拜仪式中的文件已丢失: -<byte value="x9"/>%s - -如果您想继续保存的话这些文件将被移除。 - &Rename... @@ -5658,7 +5713,7 @@ These files will be removed if you continue to save. - + &Delay between slides @@ -5668,62 +5723,74 @@ These files will be removed if you continue to save. - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + OpenLP Service Files (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. - + The service file you are trying to open is in an old format. Please save it using OpenLP 2.0.2 or greater. - + This file is either corrupt or it is not an OpenLP 2 service file. - + &Auto Start - inactive - + &Auto Start - active - + Input delay - + Delay between slides in seconds. 幻灯片之间延时 - + Rename item title - + Title: 标题: + + + An error occurred while writing the service file: %s + + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + + OpenLP.ServiceNoteForm @@ -5985,12 +6052,12 @@ These files will be removed if you continue to save. OpenLP.SourceSelectForm - + Select Projector Source - + Edit Projector Source Text @@ -6015,18 +6082,13 @@ These files will be removed if you continue to save. - + Delete entries for this projector - - Are you sure you want to delete ALL user-defined - - - - - source input text for this projector? + + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6190,7 +6252,7 @@ These files will be removed if you continue to save. 设定为全局默认(G) - + %s (default) %s (默认) @@ -6200,52 +6262,47 @@ These files will be removed if you continue to save. 您必须先选择一个主题来编辑 - + You are unable to delete the default theme. 您不能删除默认主题 - + Theme %s is used in the %s plugin. 主题%s已被插件%s使用。 - + You have not selected a theme. 您还没有选中一个主题 - + Save Theme - (%s) 保存主题 - (%s) - + Theme Exported 主题已导出 - + Your theme has been successfully exported. 您的主题已成功导出。 - + Theme Export Failed 主题导出失败 - - Your theme could not be exported due to an error. - 由于一个错误,您的主题未能导出。 - - - + Select Theme Import File 选择要导入的主题文件 - + File is not a valid theme. 文件不是一个有效的主题 @@ -6295,20 +6352,15 @@ These files will be removed if you continue to save. 删除 %s 主题? - + Validation Error 校验错误 - + A theme with this name already exists. 以这个名字的主题已经存在。 - - - OpenLP Themes (*.theme *.otz) - OpenLP主题 (*.theme *.otz) - Copy of %s @@ -6316,15 +6368,25 @@ These files will be removed if you continue to save. %s的副本 - + Theme Already Exists 主题已存在 - + Theme %s already exists. Do you want to replace it? 主题 %s 已存在。您想要替换它吗? + + + The theme export failed because this error occurred: %s + + + + + OpenLP Themes (*.otz) + + OpenLP.ThemeWizard @@ -6760,7 +6822,7 @@ These files will be removed if you continue to save. 准备就绪。 - + Starting import... 正在开始导入... @@ -6771,7 +6833,7 @@ These files will be removed if you continue to save. 您需要指定至少一个 %s 文件来导入。 - + Welcome to the Bible Import Wizard 欢迎来到圣经导入向导 @@ -6865,7 +6927,7 @@ These files will be removed if you continue to save. 您需要指定一个%s文件夹来导入。 - + Importing Songs 导入歌曲 @@ -7208,163 +7270,163 @@ Please try selecting it individually. 预览 - + Print Service 打印服务 - + Projector Singular - + Projectors Plural - + Replace Background 替换背景 - + Replace live background. 替换现场背景 - + Reset Background 重置背景 - + Reset live background. 重置现场背景 - + s The abbreviated unit for seconds - + Save && Preview 保存预览 - + Search 搜索 - + Search Themes... Search bar place holder text 搜索主题... - + You must select an item to delete. 您必须选择一个项目来删除。 - + You must select an item to edit. 您必须选择一个项目来编辑。 - + Settings 设定 - + Save Service 保存敬拜仪式 - + Service 敬拜仪式 - + Optional &Split 可选分隔(S) - + Split a slide into two only if it does not fit on the screen as one slide. 如果一张幻灯片无法放置在一个屏幕上,那么将它分为两张。 - + Start %s 开始 %s - + Stop Play Slides in Loop 停止循环播放幻灯片 - + Stop Play Slides to End 停止顺序播放幻灯片 - + Theme Singular 主题 - + Themes Plural 主题 - + Tools 工具 - + Top 顶部 - + Unsupported File 不支持的文件 - + Verse Per Slide 每页显示经节 - + Verse Per Line 每行显示经节 - + Version 版本 - + View 查看 - + View Mode 显示模式 @@ -7378,6 +7440,16 @@ Please try selecting it individually. OpenLP 2.2 + + + Preview Toolbar + + + + + Replace live background is not available on this platform in this version of OpenLP. + + OpenLP.core.lib @@ -7417,50 +7489,50 @@ Please try selecting it individually. PresentationPlugin - + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. <strong>演示插件</strong><br />演示插件提供使用许多不同的程序来展示演示的能力。用户可在下拉菜单中选择可用的演示程序选项。 - + Presentation name singular 演示 - + Presentations name plural 演示 - + Presentations container title 演示 - + Load a new presentation. 加载一个新演示。 - + Delete the selected presentation. 删除选中的演示。 - + Preview the selected presentation. 预览选中的演示。 - + Send the selected presentation live. 将选中的演示发送到现场。 - + Add the selected presentation to the service. 将选中的演示发送到敬拜仪式。 @@ -7503,17 +7575,17 @@ Please try selecting it individually. 演示 (%s) - + Missing Presentation 丢失演示文件 - + The presentation %s is incomplete, please reload. 演示文件%s不完整,请重新载入。 - + The presentation %s no longer exists. 演示文件%s已不存在。 @@ -7521,7 +7593,7 @@ Please try selecting it individually. PresentationPlugin.PowerpointDocument - + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. @@ -7529,40 +7601,50 @@ Please try selecting it individually. PresentationPlugin.PresentationTab - + Available Controllers 可用控制器 - + %s (unavailable) %s (不可用) - + Allow presentation application to be overridden 允许演示程序被覆盖 - + PDF options - + Use given full path for mudraw or ghostscript binary: - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + RemotePlugin @@ -7603,127 +7685,127 @@ Please try selecting it individually. RemotePlugin.Mobile - + Service Manager 敬拜仪式管理器 - + Slide Controller 幻灯片控制器 - + Alerts 警告 - + Search 搜索 - + Home 主页 - + Refresh 刷新 - + Blank 空白 - + Theme 主题 - + Desktop 桌面 - + Show 显示 - + Prev 上一个 - + Next 下一个 - + Text 文本 - + Show Alert 显示警告 - + Go Live 发送到现场 - + Add to Service 添加到敬拜仪式 - + Add &amp; Go to Service 添加 &amp; 转到敬拜仪式 - + No Results 没有结果 - + Options 选项 - + Service 敬拜仪式 - + Slides 幻灯片 - + Settings 设定 - + OpenLP 2.2 Remote - + OpenLP 2.2 Stage View - + OpenLP 2.2 Live View @@ -7809,85 +7891,85 @@ Please try selecting it individually. SongUsagePlugin - + &Song Usage Tracking 歌曲使用状况跟踪(S) - + &Delete Tracking Data 删除跟踪数据(D) - + Delete song usage data up to a specified date. 删除指定日期之前的歌曲使用数据。 - + &Extract Tracking Data 提取跟踪数据(E) - + Generate a report on song usage. 生成歌曲使用报告 - + Toggle Tracking 切换跟踪 - + Toggle the tracking of song usage. 切换歌曲使用跟踪。 - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>歌曲使用状况插件</strong><br />这个插件跟踪在敬拜仪式中歌曲的使用状况。 - + SongUsage name singular 歌曲使用 - + SongUsage name plural 歌曲使用 - + SongUsage container title 歌曲使用 - + Song Usage 歌曲使用 - + Song usage tracking is active. 歌曲使用跟踪已启用。 - + Song usage tracking is inactive. 歌曲使用跟踪未启用。 - + display 显示 - + printed 已打印 @@ -7949,22 +8031,22 @@ All data recorded before this date will be permanently deleted. 报告位置 - + Output File Location 输出文件位置 - + usage_detail_%s_%s.txt 使用细节_%s_%s.txt - + Report Creation 创建报告 - + Report %s has been successfully created. @@ -7974,46 +8056,56 @@ has been successfully created. 已成功创建。 - + Output Path Not Selected 未选择输出路径 - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + Report Creation Failed + + + + + An error occurred while creating the report: %s + + SongsPlugin - + &Song 歌曲(S) - + Import songs using the import wizard. 使用导入向导来导入歌曲。 - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>歌曲插件</strong><br />歌曲插件提供了显示和管理歌曲的能力。 - + &Re-index Songs 重新索引歌曲(R) - + Re-index the songs database to improve searching and ordering. 重新索引歌曲数据库来改善搜索和排列 - + Reindexing songs... 正在重新索引歌曲... @@ -8108,80 +8200,80 @@ The encoding is responsible for the correct character representation. 该编码负责正确的字符表示。 - + Song name singular 歌曲 - + Songs name plural 歌曲 - + Songs container title 歌曲 - + Exports songs using the export wizard. 使用导出向导来导出歌曲。 - + Add a new song. 新增一首歌曲。 - + Edit the selected song. 编辑选中的歌曲。 - + Delete the selected song. 删除选中的歌曲。 - + Preview the selected song. 预览选中的歌曲。 - + Send the selected song live. 将选中的歌曲发送到现场 - + Add the selected song to the service. 添加选中的歌曲道敬拜仪式 - + Reindexing songs 重新索引歌曲 - + CCLI SongSelect - + Import songs from CCLI's SongSelect service. - + Find &Duplicate Songs - + Find and remove duplicate songs in the song database. @@ -8650,7 +8742,7 @@ Please enter the verses separated by spaces. 您需要指定一个目录 - + Select Destination Folder 选择目标文件夹 @@ -9056,15 +9148,20 @@ Please enter the verses separated by spaces. SongsPlugin.SongExportForm - + Your song export failed. 您的歌曲导出失败。 - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. 导出完成。要导入这些文件,使用<strong>OpenLyrics</strong>导入器 + + + Your song export failed because this error occurred: %s + + SongsPlugin.SongImport @@ -9245,7 +9342,7 @@ Please enter the verses separated by spaces. 搜索 - + Found %s song(s) @@ -9310,43 +9407,43 @@ Please enter the verses separated by spaces. - + Save Username and Password - + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. - + Error Logging In - + There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported - - Your song has been imported, would you like to exit now, or import more songs? + + Incomplete song - - Import More Songs + + This song is missing some information, like the lyrics, and cannot be imported. - - Exit Now + + Your song has been imported, would you like to import more songs? diff --git a/resources/i18n/zh_TW.ts b/resources/i18n/zh_TW.ts new file mode 100644 index 000000000..6ec62dee8 --- /dev/null +++ b/resources/i18n/zh_TW.ts @@ -0,0 +1,9750 @@ + + + + AlertsPlugin + + + &Alert + 警報(&A) + + + + Show an alert message. + 顯示警報訊息。 + + + + Alert + name singular + 警報 + + + + Alerts + name plural + 警報 + + + + Alerts + container title + 警報 + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. + <strong>警報插件</strong><br />警報插件控制在顯示器畫面顯示的警報字句。 + + + + AlertsPlugin.AlertForm + + + Alert Message + 警報訊息 + + + + Alert &text: + 警報文字(&T): + + + + &New + 新建(&N) + + + + &Save + 存檔(&S) + + + + Displ&ay + 顯示(&A) + + + + Display && Cl&ose + 顯示並關閉(&O) + + + + New Alert + 新的警報 + + + + &Parameter: + 參數(&P): + + + + No Parameter Found + 找不到參數 + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + 您尚未輸入參數替換,是否要繼續? + + + + No Placeholder Found + 找不到提示 + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + 警報訊息沒有包含'<>', +是否繼續? + + + + You haven't specified any text for your alert. +Please type in some text before clicking New. + 您尚未在警報文字欄指定任何文字。 +請在新建前輸入一些文字。 + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + 警報訊息已顯示。 + + + + AlertsPlugin.AlertsTab + + + Font + 字型 + + + + Font name: + 字型名稱: + + + + Font color: + 字型顏色: + + + + Background color: + 背景顏色: + + + + Font size: + 字體大小: + + + + Alert timeout: + 警報中止: + + + + BiblesPlugin + + + &Bible + 聖經(&B) + + + + Bible + name singular + 聖經 + + + + Bibles + name plural + 聖經 + + + + Bibles + container title + 聖經 + + + + No Book Found + 找不到書卷名 + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + 找不到符合書卷名。請檢查有無錯別字。 + + + + Import a Bible. + 匯入一本聖經。 + + + + Add a new Bible. + 新增一本聖經。 + + + + Edit the selected Bible. + 編輯所選擇的聖經。 + + + + Delete the selected Bible. + 刪除所選擇的聖經。 + + + + Preview the selected Bible. + 預覽所選擇的聖經。 + + + + Send the selected Bible live. + 傳送所選擇的聖經到現場Live。 + + + + Add the selected Bible to the service. + 新增所選擇的聖經到聚會。 + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + <strong>聖經插件</strong><br />使用聖經插件在聚會中顯示不同的聖經來源。 + + + + &Upgrade older Bibles + 升級舊版聖經(&U) + + + + Upgrade the Bible databases to the latest format. + 升級聖經資料庫至最新的格式。 + + + + Genesis + 創世紀 + + + + Exodus + 出埃及記 + + + + Leviticus + 利未記 + + + + Numbers + 民數記 + + + + Deuteronomy + 申命記 + + + + Joshua + 約書亞記 + + + + Judges + 士師記 + + + + Ruth + 路得記 + + + + 1 Samuel + 撒母爾記上 + + + + 2 Samuel + 撒母爾記下 + + + + 1 Kings + 列王記上 + + + + 2 Kings + 列王記下 + + + + 1 Chronicles + 歷代志上 + + + + 2 Chronicles + 歷代志下 + + + + Ezra + 以斯拉記 + + + + Nehemiah + 尼希米記 + + + + Esther + 以斯帖記 + + + + Job + 約伯記 + + + + Psalms + 詩篇 + + + + Proverbs + 箴言 + + + + Ecclesiastes + 傳道書 + + + + Song of Solomon + 雅歌 + + + + Isaiah + 以賽亞書 + + + + Jeremiah + 以賽亞書 + + + + Lamentations + 耶利米哀歌 + + + + Ezekiel + 以西結書 + + + + Daniel + 但以理書 + + + + Hosea + 何西阿書 + + + + Joel + 約珥書 + + + + Amos + 阿摩司書 + + + + Obadiah + 俄巴底亞書 + + + + Jonah + 約拿書 + + + + Micah + 彌迦書 + + + + Nahum + 那鴻書 + + + + Habakkuk + 哈巴谷書 + + + + Zephaniah + 西番雅書 + + + + Haggai + 哈該書 + + + + Zechariah + 撒迦利書 + + + + Malachi + 瑪拉基書 + + + + Matthew + 馬太福音 + + + + Mark + 馬可福音 + + + + Luke + 路加福音 + + + + John + 約翰福音 + + + + Acts + 使徒行傳 + + + + Romans + 羅馬書 + + + + 1 Corinthians + 哥林多前書 + + + + 2 Corinthians + 哥林多後書 + + + + Galatians + 加拉太書 + + + + Ephesians + 以弗所書 + + + + Philippians + 腓立比書 + + + + Colossians + 歌羅西書 + + + + 1 Thessalonians + 帖撒羅尼迦前書 + + + + 2 Thessalonians + 帖撒羅尼迦後書 + + + + 1 Timothy + 提摩太前書 + + + + 2 Timothy + 提摩太後書 + + + + Titus + 提多書 + + + + Philemon + 腓利門書 + + + + Hebrews + 希伯來書 + + + + James + 雅各書 + + + + 1 Peter + 彼得前書 + + + + 2 Peter + 彼得後書 + + + + 1 John + 約翰壹書 + + + + 2 John + 約翰貳書 + + + + 3 John + 約翰參書 + + + + Jude + 猶大書 + + + + Revelation + 啟示錄 + + + + Judith + 友弟德傳 + + + + Wisdom + 智慧篇 + + + + Tobit + 多俾亞傳 + + + + Sirach + 德訓篇 + + + + Baruch + 巴路克 + + + + 1 Maccabees + 瑪喀比一書 + + + + 2 Maccabees + 瑪喀比二書 + + + + 3 Maccabees + 瑪喀比三書 + + + + 4 Maccabees + 瑪喀比四書 + + + + Rest of Daniel + 但以理補篇 + + + + Rest of Esther + 以斯帖補篇 + + + + Prayer of Manasses + 瑪拿西禱言 + + + + Letter of Jeremiah + 耶利米書信 + + + + Prayer of Azariah + 亞薩利亞禱言 + + + + Susanna + 蘇撒納 + + + + Bel + 貝爾 + + + + 1 Esdras + 厄斯德拉上 + + + + 2 Esdras + 厄斯德拉下 + + + + : + Verse identifier e.g. Genesis 1 : 1 = Genesis Chapter 1 Verse 1 + : + + + + v + Verse identifier e.g. Genesis 1 v 1 = Genesis Chapter 1 Verse 1 + + + + + V + Verse identifier e.g. Genesis 1 V 1 = Genesis Chapter 1 Verse 1 + + + + + verse + Verse identifier e.g. Genesis 1 verse 1 = Genesis Chapter 1 Verse 1 + + + + + verses + Verse identifier e.g. Genesis 1 verses 1 - 2 = Genesis Chapter 1 Verses 1 to 2 + + + + + - + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + - + + + + to + range identifier e.g. Genesis 1 verse 1 - 2 = Genesis Chapter 1 Verses 1 To 2 + + + + + , + connecting identifier e.g. Genesis 1 verse 1 - 2, 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + , + + + + and + connecting identifier e.g. Genesis 1 verse 1 - 2 and 4 - 5 = Genesis Chapter 1 Verses 1 To 2 And Verses 4 To 5 + + + + + end + ending identifier e.g. Genesis 1 verse 1 - end = Genesis Chapter 1 Verses 1 To The Last Verse + 結束 + + + + BiblesPlugin.BibleEditForm + + + You need to specify a version name for your Bible. + 您需要指定您聖經的譯本名稱。 + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + 您需要為您的聖經設定版權訊息。 在公開領域也必須標註。 + + + + Bible Exists + 聖經已存在 + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + 此聖經譯本已存在。請匯入一個不同的聖經譯本,或先刪除此已存在的譯本。 + + + + You need to specify a book name for "%s". + 您需要為 "%s" 指定一個書卷名稱。 + + + + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + 書卷名稱 "%s" 不正確. +數字只能放在開頭並且必須後接一個或多個非數字字元. + + + + Duplicate Book Name + 重複的書卷名稱 + + + + The Book Name "%s" has been entered more than once. + 此書卷名稱 "%s" 已輸入不只一次。 + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + 經節參照錯誤 + + + + Web Bible cannot be used + 無法使用網路聖經 + + + + Text Search is not available with Web Bibles. + 不能在網路聖經進行搜索。 + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + 您沒有輸入搜尋的關鍵字。 +您可以使用空格來分隔所有需要被搜尋的關鍵字。 若想搜尋一些關鍵字中的任何一個,請使用逗號作分隔。 + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + 找不到聖經。請使用聖經匯入精靈安裝聖經。 + + + + No Bibles Available + 沒有可用的聖經 + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. + 您的經文標示不受OpenLP支持或是無效的,請確保您的標示符號和下列任意一種格式或是請參閱說明文件: + +Book Chapter +Book Chapter%(range)sChapter +Book Chapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse +Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse + +Book:書卷名 +Chapter: 章 +Verse:節 + + + + BiblesPlugin.BiblesTab + + + Verse Display + 經節顯示 + + + + Only show new chapter numbers + 只顯示新的第幾章 + + + + Bible theme: + 聖經佈景主題: + + + + No Brackets + 沒有括號 + + + + ( And ) + ( 和 ) + + + + { And } + { 和 } + + + + [ And ] + [ 和 ] + + + + Note: +Changes do not affect verses already in the service. + 注意: +已經在聚會中的項目不受改變影響。 + + + + Display second Bible verses + 顯示第二聖經經文 + + + + Custom Scripture References + 自定義經文表示 + + + + Verse Separator: + 經節分隔: + + + + Range Separator: + 範圍分隔: + + + + List Separator: + 列表分隔: + + + + End Mark: + 結束標記: + + + + Multiple alternative verse separators may be defined. +They have to be separated by a vertical bar "|". +Please clear this edit line to use the default value. + 定義多個符號需使用 "|" 來分隔。 +欲使用預設值請清除內容。 + + + + English + 繁體中文 + + + + Default Bible Language + 預設聖經語言 + + + + Book name language in search field, +search results and on display: + 在搜尋範圍、搜尋結果及畫面輸出的書卷名稱語言: + + + + Bible Language + 聖經語言 + + + + Application Language + 應用程式語言 + + + + Show verse numbers + 顯示經節數字 + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + 選擇經卷名稱 + + + + Current name: + 目前名稱: + + + + Corresponding name: + 對應名稱: + + + + Show Books From + 顯示書卷從 + + + + Old Testament + 舊約 + + + + New Testament + 新約 + + + + Apocrypha + 次經 + + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + 下列書卷名稱無法與內部書卷對應。請從列表中選擇相對應的名稱。 + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + 你需要選擇一卷書。 + + + + BiblesPlugin.CSVBible + + + Importing books... %s + 匯入書卷... %s + + + + Importing verses... done. + 匯入經文... 已完成。 + + + + BiblesPlugin.EditBibleForm + + + Bible Editor + 編輯聖經 + + + + License Details + 授權詳細訊息 + + + + Version name: + 版本名稱: + + + + Copyright: + 版權: + + + + Permissions: + 權限: + + + + Default Bible Language + 預設聖經語言 + + + + Book name language in search field, search results and on display: + 在搜尋範圍、搜尋結果及畫面輸出的書卷名稱語言: + + + + Global Settings + 全域設定 + + + + Bible Language + 聖經語言 + + + + Application Language + 應用程式語言 + + + + English + 繁體中文 + + + + This is a Web Download Bible. +It is not possible to customize the Book Names. + 這是網路版聖經。無法自定書卷名稱。 + + + + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. + 欲使用自定義書卷名稱,在'後設資料(Meta Data)'頁或OpenLP設定的'聖經'頁面上(若已選擇全域設定) 必須選擇"聖經語言"。 + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + 正在註冊聖經並載入書卷... + + + + Registering Language... + 正在註冊語言... + + + + Importing %s... + Importing <book name>... + 匯入 %s... + + + + Download Error + 下載錯誤 + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + 下載選擇的經節時發生錯誤,請檢查您的網路連線。若狀況持續發生,請回報此錯誤。 + + + + Parse Error + 語法錯誤 + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + 解碼選擇的經節時發生錯誤。若狀況持續發生,請回報此錯誤。 + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + 聖經匯入精靈 + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + 這個精靈將幫助您匯入各種格式的聖經。點擊下一步按鈕開始選擇要匯入的格式。 + + + + Web Download + 網路下載 + + + + Location: + 位置: + + + + Crosswalk + Crosswalk + + + + BibleGateway + BibleGateway + + + + Bible: + 聖經: + + + + Download Options + 下載選項 + + + + Server: + 伺服器: + + + + Username: + 使用者名稱: + + + + Password: + 密碼: + + + + Proxy Server (Optional) + 代理伺服器: + + + + License Details + 授權詳細資訊 + + + + Set up the Bible's license details. + 設定聖經的授權詳細資料。 + + + + Version name: + 版本名稱: + + + + Copyright: + 版權: + + + + Please wait while your Bible is imported. + 請稍等,您的聖經正在匯入。 + + + + You need to specify a file with books of the Bible to use in the import. + 您需要指定一個具有可用於匯入之聖經經卷的檔案。 + + + + You need to specify a file of Bible verses to import. + 您需要指定要匯入的聖經經文檔案。 + + + + You need to specify a version name for your Bible. + 您需要指定您聖經的譯本名稱。 + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + 您需要為您的聖經設定版權訊息。 在公開領域也必須標註。 + + + + Bible Exists + 聖經已存在 + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + 此聖經譯本已存在。請匯入一個不同的聖經譯本,或先刪除已存在的譯本。 + + + + Your Bible import failed. + 無法匯入你的聖經。 + + + + CSV File + CSV檔案 + + + + Bibleserver + Bibleserver + + + + Permissions: + 權限: + + + + Bible file: + 聖經檔案: + + + + Books file: + 書卷檔: + + + + Verses file: + 經文檔案: + + + + Registering Bible... + 正在註冊聖經... + + + + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. + 註冊聖經。請注意,即將下載經文且需要網路連線。 + + + + Click to download bible list + 點擊下載聖經清單 + + + + Download bible list + 下載聖經清單 + + + + Error during download + 下載過程發生錯誤 + + + + An error occurred while downloading the list of bibles from %s. + 從 %s 下載聖經清單時發生錯誤。 + + + + BiblesPlugin.LanguageDialog + + + Select Language + 選擇語言 + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + OpenLP無法確定這個聖經譯本的語言。請從下面的列表中選擇語言。 + + + + Language: + 語言: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + 你需要選擇一個語言。 + + + + BiblesPlugin.MediaItem + + + Quick + 快速 + + + + Find: + 尋找: + + + + Book: + 書卷: + + + + Chapter: + 章: + + + + Verse: + 節: + + + + From: + 從: + + + + To: + 到: + + + + Text Search + 文字搜尋 + + + + Second: + 第二本: + + + + Scripture Reference + 經文參照 + + + + Toggle to keep or clear the previous results. + 切換保留或清除之前的結果。 + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + 您不能結合單和雙聖經經節搜尋結果。你要刪除搜尋結果並開始新的搜尋? + + + + Bible not fully loaded. + 聖經未完整載入。 + + + + Information + 資訊 + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + 第二聖經沒有包含所有在主聖經的經文。將只顯示兩個聖經皆有的經文。 %d 經文沒有被列入結果。 + + + + Search Scripture Reference... + 搜尋經文參照... + + + + Search Text... + 搜尋文字... + + + + Are you sure you want to completely delete "%s" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + 您確定要從OpenLP完全刪除“%s”聖經? + +您要再次使用它將需要重新導入這個聖經。 + + + + BiblesPlugin.OpenSongImport + + + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. + 提供不正確的聖經文件類型。 OpenSong Bible可被壓縮。匯入前必須先解壓縮。 + + + + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. + 提供不正確的聖經文件類型。 這看起來似乎是 Zefania XML 聖經,請使用 Zefania 選項匯入。 + + + + BiblesPlugin.Opensong + + + Importing %(bookname)s %(chapter)s... + 正在匯入 %(bookname)s %(chapter)s... + + + + BiblesPlugin.OsisImport + + + Removing unused tags (this may take a few minutes)... + 刪除未使用的標籤(這可能需要幾分鐘)... + + + + Importing %(bookname)s %(chapter)s... + 正在匯入 %(bookname)s %(chapter)s... + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + 選擇備份目錄 + + + + Bible Upgrade Wizard + 聖經升級精靈 + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + 此精靈將幫助您現有的聖經從OpenLP 2 的舊版本升級,點擊下一步的按鈕開始升級程序。 + + + + Select Backup Directory + 選擇備份目錄 + + + + Please select a backup directory for your Bibles + 請為您的聖經選擇備份目錄 + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + OpenLP 2.0 以前的版本無法使用升級後的聖經。將建立目前聖經的備份,如果你需要恢復到 OpenLP 以前的版本,就可以簡單地將文件複製回您 OpenLP 資料目錄。有關如何恢復文件的說明可以在我們的 <a href="http://wiki.openlp.org/faq">常見問題</a>。 + + + + Please select a backup location for your Bibles. + 請為您的聖經選擇備份路徑。 + + + + Backup Directory: + 備份目錄: + + + + There is no need to backup my Bibles + 不需要備份我的聖經 + + + + Select Bibles + 選擇聖經 + + + + Please select the Bibles to upgrade + 請選擇要升級的聖經 + + + + Upgrading + 升級中 + + + + Please wait while your Bibles are upgraded. + 請稍等,您的聖經正在升級。 + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + 備份未成功。 +需要指定目錄的寫入權限來備份您的聖經。 + + + + Upgrading Bible %s of %s: "%s" +Failed + 正在升級聖經 %s 的 %s:"%s" +失敗 + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + 正在升級聖經 %s 的 %s:"%s" +升級中... + + + + Download Error + 下載錯誤 + + + + To upgrade your Web Bibles an Internet connection is required. + 升級網路聖經需要網際網路連線。 + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + 正在升級聖經 %s 的 %s:"%s" +正在升級 %s ... + + + + Upgrading Bible %s of %s: "%s" +Complete + 正在升級聖經 %s 的 %s:"%s" +完成 + + + + , %s failed + , %s 失敗 + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + 正在升級聖經: %s 成功 %s +請注意:即將從網路下載網路聖經,因此需要網際網路連線。 + + + + Upgrading Bible(s): %s successful%s + 正在升級聖經: %s 成功 %s + + + + Upgrade failed. + 升級失敗。 + + + + You need to specify a backup directory for your Bibles. + 您需要指定一個聖經備份資料夾。 + + + + Starting upgrade... + 開始升級... + + + + There are no Bibles that need to be upgraded. + 沒有聖經需要升級。 + + + + BiblesPlugin.ZefaniaImport + + + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. + 提供了不正確的聖經文件類型, OpenSong 聖經或許被壓縮過. 您必須在導入前解壓縮它們。 + + + + BiblesPlugin.Zefnia + + + Importing %(bookname)s %(chapter)s... + 匯入%(bookname)s %(chapter)s中... + + + + CustomPlugin + + + Custom Slide + name singular + 自訂幻燈片 + + + + Custom Slides + name plural + 自訂幻燈片 + + + + Custom Slides + container title + 自訂幻燈片 + + + + Load a new custom slide. + 載入新幻燈片.。 + + + + Import a custom slide. + 匯入一張幻燈片。 + + + + Add a new custom slide. + 新增幻燈片。 + + + + Edit the selected custom slide. + 編輯幻燈片。 + + + + Delete the selected custom slide. + 刪除幻燈片。 + + + + Preview the selected custom slide. + 預覽幻燈片。 + + + + Send the selected custom slide live. + 傳送幻燈片至現場Live。 + + + + Add the selected custom slide to the service. + 新增幻燈片至聚會。 + + + + <strong>Custom Slide Plugin </strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + <strong>自定義幻燈片插件</strong><br />自定義幻燈片插件提供設置可像歌曲一樣放置在螢幕上的自定義文字幻燈片的能力。這個插件在歌曲插件提供了更大的自由度。 + + + + CustomPlugin.CustomTab + + + Custom Display + 自定義顯示 + + + + Display footer + 顯示頁尾 + + + + Import missing custom slides from service files + 從聚會管理匯入遺失的自訂幻燈片檔案 + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + 編輯幻燈片 + + + + &Title: + 標題(&T): + + + + Add a new slide at bottom. + 在底部新增一張幻燈片。 + + + + Edit the selected slide. + 編輯幻燈片。 + + + + Edit all the slides at once. + 同時編輯全部的幻燈片。 + + + + Split a slide into two by inserting a slide splitter. + 插入一個幻燈片分格符號來將一張幻燈片分為兩張。 + + + + The&me: + 佈景主題(&M): + + + + &Credits: + 參與名單(&C): + + + + You need to type in a title. + 你需要輸入標題。 + + + + Ed&it All + 編輯全部(&I) + + + + Insert Slide + 插入幻燈片 + + + + You need to add at least one slide. + 你需要新增至少一頁幻燈片。 + + + + CustomPlugin.EditVerseForm + + + Edit Slide + 編輯幻燈片 + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slide(s)? + + 您確定想要刪除這 %n 張選中的自訂幻燈片嗎? + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + <strong>圖片插件</strong><br />圖片插件提供圖片顯示。<br /> +這個插件其中一個顯著的特徵是它可以在聚會管理中將多張照片分組,更容易顯示多張照片。這個插件也可以使用OpenLP的計時循環效果來建立可自動撥放的幻燈片效果。除此之外,該插件中的圖片可以用來覆蓋當前主題的背景,使得文字項目如歌曲使用選擇的圖片作為背景,而不是由佈景主題所提供的背景。 + + + + Image + name singular + 圖片 + + + + Images + name plural + 圖片 + + + + Images + container title + 圖片 + + + + Load a new image. + 載入新圖片。 + + + + Add a new image. + 加入新圖片。 + + + + Edit the selected image. + 編輯圖片。 + + + + Delete the selected image. + 刪除圖片。 + + + + Preview the selected image. + 預覽圖片。 + + + + Send the selected image live. + 傳送圖片至現場Live。 + + + + Add the selected image to the service. + 加入選擇的圖片到聚會。 + + + + ImagePlugin.AddGroupForm + + + Add group + 新增群組 + + + + Parent group: + 主群組: + + + + Group name: + 群組名稱: + + + + You need to type in a group name. + 您需要輸入一個群組名稱。 + + + + Could not add the new group. + 無法新增新的群組。 + + + + This group already exists. + 此群組已存在。 + + + + ImagePlugin.ChooseGroupForm + + + Select Image Group + 選擇影像群組 + + + + Add images to group: + 新增圖片到群組: + + + + No group + 無群組 + + + + Existing group + 現有群組 + + + + New group + 新群組 + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + 選擇附件 + + + + ImagePlugin.MediaItem + + + Select Image(s) + 選擇圖片 + + + + You must select an image to replace the background with. + 您必須選擇一個圖案來替換背景。 + + + + Missing Image(s) + 遺失圖片 + + + + The following image(s) no longer exist: %s + 下列圖片已不存在: %s + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + 下列圖片已不存在: %s +您想要從任何地方加入其他圖片? + + + + There was a problem replacing your background, the image file "%s" no longer exists. + 替換背景時發生錯誤,圖片 %s 已不存在。 + + + + There was no display item to amend. + 沒有顯示項目可以修改。 + + + + -- Top-level group -- + -- 最上層群組 -- + + + + You must select an image or group to delete. + 您必須選擇一個圖案或群組刪除。 + + + + Remove group + 移除群組 + + + + Are you sure you want to remove "%s" and everything in it? + 您確定想要移除 %s 及所有內部所有東西? + + + + ImagesPlugin.ImageTab + + + Visible background for images with aspect ratio different to screen. + 可見的背景圖片與螢幕長寬比例不同。 + + + + Media.player + + + Phonon is a media player which interacts with the operating system to provide media capabilities. + Phonon是一個媒體播放器,它提供與作業系統交互能力。 + + + + Audio + 聲音 + + + + Video + 影像 + + + + VLC is an external player which supports a number of different formats. + VLC是一個外部播放器,支援多種不同的格式。 + + + + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. + Webkit 是一款在網頁瀏覽器內執行的媒體播放器。這款播放器可以讓文字通過影像來呈現。 + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + <strong>媒體插件</strong><br />媒體插件提供聲音與影像的播放。 + + + + Media + name singular + 媒體 + + + + Media + name plural + 媒體 + + + + Media + container title + 媒體 + + + + Load new media. + 載入新媒體。 + + + + Add new media. + 加入新媒體。 + + + + Edit the selected media. + 編輯媒體。 + + + + Delete the selected media. + 刪除媒體。 + + + + Preview the selected media. + 預覽媒體。 + + + + Send the selected media live. + 傳送媒體至現場Live。 + + + + Add the selected media to the service. + 加入到聚會。 + + + + MediaPlugin.MediaClipSelector + + + Select Media Clip + 選擇媒體片段 + + + + Source + 來源 + + + + Media path: + 媒體路徑: + + + + Select drive from list + 從清單選擇驅動 + + + + Load disc + 載入光碟 + + + + Track Details + 軌道細節 + + + + Title: + 標題: + + + + Audio track: + 聲音軌: + + + + Subtitle track: + 副標題: + + + + HH:mm:ss.z + HH:mm:ss.z + + + + Clip Range + 片段範圍 + + + + Start point: + 起始點: + + + + Set start point + 設定起始點 + + + + Jump to start point + 跳至起始點 + + + + End point: + 結束點: + + + + Set end point + 設定結束點 + + + + Jump to end point + 跳至結束點 + + + + MediaPlugin.MediaClipSelectorForm + + + No path was given + 沒有選取路徑 + + + + Given path does not exists + 選取的路徑不存在 + + + + An error happened during initialization of VLC player + 初始化 VLC 播放器發生錯誤 + + + + VLC player failed playing the media + 此媒體 VLC播放器無法播放 + + + + CD not loaded correctly + CD無法正確載入 + + + + The CD was not loaded correctly, please re-load and try again. + CD無法正確載入,請重新放入再重試。 + + + + DVD not loaded correctly + DVD無法正確載入 + + + + The DVD was not loaded correctly, please re-load and try again. + DVD無法正確載入,請重新放入再重試。 + + + + Set name of mediaclip + 設定媒體片段的名稱 + + + + Name of mediaclip: + 片段名稱: + + + + Enter a valid name or cancel + 輸入有效的名稱或取消 + + + + Invalid character + 無效字元 + + + + The name of the mediaclip must not contain the character ":" + 片段的名稱不得包含 ":" 字元 + + + + MediaPlugin.MediaItem + + + Select Media + 選擇媒體 + + + + You must select a media file to delete. + 您必須選擇一個要刪除的媒體檔。 + + + + You must select a media file to replace the background with. + 您必須選擇一個媒體檔來替換背景。 + + + + There was a problem replacing your background, the media file "%s" no longer exists. + 替換背景時出現一個問題, 媒體檔 "%s" 已不存在。 + + + + Missing Media File + 遺失媒體檔案 + + + + The file %s no longer exists. + 檔案 %s 已不存在。 + + + + Videos (%s);;Audio (%s);;%s (*) + 影像 (%s);;聲音 (%s);;%s (*) + + + + There was no display item to amend. + 沒有顯示的項目可以修改。 + + + + Unsupported File + 檔案不支援 + + + + Use Player: + 使用播放器: + + + + VLC player required + 需要 VLC播放器 + + + + VLC player required for playback of optical devices + 要播放的光碟需要VLC播放器 + + + + Load CD/DVD + 載入 CD/DVD + + + + Load CD/DVD - only supported when VLC is installed and enabled + 載入 CD/DVD - 僅支援在VLC已安裝且啟用 + + + + The optical disc %s is no longer available. + 光碟 %s 不可用。 + + + + Mediaclip already saved + 媒體片段已存檔 + + + + This mediaclip has already been saved + 該媒體片段已儲存 + + + + MediaPlugin.MediaTab + + + Allow media player to be overridden + 允許媒體播放器被覆蓋 + + + + Start Live items automatically + 自動啟動Live項目 + + + + OPenLP.MainWindow + + + &Projector Manager + 投影機管理(&P) + + + + + OpenLP + + + Image Files + 圖像檔 + + + + Information + 資訊 + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + 聖經格式已變更。 +您必須升級現有的聖經。 +現在讓OpenLP升級它們? + + + + Backup + 備份 + + + + OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? + OpenLP已升級,您想要建立 OpenLP資料文件夾 的備份嗎? + + + + Backup of the data folder failed! + 資料夾備份失敗! + + + + A backup of the data folder has been created at %s + 已建立資料文件夾的備份在 %s + + + + Open + 開啟 + + + + OpenLP.AboutForm + + + Credits + 參與者 + + + + License + 授權 + + + + build %s + 版本 %s + + + + 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; version 2 of the License. + 這一程序是自由軟體,你可以遵照自由軟體基金會出版的 GNU通用公共許可證條款第二版來修改和重新發佈這一程序。 + + + + 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 below for more details. + 這個程式是在期望它是可行的情況下發布, 但是沒有任何擔保,甚至沒有暗示的適用性或針對於特定用途的保障。請參閱下列更多細節。 + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider volunteering by using the button below. + OpenLP <version><revision> - 開放源碼歌詞投影 + +OpenLP是一個免費的教會講道軟體或歌詞投影軟體,讓教會敬拜使用電腦及投影機來顯示歌詞、聖經經節、影片、圖片,甚至演講(如果已安?Impress, PowerPoint或PowerPoint Viewer)。 + +查詢更多OpenLP訊息: http://openlp.org/ + +OpenLP是由志願者編寫及維護。如果您想看到更多基督教軟體被編寫出來,請考慮點擊下面的按鈕來加入。 + + + + Volunteer + 志願者 + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + Czech (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + Finnish (fi) + %s + French (fr) + %s + Hungarian (hu) + %s + Indonesian (id) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Polish (pl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + Tamil(Sri-Lanka) (ta_LK) + %s + Chinese(China) (zh_CN) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.io + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + 專案領導 + %s + +開發 + %s + +貢獻 + %s + +測試 + %s + +封裝 + %s + +翻譯 + Afrikaans (af) + %s + Czeck (cs) + %s + Danish (da) + %s + German (de) + %s + Greek (el) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Spanish (es) + %s + Estonian (et) + %s + French (fr) + %s + Hungarian (hu) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + Swedish (sv) + %s + +文件 + %s + +編譯工具 + Python: http://www.python.org/ + Qt4: http://qt.digia.com/ + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://oxygen-icons.org/ + +最後感謝 + "神愛世人, +甚至將祂的獨生子賜給他們, +叫一切信祂的不致滅亡,反得永生。" +-- 約翰福音 3:16 + + + 同樣重要的,感謝歸於神我们的父, + 因祂差祂兒子的死在十字架上,使我們從罪中得自由。 + 我們免費提供這個軟體,因為祂讓我們得到自由。 + + + + Copyright © 2004-2015 %s +Portions copyright © 2004-2015 %s + Copyright © 2004-2015 %s⏎ 部分版權 © 2004-2015 %s + + + + OpenLP.AdvancedTab + + + UI Settings + 介面設定 + + + + Number of recent files to display: + 顯示最近開啟文件的數量: + + + + Remember active media manager tab on startup + 記住啟動時啟用媒體管理頁籤 + + + + Double-click to send items straight to live + 雙擊傳送選擇的項目至現場Live + + + + Expand new service items on creation + 新增項目到聚會時展開 + + + + Enable application exit confirmation + 當應用程式退出時確認 + + + + Mouse Cursor + 滑鼠游標 + + + + Hide mouse cursor when over display window + 移動到顯示畫面上時隱藏滑鼠遊標 + + + + Default Image + 預設圖片 + + + + Background color: + 背景顏色: + + + + Image file: + 圖片檔案: + + + + Open File + 開啟檔案 + + + + Advanced + 進階 + + + + Preview items when clicked in Media Manager + 點擊在媒體管理中的項目時預覽 + + + + Browse for an image file to display. + 瀏覽圖片檔顯示。 + + + + Revert to the default OpenLP logo. + 還原為預設的OpenLP標誌 + + + + Default Service Name + 預設聚會名稱 + + + + Enable default service name + 使用預設聚會名稱 + + + + Date and Time: + 時間及日期: + + + + Monday + 星期一 + + + + Tuesday + 星期二 + + + + Wednesday + 星期三 + + + + Friday + 星期五 + + + + Saturday + 星期六 + + + + Sunday + 星期日 + + + + Now + 現在 + + + + Time when usual service starts. + 平時聚會開始時間。 + + + + Name: + 名稱: + + + + Consult the OpenLP manual for usage. + 參閱OpenLP使用手冊。 + + + + Revert to the default service name "%s". + 恢復預設聚會名稱 "%s"。 + + + + Example: + 範例: + + + + Bypass X11 Window Manager + 繞過 X11視窗管理器 + + + + Syntax error. + 語法錯誤。 + + + + Data Location + 資料位置 + + + + Current path: + 目前路徑: + + + + Custom path: + 自訂路徑: + + + + Browse for new data file location. + 瀏覽新的資料檔案位置。 + + + + Set the data location to the default. + 將資料位置設定成預設。 + + + + Cancel + 取消 + + + + Cancel OpenLP data directory location change. + 取消 OpenLP 資料目錄位置變更。 + + + + Copy data to new location. + 複製資料到新位置。 + + + + Copy the OpenLP data files to the new location. + 複製 OpenLP 資料檔案到新位置。 + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>警告:</strong> 新資料目錄位置包含OpenLP 資料檔案. 這些檔案將會在複製時被替換。 + + + + Data Directory Error + 資料目錄錯誤 + + + + Select Data Directory Location + 選擇資料目錄位置 + + + + Confirm Data Directory Change + 確認更改資料目錄 + + + + Reset Data Directory + 重設資料目錄 + + + + Overwrite Existing Data + 複寫已存在的資料 + + + + OpenLP data directory was not found + +%s + +This data directory was previously changed from the OpenLP default location. If the new location was on removable media, that media needs to be made available. + +Click "No" to stop loading OpenLP. allowing you to fix the the problem. + +Click "Yes" to reset the data directory to the default location. + 找不到 OpenLP 資料目錄 + +%s + +這個資料目錄之前由 OpenLP 的預設位置改變而來。若新位置是在可移動媒體上,該媒體需要為可用設備 + +點選 "否" 停止載入OpenLP. 允許您修復這個問題。 + +點選 "是" 重設資料目錄到預設位置。 + + + + Are you sure you want to change the location of the OpenLP data directory to: + +%s + +The data directory will be changed when OpenLP is closed. + 您確定要變更 OpenLP 資料目錄的位置到%s ? + +此資料目錄將在 OpenLP 關閉後變更。 + + + + Thursday + 星期四 + + + + Display Workarounds + 顯示異常解決方法 + + + + Use alternating row colours in lists + 在列表使用交替式色彩 + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + 您確定要變更 OpenLP 資料目錄的位置到預設位置? + +此資料目錄將在 OpenLP 關閉後變更。 + + + + WARNING: + +The location you have selected + +%s + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + 警告: + +您選擇的位置: + +%s + +似乎包含 OpenLP 資料檔案. 您希望將這些文件替換為當前的資料檔案嗎? + + + + Restart Required + 需要重新啟動 + + + + This change will only take effect once OpenLP has been restarted. + 此變更只會在 OpenLP 重新啟動後生效。 + + + + OpenLP.ColorButton + + + Click to select a color. + 點擊以選擇顏色。 + + + + OpenLP.DB + + + RGB + RGB + + + + Video + 影像 + + + + Digital + 數位 + + + + Storage + 儲存 + + + + Network + 網路 + + + + RGB 1 + RGB 1 + + + + RGB 2 + RGB 2 + + + + RGB 3 + RGB 3 + + + + RGB 4 + RGB 4 + + + + RGB 5 + RGB 5 + + + + RGB 6 + RGB 6 + + + + RGB 7 + RGB 7 + + + + RGB 8 + RGB 8 + + + + RGB 9 + RGB 9 + + + + Video 1 + 影像 1 + + + + Video 2 + 影像 2 + + + + Video 3 + 影像 3 + + + + Video 4 + 影像 4 + + + + Video 5 + 影像 5 + + + + Video 6 + 影像 6 + + + + Video 7 + 影像 7 + + + + Video 8 + 影像 8 + + + + Video 9 + 影像 9 + + + + Digital 1 + 數位 1 + + + + Digital 2 + 數位 2 + + + + Digital 3 + 數位 3 + + + + Digital 4 + 數位 4 + + + + Digital 5 + 數位 5 + + + + Digital 6 + 數位 6 + + + + Digital 7 + 數位 7 + + + + Digital 8 + 數位 8 + + + + Digital 9 + 數位 9 + + + + Storage 1 + 儲存 1 + + + + Storage 2 + 儲存 2 + + + + Storage 3 + 儲存 3 + + + + Storage 4 + 儲存 4 + + + + Storage 5 + 儲存 5 + + + + Storage 6 + 儲存 6 + + + + Storage 7 + 儲存 7 + + + + Storage 8 + 儲存 8 + + + + Storage 9 + 儲存 9 + + + + Network 1 + 網路 1 + + + + Network 2 + 網路 2 + + + + Network 3 + 網路 3 + + + + Network 4 + 網路 4 + + + + Network 5 + 網路 5 + + + + Network 6 + 網路 6 + + + + Network 7 + 網路 7 + + + + Network 8 + 網路 8 + + + + Network 9 + 網路 9 + + + + OpenLP.ExceptionDialog + + + Error Occurred + 發生錯誤 + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + Oops! OpenLP 遇到一個問題,而且無法恢復。以下訊息框內的文字包含了一些可能對OpenLP開發者有幫助的訊息,所以請將它寄送至 bug@openlp.org ,並詳細描述發生此問題時您正在做什麼。 + + + + Send E-Mail + 寄送E-Mail + + + + Save to File + 儲存為檔案 + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + 請描述發生此錯誤時您正在做什麼。(至少20字元) + + + + Attach File + 附加檔案 + + + + Description characters to enter : %s + 輸入描述文字: %s + + + + OpenLP.ExceptionForm + + + Platform: %s + + 平台: %s + + + + + Save Crash Report + 儲存崩潰報告 + + + + Text files (*.txt *.log *.text) + 文字檔 (*.txt *.log *.text) + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + **OpenLP 錯誤報告** +版本: %s + + --- 異常細節 --- + +%s + + --- 異常追蹤 --- +%s + --- 系統訊息 --- +%s + --- 函式庫版本 --- +%s + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + *OpenLP 錯誤報告* +版本: %s + + --- 異常細節 --- + +%s + + --- 異常追蹤 --- +%s + --- 系統訊息 --- +%s + --- 函式庫版本 --- +%s +注意:請盡量使用英語來描述您的報告 + + + + OpenLP.FileRenameForm + + + File Rename + 重新命名檔案 + + + + New File Name: + 新檔案名稱: + + + + File Copy + 複製檔案 + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + 選擇翻譯 + + + + Choose the translation you'd like to use in OpenLP. + 選擇您希望使用的OpenLP翻譯版本。 + + + + Translation: + 翻譯: + + + + OpenLP.FirstTimeWizard + + + Songs + 歌曲 + + + + First Time Wizard + 首次配置精靈 + + + + Welcome to the First Time Wizard + 歡迎使用首次配置精靈 + + + + Activate required Plugins + 啟用所需的插件 + + + + Select the Plugins you wish to use. + 選擇您想使用的插件。 + + + + Bible + 聖經 + + + + Images + 圖片 + + + + Presentations + 簡報 + + + + Media (Audio and Video) + 媒體(聲音和視訊) + + + + Allow remote access + 允許遠端連線 + + + + Monitor Song Usage + 監視歌曲使用記錄 + + + + Allow Alerts + 允許警報 + + + + Default Settings + 預設的設定 + + + + Downloading %s... + 下載 %s 中... + + + + Enabling selected plugins... + 啟用所選的插件... + + + + No Internet Connection + 沒有連線到網際網路 + + + + Unable to detect an Internet connection. + 無法偵測到網際網路連線。 + + + + Sample Songs + 歌曲範本 + + + + Select and download public domain songs. + 選擇並下載公共領域的歌曲。 + + + + Sample Bibles + 聖經範本 + + + + Select and download free Bibles. + 選擇並下載免費聖經。 + + + + Sample Themes + 佈景主題範本 + + + + Select and download sample themes. + 選擇並下載佈景主題範例。 + + + + Set up default settings to be used by OpenLP. + 使用 OpenLP 預設設定。 + + + + Default output display: + 預設的輸出顯示: + + + + Select default theme: + 選擇預設佈景主題: + + + + Starting configuration process... + 開始設定程序... + + + + Setting Up And Downloading + 設定並下載中 + + + + Please wait while OpenLP is set up and your data is downloaded. + 請稍等,OpenLP在設定並下載您的資料。 + + + + Setting Up + 設定 + + + + Custom Slides + 自訂幻燈片 + + + + Finish + 完成 + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Click the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + 找不到網際網路連線。首次配置精靈需要網路連接以便下載歌曲範本、聖經及佈景主題。現在請點擊 完成 按鈕開始OpenLP初始設定(沒有範本資料) + +稍後再重新執行首次配置精靈並下載範本資料,請檢查您的網路連線並在 OpenLP 中 選擇"工具 / 重新執行首次配置精靈"。 + + + + Download Error + 下載錯誤 + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. + 下載過程中發生連線問題,所以接下來的下載將被跳過。請稍後再重新執行首次配置精靈。 + + + + Download complete. Click the %s button to return to OpenLP. + 下載完成。請點擊 %s 按扭回到OpenLP。 + + + + Download complete. Click the %s button to start OpenLP. + 下載完成。請點擊 %s 按扭啟動OpenLP。 + + + + Click the %s button to return to OpenLP. + 請點擊 %s 按扭回到OpenLP。 + + + + Click the %s button to start OpenLP. + 請點擊 %s 按扭啟動OpenLP。 + + + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + 下載過程中發生連線問題,所以接下來的下載將被跳過。請稍後再重新執行首次配置精靈。 + + + + This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. + 該精靈將幫助您配置OpenLP首次使用。點擊下面的 %s 按鈕開始。 + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. + 要取消首次配置精靈(而且不啟動OpenLP),請現在點擊 %s 按鈕。 + + + + Downloading Resource Index + 下載資源索引 + + + + Please wait while the resource index is downloaded. + 請稍候,資源索引正在下載。 + + + + Please wait while OpenLP downloads the resource index file... + 請稍候,OpenLP下載資源索引文件... + + + + Downloading and Configuring + 下載並設定 + + + + Please wait while resources are downloaded and OpenLP is configured. + 請稍候,正在下載資源和配置OpenLP。 + + + + Network Error + 網路錯誤 + + + + There was a network error attempting to connect to retrieve initial configuration information + 嘗試連接獲取初始配置資訊發生一個網路錯誤 + + + + Cancel + 取消 + + + + Unable to download some files + 無法下載一些檔案 + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + 設定格式化標籤 + + + + Description + 說明 + + + + Tag + 標籤 + + + + Start HTML + 開始HTML + + + + End HTML + 結束HTML + + + + Default Formatting + 預設格式 + + + + Custom Formatting + 字定格式 + + + + OpenLP.FormattingTagForm + + + <HTML here> + <HTML here> + + + + Validation Error + 驗證錯誤 + + + + Description is missing + 描述遺失 + + + + Tag is missing + 標籤遺失 + + + + Tag %s already defined. + 標籤 %s 已定義。 + + + + Description %s already defined. + 描述 %s 已定義。 + + + + Start tag %s is not valid HTML + 起始標籤 %s 不是有效的HTML + + + + End tag %s does not match end tag for start tag %s + 結束的標籤 %s 與起始標籤 %s 不相符 + + + + OpenLP.FormattingTags + + + Red + 紅色 + + + + Black + 黑色 + + + + Blue + 藍色 + + + + Yellow + 黃色 + + + + Green + 綠色 + + + + Pink + 粉紅色 + + + + Orange + 橙色 + + + + Purple + 紫色 + + + + White + 白色 + + + + Superscript + 上標 + + + + Subscript + 下標 + + + + Paragraph + 段落 + + + + Bold + 粗體 + + + + Italics + 斜體 + + + + Underline + 底線 + + + + Break + 中斷 + + + + OpenLP.GeneralTab + + + General + 一般 + + + + Monitors + 顯示器 + + + + Select monitor for output display: + 選擇顯示器輸出顯示: + + + + Display if a single screen + 如果只有單螢幕也顯示 + + + + Application Startup + 程式啟動時 + + + + Show blank screen warning + 顯示空白畫面警告 + + + + Automatically open the last service + 自動打開最後的聚會 + + + + Show the splash screen + 顯示啟動畫面 + + + + Application Settings + 應用程式設定 + + + + Prompt to save before starting a new service + 開始新聚會前提示儲存 + + + + Automatically preview next item in service + 自動預覽在聚會中下一個項目 + + + + sec + + + + + CCLI Details + CCLI詳細資訊 + + + + SongSelect username: + SongSelect 帳號: + + + + SongSelect password: + SongSelect 密碼: + + + + X + X座標 + + + + Y + Y座標 + + + + Height + 高度 + + + + Width + 寬度 + + + + Check for updates to OpenLP + 檢查 OpenLP 更新 + + + + Unblank display when adding new live item + 新增項目到現場Live時啟動顯示 + + + + Timed slide interval: + 投影片間隔時間: + + + + Background Audio + 背景音樂 + + + + Start background audio paused + 暫停背景音樂 + + + + Service Item Slide Limits + 聚會項目幻燈片限制 + + + + Override display position: + 覆蓋顯示位置: + + + + Repeat track list + 重複軌道清單 + + + + Behavior of next/previous on the last/first slide: + 下一個/前一個 在 最後一個/第一個幻燈片的行為: + + + + &Remain on Slide + 保持在幻燈片(&R) + + + + &Wrap around + 環繞(&W) + + + + &Move to next/previous service item + 移到 下一個/前一個 聚會項目(&M) + + + + OpenLP.LanguageManager + + + Language + 語言 + + + + Please restart OpenLP to use your new language setting. + 使用新語言設定請重新啟動OpenLP。 + + + + OpenLP.MainDisplay + + + OpenLP Display + OpenLP 顯示 + + + + OpenLP.MainWindow + + + &File + 檔案(&F) + + + + &Import + 匯入(&I) + + + + &Export + 匯出(&E) + + + + &View + 檢視(&V) + + + + M&ode + 模式(&O) + + + + &Tools + 工具(&T) + + + + &Settings + 設定(&S) + + + + &Language + 語言(&L) + + + + &Help + 幫助(&H) + + + + Service Manager + 聚會管理 + + + + Theme Manager + 佈景主題管理 + + + + &New + 新增(&N) + + + + &Open + 開啟(&O) + + + + Open an existing service. + 開啟現有的聚會。 + + + + &Save + 存檔(&S) + + + + Save the current service to disk. + 儲存目前的聚會到磁碟。 + + + + Save &As... + 另存新檔(&A)... + + + + Save Service As + 儲存聚會到 + + + + Save the current service under a new name. + 儲存目前的聚會到新的名稱。 + + + + E&xit + 離開(&E) + + + + Quit OpenLP + 離開OpenLP + + + + &Theme + 佈景主題(&T) + + + + &Configure OpenLP... + 設置 OpenLP(&C)... + + + + &Media Manager + 媒體管理(&M) + + + + Toggle Media Manager + 切換媒體管理 + + + + Toggle the visibility of the media manager. + 切換媒體管理的可見性。 + + + + &Theme Manager + 佈景主題管理(&T) + + + + Toggle Theme Manager + 切換佈景主題管理 + + + + Toggle the visibility of the theme manager. + 切換佈景主題管理的可見性。 + + + + &Service Manager + 聚會管理(&S) + + + + Toggle Service Manager + 切換聚會管理 + + + + Toggle the visibility of the service manager. + 切換聚會管理可見性。 + + + + &Preview Panel + 預覽面板(&P) + + + + Toggle Preview Panel + 切換預覽面板 + + + + Toggle the visibility of the preview panel. + 切換預覽面板的可見性。 + + + + &Live Panel + 現場Live面板(&L) + + + + Toggle Live Panel + 切換現場Live面板 + + + + Toggle the visibility of the live panel. + 切換現場Live面板的可見性。 + + + + &Plugin List + 插件列表(&P) + + + + List the Plugins + 插件清單 + + + + &User Guide + 使用手冊(&U) + + + + &About + 關於(&A) + + + + More information about OpenLP + 更多 OpenLP 資訊 + + + + &Online Help + 線上幫助(&O) + + + + &Web Site + 網站(&W) + + + + Use the system language, if available. + 如果可用,使用系統語言。 + + + + Set the interface language to %s + 設定界面語言為 %s + + + + Add &Tool... + 新增工具(&T)... + + + + Add an application to the list of tools. + 新增應用程序到工具列表。 + + + + &Default + 預設(&D) + + + + Set the view mode back to the default. + 將檢視模式恢復預設值。 + + + + &Setup + 設置(&S) + + + + Set the view mode to Setup. + 將檢視模式設定為設置。 + + + + &Live + 現場Live(&L) + + + + Set the view mode to Live. + 將檢視模式設定為現場。 + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + OpenLP 版本 %s 已可下載(您目前使用的版本為 %s) + +您可以從 http://openlp.org 下載最新版本。 + + + + OpenLP Version Updated + OpenLP 版本已更新 + + + + OpenLP Main Display Blanked + OpenLP 主顯示已清空 + + + + The Main Display has been blanked out + 主顯示已被清空 + + + + Default Theme: %s + 預設佈景主題: %s + + + + English + Please add the name of your language here + 繁體中文 + + + + Configure &Shortcuts... + 設置快捷鍵(&S)... + + + + Close OpenLP + 關閉OpenLP + + + + Are you sure you want to close OpenLP? + 您確定要結束 OpenLP? + + + + Open &Data Folder... + 開啟檔案資料夾(&D)... + + + + Open the folder where songs, bibles and other data resides. + 開啟歌曲、聖經及其他文件所在資料夾。 + + + + &Autodetect + 自動檢測(&A) + + + + Update Theme Images + 更新佈景主題圖片 + + + + Update the preview images for all themes. + 為所有佈景主題更新預覽圖片。 + + + + Print the current service. + 列印目前聚會。 + + + + &Recent Files + 最近打開的檔案(&R) + + + + L&ock Panels + 鎖定面板(&L) + + + + Prevent the panels being moved. + 防止移動面板。 + + + + Re-run First Time Wizard + 重新執行首次配置精靈 + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + 重新執行首次配置精靈,匯入歌曲、聖經及主題。 + + + + Re-run First Time Wizard? + 重新執行首次配置精靈? + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + 您確定要重新執行首次配置精靈嗎? + +重新執行可能會改變您當前的OpenLP配置並可能在以儲存的歌曲列表中添加歌曲及改變默認的佈景主題。 + + + + Clear List + Clear List of recent files + 清除列表 + + + + Clear the list of recent files. + 清空最近使用的文件列表。 + + + + Configure &Formatting Tags... + 設置格式標籤(&F)... + + + + Export OpenLP settings to a specified *.config file + 將 OpenLP 設定匯出到指定的 *.config檔案 + + + + Settings + 設定 + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + 從之前由本機或其他機器所匯出的 config 文件匯入OpenLP設定 + + + + Import settings? + 匯入設定? + + + + Open File + 開啟檔案 + + + + OpenLP Export Settings Files (*.conf) + OpenLP匯出設定檔 (*.conf) + + + + Import settings + 匯入設定 + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + OpenLP 即將關閉。匯入的設定將會在下一次啟動 OpenLP 時套用。 + + + + Export Settings File + 匯出設定檔 + + + + OpenLP Export Settings File (*.conf) + OpenLP 匯出設定檔 (*.conf) + + + + New Data Directory Error + 新的資料目錄錯誤 + + + + Copying OpenLP data to new data directory location - %s - Please wait for copy to finish + 正在複製 OpenLP 資料到新的資料目錄位置 - %s - ,請等待複製完成 + + + + OpenLP Data directory copy failed + +%s + OpenLP 資料目錄複製失敗 + +%s + + + + General + 一般 + + + + Library + 工具庫 + + + + Jump to the search box of the current active plugin. + 跳至當前使用中插件的搜尋欄。 + + + + Are you sure you want to import settings? + + Importing settings will make permanent changes to your current OpenLP configuration. + + Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + 您確定要匯入設定嗎? + +匯入設定將會永久性的改變目前 OpenLP 配置。 + +匯入不正確的設定可能導致飛預期的行為或 OpenLP 不正常終止。 + + + + The file you have selected does not appear to be a valid OpenLP settings file. + +Processing has terminated and no changes have been made. + 您選擇的檔案似乎不是有效的 OpenLP 設定檔。 + +程序已終止並且未作任何變更。 + + + + Projector Manager + 投影機管理 + + + + Toggle Projector Manager + 切換投影機管理 + + + + Toggle the visibility of the Projector Manager + 切換投影機管理可見性 + + + + Export setting error + 匯出設定錯誤 + + + + The key "%s" does not have a default value so it will be skipped in this export. + 鍵值:%s 不具有預設值,因此匯出時跳過。 + + + + An error occurred while exporting the settings: %s + 匯出設定時發生錯誤:%s + + + + OpenLP.Manager + + + Database Error + 資料庫錯誤 + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + 正在載入的資料庫是由更新的 OpenLP 版本建立的。資料庫版本為 %d,OpenLP預計版本為 %d。該資料庫將不會載入。 + +資料庫: %s + + + + OpenLP cannot load your database. + +Database: %s + OpenLP無法載入您的資料庫。 + +資料庫: %s + + + + OpenLP.MediaManagerItem + + + No Items Selected + 未選擇項目 + + + + &Add to selected Service Item + 新增選擇的項目到聚會(&A) + + + + You must select one or more items to preview. + 您必須選擇一或多個項目預覽。 + + + + You must select one or more items to send live. + 您必須選擇一或多個項目送到現場Live。 + + + + You must select one or more items. + 您必須選擇一或多個項目。 + + + + You must select an existing service item to add to. + 您必須選擇一個現有的聚會新增。 + + + + Invalid Service Item + 無效的聚會項目 + + + + You must select a %s service item. + 您必須選擇一個 %s 聚會項目。 + + + + You must select one or more items to add. + 您必須選擇一或多個項目新增。 + + + + No Search Results + 沒有搜尋結果 + + + + Invalid File Type + 無效的檔案類型 + + + + Invalid File %s. +Suffix not supported + 無效的檔案 %s。 +副檔名不支援 + + + + &Clone + 複製(&C) + + + + Duplicate files were found on import and were ignored. + 匯入時發現重複檔案並忽略。 + + + + OpenLP.OpenLyricsImportError + + + <lyrics> tag is missing. + <lyrics> 標籤遺失。 + + + + <verse> tag is missing. + <verse> 標籤遺失。 + + + + OpenLP.PJLink1 + + + Unknown status + 未知狀態 + + + + No message + 沒有訊息 + + + + Error while sending data to projector + 傳送資料到投影機時發生錯誤 + + + + Undefined command: + 未定義指令: + + + + OpenLP.PlayerTab + + + Players + 播放器 + + + + Available Media Players + 可用媒體播放器 + + + + Player Search Order + 播放器搜尋順序 + + + + Visible background for videos with aspect ratio different to screen. + 影片可見的背景與螢幕的長寬比不同。 + + + + %s (unavailable) + %s (不可用) + + + + OpenLP.PluginForm + + + Plugin List + 插件列表 + + + + Plugin Details + 插件詳細資訊 + + + + Status: + 狀態: + + + + Active + 已啟用 + + + + Inactive + 未啟用 + + + + %s (Inactive) + %s (未啟用) + + + + %s (Active) + %s (已啟用) + + + + %s (Disabled) + %s (禁用) + + + + OpenLP.PrintServiceDialog + + + Fit Page + 適合頁面 + + + + Fit Width + 適合寬度 + + + + OpenLP.PrintServiceForm + + + Options + 選項 + + + + Copy + 複製 + + + + Copy as HTML + 複製為 HTML + + + + Zoom In + 放大 + + + + Zoom Out + 縮小 + + + + Zoom Original + 原始大小 + + + + Other Options + 其他選項 + + + + Include slide text if available + 包含幻燈片文字(如果可用) + + + + Include service item notes + 包含聚會項目的筆記 + + + + Include play length of media items + 包含媒體播放長度 + + + + Add page break before each text item + 每個文字項目前插入分頁符號 + + + + Service Sheet + 聚會手冊 + + + + Print + 列印 + + + + Title: + 標題: + + + + Custom Footer Text: + 自訂頁腳文字: + + + + OpenLP.ProjectorConstants + + + OK + OK + + + + General projector error + 一般投影機錯誤 + + + + Not connected error + 沒有連線錯誤 + + + + Lamp error + 燈泡異常 + + + + Fan error + 風扇異常 + + + + High temperature detected + 高溫檢測 + + + + Cover open detected + 開蓋檢測 + + + + Check filter + 檢查濾波器 + + + + Authentication Error + 驗證錯誤 + + + + Undefined Command + 未定義指令: + + + + Invalid Parameter + 無效參數 + + + + Projector Busy + 投影機忙碌 + + + + Projector/Display Error + 投影機 / 顯示器錯誤 + + + + Invalid packet received + 接收封包無效 + + + + Warning condition detected + 預警狀態檢測 + + + + Error condition detected + 錯誤狀態檢測 + + + + PJLink class not supported + PJLink類別不支援 + + + + Invalid prefix character + 無效的前綴字元 + + + + The connection was refused by the peer (or timed out) + 連線拒絕(或逾時) + + + + The remote host closed the connection + 遠端主機關閉連線 + + + + The host address was not found + 找不到主機位址 + + + + The socket operation failed because the application lacked the required privileges + 連接操作失敗,因缺乏必要的權限 + + + + The local system ran out of resources (e.g., too many sockets) + 本地端沒有資源了(例如:連接太多) + + + + The socket operation timed out + 連接操作逾時 + + + + The datagram was larger than the operating system's limit + 數據包比作業系統限制大 + + + + An error occurred with the network (Possibly someone pulled the plug?) + 網路發生錯誤(可能有人拔掉插頭?) + + + + The address specified with socket.bind() is already in use and was set to be exclusive + socket.bind() 指定的位址已在使用中,被設置為獨占模式 + + + + The address specified to socket.bind() does not belong to the host + 指定的socket.bind() 位址不屬於主機 + + + + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + 不支援本地作業系統要求的連接(EX:缺少支援IPv6) + + + + The socket is using a proxy, and the proxy requires authentication + 連接使用代理伺服器Proxy,且代理伺服器需要認證 + + + + The SSL/TLS handshake failed + SSL / TLS 信號交換錯誤 + + + + The last operation attempted has not finished yet (still in progress in the background) + 最後一個嘗試的操作尚未完成。(仍在背景程序) + + + + Could not contact the proxy server because the connection to that server was denied + 無法連接代理伺服器,因為連接該伺服器被拒絕 + + + + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) + 到代理伺服器的連接意外地被關閉(連接到最後對等建立之前) + + + + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + 到代理伺服器的連接逾時或代理伺服器停在回應認證階段。 + + + + The proxy address set with setProxy() was not found + 設置setProxy()找不到代理伺服器位址 + + + + An unidentified error occurred + 發生不明錯誤 + + + + Not connected + 沒有連線 + + + + Connecting + 連線中 + + + + Connected + 已連線 + + + + Getting status + 取得狀態 + + + + Off + + + + + Initialize in progress + 進行初始化中 + + + + Power in standby + 電源在待機 + + + + Warmup in progress + 正在進行熱機 + + + + Power is on + 電源在開啟 + + + + Cooldown in progress + 正在進行冷卻 + + + + Projector Information available + 投影機提供的訊息 + + + + Sending data + 發送數據 + + + + Received data + 接收到的數據 + + + + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood + 與代理伺服器的連接協商失敗,因為從代理伺服器的回應無法了解 + + + + OpenLP.ProjectorEdit + + + Name Not Set + 未設定名稱 + + + + You must enter a name for this entry.<br />Please enter a new name for this entry. + 你必須為此項目輸入一個名稱。<br />請為這個項目輸入新的名稱。 + + + + Duplicate Name + 重複的名稱 + + + + OpenLP.ProjectorEditForm + + + Add New Projector + 新增投影機 + + + + Edit Projector + 編輯投影機 + + + + IP Address + IP 位址 + + + + Port Number + 連接埠 + + + + PIN + PIN + + + + Name + 名稱 + + + + Location + 位置 + + + + Notes + 筆記 + + + + Database Error + 資料庫錯誤 + + + + There was an error saving projector information. See the log for the error + 儲存投影機資訊發生錯誤。請查看錯誤記錄 + + + + OpenLP.ProjectorManager + + + Add Projector + 新增投影機 + + + + Add a new projector + 新增投影機 + + + + Edit Projector + 編輯投影機 + + + + Edit selected projector + 編輯投影機 + + + + Delete Projector + 刪除投影機 + + + + Delete selected projector + 刪除投影機 + + + + Select Input Source + 選擇輸入來源 + + + + Choose input source on selected projector + 選擇輸入來源 + + + + View Projector + 查看投影機 + + + + View selected projector information + 查看投影機資訊 + + + + Connect to selected projector + 連接選擇的投影機 + + + + Connect to selected projectors + 連接選擇的投影機 + + + + Disconnect from selected projectors + 離線選擇的投影機 + + + + Disconnect from selected projector + 離線選擇的投影機 + + + + Power on selected projector + 打開投影機電源 + + + + Standby selected projector + 選擇的投影機待機 + + + + Put selected projector in standby + 選擇的投影機進入待機 + + + + Blank selected projector screen + 選擇的投影機畫面空白 + + + + Show selected projector screen + 選擇的投影機畫面顯示 + + + + &View Projector Information + 檢視投影機資訊(&V) + + + + &Edit Projector + 編輯投影機(&E) + + + + &Connect Projector + 投影機連線(&C) + + + + D&isconnect Projector + 投影機斷線(&I) + + + + Power &On Projector + 投影機電源打開(&O) + + + + Power O&ff Projector + 投影機電源關閉(&F) + + + + Select &Input + 選擇輸入(&I) + + + + Edit Input Source + 修改輸入來源 + + + + &Blank Projector Screen + 投影機畫面空白(&B) + + + + &Show Projector Screen + 投影機畫面顯示(&S) + + + + &Delete Projector + 刪除投影機(&D) + + + + Name + 名稱 + + + + IP + IP + + + + Port + 連接埠 + + + + Notes + 筆記 + + + + Projector information not available at this time. + 此時沒有可使用的投影機資訊。 + + + + Projector Name + 投影機名稱 + + + + Manufacturer + 製造廠商 + + + + Model + 型號 + + + + Other info + 其他資訊 + + + + Power status + 電源狀態 + + + + Shutter is + 閘板是 + + + + Closed + 關閉 + + + + Current source input is + 當前輸入來源是 + + + + Lamp + 燈泡 + + + + On + + + + + Off + + + + + Hours + + + + + No current errors or warnings + 當前沒有錯誤或警告 + + + + Current errors/warnings + 當前錯誤 / 警告 + + + + Projector Information + 投影機資訊 + + + + No message + 沒有訊息 + + + + Not Implemented Yet + 尚未實行 + + + + OpenLP.ProjectorPJLink + + + Fan + 風扇 + + + + Lamp + 燈泡 + + + + Temperature + 溫度 + + + + Cover + 蓋子 + + + + Filter + 濾波器 + + + + Other + 其他 + + + + OpenLP.ProjectorTab + + + Projector + 投影機 + + + + Communication Options + 連接選項 + + + + Connect to projectors on startup + 啟動時連接到投影機 + + + + Socket timeout (seconds) + 連接逾時 (秒) + + + + Poll time (seconds) + 獲取時間 (秒) + + + + Tabbed dialog box + 標籤式對話框 + + + + Single dialog box + 單一對話框 + + + + OpenLP.ProjectorWizard + + + Duplicate IP Address + 重複的IP位址 + + + + Invalid IP Address + 無效的IP位址 + + + + Invalid Port Number + 無效的連接埠 + + + + OpenLP.ScreenList + + + Screen + 螢幕 + + + + primary + 主要的 + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + <strong>開始</strong>: %s + + + + <strong>Length</strong>: %s + <strong>長度</strong>: %s + + + + [slide %d] + [幻燈片 %d] + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + 重新排列聚會物件 + + + + OpenLP.ServiceManager + + + Move to &top + 置頂(&T) + + + + Move item to the top of the service. + 移到最上方。 + + + + Move &up + 上移(&U) + + + + Move item up one position in the service. + 向上移動一個位置。 + + + + Move &down + 下移(&D) + + + + Move item down one position in the service. + 向下移動一個位置。 + + + + Move to &bottom + 置底(&B) + + + + Move item to the end of the service. + 移到最下方。 + + + + &Delete From Service + 從聚會中刪除(&D) + + + + Delete the selected item from the service. + 從聚會刪除所選擇的項目。 + + + + &Add New Item + 添加新項目(&A) + + + + &Add to Selected Item + 新增到選擇的項目(&A) + + + + &Edit Item + 編輯(&E) + + + + &Reorder Item + 重新排列項目(&R) + + + + &Notes + 筆記(&N) + + + + &Change Item Theme + 變更佈景主題(&C) + + + + File is not a valid service. + 檔案不是一個有效的聚會。 + + + + Missing Display Handler + 遺失顯示處理器 + + + + Your item cannot be displayed as there is no handler to display it + 您的項目無法顯示,因為沒有處理器來顯示它 + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + 您的項目無法顯示,所需的插件遺失或無效 + + + + &Expand all + 全部展開(&E) + + + + Expand all the service items. + 展開所有聚會項目。 + + + + &Collapse all + 全部收合(&C) + + + + Collapse all the service items. + 收合所有聚會項目。 + + + + Open File + 開啟檔案 + + + + Moves the selection down the window. + 下移到窗口。 + + + + Move up + 上移 + + + + Moves the selection up the window. + 下移到窗口。 + + + + Go Live + 現場Live + + + + Send the selected item to Live. + 傳送選擇的項目至現場Live。 + + + + &Start Time + 開始時間(&S) + + + + Show &Preview + 預覽(&P) + + + + Modified Service + 聚會已修改 + + + + The current service has been modified. Would you like to save this service? + 目前的聚會已修改。您想要儲存此聚會嗎? + + + + Custom Service Notes: + 目前聚會筆記: + + + + Notes: + 筆記: + + + + Playing time: + 播放時間: + + + + Untitled Service + 無標題聚會 + + + + File could not be opened because it is corrupt. + 檔案已損壞無法開啟。 + + + + Empty File + 空的檔案 + + + + This service file does not contain any data. + 此聚會檔案未包含任何資料。 + + + + Corrupt File + 壞的檔案 + + + + Load an existing service. + 載入現有聚會。 + + + + Save this service. + 儲存聚會。 + + + + Select a theme for the service. + 選擇佈景主題。 + + + + Slide theme + 幻燈片佈景主題 + + + + Notes + 筆記 + + + + Edit + 編輯 + + + + Service copy only + 複製聚會 + + + + Error Saving File + 儲存檔案錯誤 + + + + There was an error saving your file. + 儲存檔案時發生錯誤。 + + + + Service File(s) Missing + 聚會檔案遺失 + + + + &Rename... + 重新命名(&R)... + + + + Create New &Custom Slide + 建立新自訂幻燈片(&C) + + + + &Auto play slides + 幻燈片自動撥放(&A) + + + + Auto play slides &Loop + 自動循環播放幻燈片(&L) + + + + Auto play slides &Once + 自動一次撥放幻燈片(&O) + + + + &Delay between slides + 幻燈片間延遲(&D) + + + + OpenLP Service Files (*.osz *.oszl) + OpenLP 聚會檔 (*.osz *.oszl) + + + + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) + OpenLP 聚會檔 (*.osz);; OpenLP 聚會檔-精簡版 (*.oszl) + + + + OpenLP Service Files (*.osz);; + OpenLP 聚會檔 (*.osz);; + + + + File is not a valid service. + The content encoding is not UTF-8. + 無效的聚會檔。編碼非 UTF-8 格式。 + + + + The service file you are trying to open is in an old format. + Please save it using OpenLP 2.0.2 or greater. + 您正試著打開舊版格式的聚會檔。 +請使用 OpenLP 2.0.2 或更高的版本儲存此聚會。 + + + + This file is either corrupt or it is not an OpenLP 2 service file. + 此文件已損壞或它不是一個 OpenLP 2 聚會檔。 + + + + &Auto Start - inactive + 自動開始(&A) - 未啟用 + + + + &Auto Start - active + 自動開始(&A) - 已啟用 + + + + Input delay + 輸入延遲 + + + + Delay between slides in seconds. + 幻燈片間延遲秒數。 + + + + Rename item title + 重新命名標題 + + + + Title: + 標題: + + + + An error occurred while writing the service file: %s + 寫入聚會檔時發生錯誤:%s + + + + The following file(s) in the service are missing: %s + +These files will be removed if you continue to save. + 以下聚會中的文件已遺失: +%s + +如果您想繼續儲存則這些文件將被移除。 + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + 聚會項目筆記 + + + + OpenLP.SettingsForm + + + Configure OpenLP + OpenLP 設定 + + + + OpenLP.ShortcutListDialog + + + Action + 啟用 + + + + Shortcut + 快捷建 + + + + Duplicate Shortcut + 複製捷徑 + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + 快捷鍵 "%s" 已分配給其他動作,請使用其他的快捷鍵。 + + + + Alternate + 替代 + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + 選擇一個動作並點擊一個按鈕來開始記錄新的主要或替代的快捷鍵。 + + + + Default + 預設 + + + + Custom + 自訂 + + + + Capture shortcut. + 記錄快捷鍵。 + + + + Restore the default shortcut of this action. + 將此動作恢復預設快捷鍵。 + + + + Restore Default Shortcuts + 回復預設捷徑 + + + + Do you want to restore all shortcuts to their defaults? + 你確定要回復全部捷徑為預設值? + + + + Configure Shortcuts + 設定快捷鍵 + + + + OpenLP.SlideController + + + Hide + 隱藏 + + + + Go To + + + + + Blank Screen + 黑屏 + + + + Blank to Theme + 空白佈景主題 + + + + Show Desktop + 顯示桌面 + + + + Previous Service + 上一個聚會 + + + + Next Service + 下一個聚會 + + + + Escape Item + 避開項目 + + + + Move to previous. + 移至前一項。 + + + + Move to next. + 移至下一項。 + + + + Play Slides + 播放幻燈片 + + + + Delay between slides in seconds. + 幻燈片之間延遲。 + + + + Move to live. + 移動至現場Live。 + + + + Add to Service. + 新增至聚會。 + + + + Edit and reload song preview. + 編輯並重新載入歌曲預覽。 + + + + Start playing media. + 開始播放媒體。 + + + + Pause audio. + 聲音暫停。 + + + + Pause playing media. + 暫停播放媒體。 + + + + Stop playing media. + 停止播放媒體。 + + + + Video position. + 影片位置。 + + + + Audio Volume. + 聲音音量。 + + + + Go to "Verse" + 切換到"主歌" + + + + Go to "Chorus" + 切換到"副歌" + + + + Go to "Bridge" + 切換到"橋段" + + + + Go to "Pre-Chorus" + 切換到"導歌" + + + + Go to "Intro" + 切換到"前奏" + + + + Go to "Ending" + 切換到"結尾" + + + + Go to "Other" + 切換到"其他" + + + + Previous Slide + 上一張幻燈片 + + + + Next Slide + 下一張幻燈片 + + + + Pause Audio + 聲音暫停 + + + + Background Audio + 背景音樂 + + + + Go to next audio track. + 切換到下一個音軌。 + + + + Tracks + 音軌 + + + + OpenLP.SourceSelectForm + + + Select Projector Source + 選擇投影機來源 + + + + Edit Projector Source Text + 編輯投影機來源文字 + + + + Ignoring current changes and return to OpenLP + 忽略當前的變更並回到 OpenLP + + + + Delete all user-defined text and revert to PJLink default text + 刪除所有使用者自定文字並恢復 PJLink 預設文字 + + + + Discard changes and reset to previous user-defined text + 放棄變更並恢復到之前使用者定義的文字 + + + + Save changes and return to OpenLP + 儲存變更並回到OpenLP + + + + Delete entries for this projector + 從列表中刪除這台投影機 + + + + Are you sure you want to delete ALL user-defined source input text for this projector? + 您確定要刪除這個投影機所有使用者自定義的輸入來源文字? + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + 拼寫建議 + + + + Formatting Tags + 格式標籤 + + + + Language: + 語言: + + + + OpenLP.StartTimeForm + + + Theme Layout + 佈景主題版面 + + + + The blue box shows the main area. + 藍色框是顯示的主要區域。 + + + + The red box shows the footer. + 紅色框顯示頁腳。 + + + + OpenLP.StartTime_form + + + Item Start and Finish Time + 項目啟動和結束時間 + + + + Hours: + 時: + + + + Minutes: + 分: + + + + Seconds: + 第二本: + + + + Start + 開始 + + + + Finish + 結束 + + + + Length + 長度 + + + + Time Validation Error + 時間驗證錯誤 + + + + Finish time is set after the end of the media item + 完成時間是媒體項目結束後 + + + + Start time is after the finish time of the media item + 開始時間是在媒體項目結束時間之後 + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + (每張幻燈片大約 %d 行) + + + + OpenLP.ThemeManager + + + Create a new theme. + 新建佈景主題。 + + + + Edit Theme + 編輯 + + + + Edit a theme. + 編輯佈景主題。 + + + + Delete Theme + 刪除 + + + + Delete a theme. + 刪除佈景主題。 + + + + Import Theme + 匯入佈景主題 + + + + Import a theme. + 匯入佈景主題。 + + + + Export Theme + 匯出佈景主題 + + + + Export a theme. + 匯出佈景主題。 + + + + &Edit Theme + 編輯佈景主題(&E) + + + + &Delete Theme + 刪除佈景主題(&D) + + + + Set As &Global Default + 設定為全域預設(&G) + + + + %s (default) + %s (預設) + + + + You must select a theme to edit. + 您必須選擇一個要編輯的佈景主題。 + + + + You are unable to delete the default theme. + 您無法刪除預設的佈景主題。 + + + + Theme %s is used in the %s plugin. + 佈景主題 %s 已使用在 %s 插件裡。 + + + + You have not selected a theme. + 您沒有選擇佈景主題。 + + + + Save Theme - (%s) + 儲存佈景主題 - (%s) + + + + Theme Exported + 佈景主題已匯出 + + + + Your theme has been successfully exported. + 您的佈景主題已成功匯出。 + + + + Theme Export Failed + 佈景主題匯出失敗 + + + + Select Theme Import File + 選擇匯入的佈景主題檔案 + + + + File is not a valid theme. + 檔案不是一個有效的佈景主題。 + + + + &Copy Theme + 複製佈景主題(&C) + + + + &Rename Theme + 重命名佈景主題(&R) + + + + &Export Theme + 匯出佈景主題(&E) + + + + You must select a theme to rename. + 您必須選擇一個要重命名的佈景主題。 + + + + Rename Confirmation + 確認重新命名 + + + + Rename %s theme? + 重命名 %s 佈景主題? + + + + You must select a theme to delete. + 您必須選擇一個要刪除的佈景主題。 + + + + Delete Confirmation + 確認刪除 + + + + Delete %s theme? + 刪除 %s 佈景主題? + + + + Validation Error + 驗證錯誤 + + + + A theme with this name already exists. + 已存在以這個檔案命名的佈景主題。 + + + + Copy of %s + Copy of <theme name> + 複製 %s + + + + Theme Already Exists + 佈景主題已存在 + + + + Theme %s already exists. Do you want to replace it? + 佈景主題 %s 已存在。您是否要替換? + + + + The theme export failed because this error occurred: %s + 佈景主題匯出失敗,發生此錯誤:%s + + + + OpenLP Themes (*.otz) + OpenLP 佈景主題 (*.otz) + + + + OpenLP.ThemeWizard + + + Theme Wizard + 佈景主題精靈 + + + + Welcome to the Theme Wizard + 歡迎來到佈景主題精靈 + + + + Set Up Background + 設定背景 + + + + Set up your theme's background according to the parameters below. + 根據下面的參數設定您的佈景主題背景。 + + + + Background type: + 背景種類: + + + + Gradient + 漸層 + + + + Gradient: + 漸層: + + + + Horizontal + 水平 + + + + Vertical + 垂直 + + + + Circular + 圓形 + + + + Top Left - Bottom Right + 左上 - 右下 + + + + Bottom Left - Top Right + 左下 - 右上 + + + + Main Area Font Details + 主要範圍字型細節 + + + + Define the font and display characteristics for the Display text + 定義了顯示文字的字體和顯示屬性 + + + + Font: + 字型: + + + + Size: + 大小: + + + + Line Spacing: + 行距: + + + + &Outline: + 概述(&O) + + + + &Shadow: + 陰影(&S) + + + + Bold + 粗體 + + + + Italic + 斜體 + + + + Footer Area Font Details + 頁尾區域字型細節 + + + + Define the font and display characteristics for the Footer text + 定義頁尾文字的字體和顯示屬性 + + + + Text Formatting Details + 文字格式細節 + + + + Allows additional display formatting information to be defined + 允許定義附加的顯示格式訊息 + + + + Horizontal Align: + 水平對齊: + + + + Left + + + + + Right + + + + + Center + 置中 + + + + Output Area Locations + 輸出範圍位置 + + + + &Main Area + 主要範圍(&M) + + + + &Use default location + 使用預設位置(&U) + + + + X position: + X位置: + + + + px + px + + + + Y position: + Y位置: + + + + Width: + 寬度: + + + + Height: + 高度: + + + + Use default location + 使用預設位置 + + + + Theme name: + 佈景主題名稱: + + + + Edit Theme - %s + 編輯佈景主題 - %s + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + 此精靈將幫助您創建和編輯您的佈景主題。點擊下一步按鈕進入程序設置你的背景。 + + + + Transitions: + 轉換: + + + + &Footer Area + 頁尾範圍(&F) + + + + Starting color: + 啟始顏色: + + + + Ending color: + 結束顏色: + + + + Background color: + 背景顏色: + + + + Justify + 對齊 + + + + Layout Preview + 面板預覽 + + + + Transparent + 透明 + + + + Preview and Save + 預覽並儲存 + + + + Preview the theme and save it. + 預覽佈景主題並儲存它。 + + + + Background Image Empty + 背景圖片空白 + + + + Select Image + 選擇圖像 + + + + Theme Name Missing + 遺失佈景主題名稱 + + + + There is no name for this theme. Please enter one. + 這個佈景主題沒有名稱。請輸入一個名稱。 + + + + Theme Name Invalid + 無效的佈景名稱 + + + + Invalid theme name. Please enter one. + 無效的佈景名稱。請輸入一個名稱。 + + + + Solid color + 純色 + + + + color: + 顏色: + + + + Allows you to change and move the Main and Footer areas. + 允許您更改和移動主要和頁尾範圍。 + + + + You have not selected a background image. Please select one before continuing. + 您尚未選擇背景圖片。請繼續前先選擇一個圖片。 + + + + OpenLP.ThemesTab + + + Global Theme + 全域佈景主題 + + + + Theme Level + 佈景等級 + + + + S&ong Level + 歌曲等級(&O) + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + 每首歌使用資料庫裡關聯的佈景。 如果沒有關聯的佈景,則使用聚會的佈景,如果聚會沒有佈景,則使用全域佈景。 + + + + &Service Level + 聚會等級(&S) + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + 使用聚會的佈景覆蓋所有歌曲的佈景,如果聚會沒有佈景則使用全域佈景。 + + + + &Global Level + 全域等級(&G) + + + + Use the global theme, overriding any themes associated with either the service or the songs. + 使用全域佈景主題,覆蓋所有聚會或歌曲關聯的佈景主題。 + + + + Themes + 佈景主題 + + + + Universal Settings + 通用設定 + + + + &Wrap footer text + 頁尾文字換行(&W) + + + + OpenLP.Ui + + + Delete the selected item. + 刪除選擇的項目。 + + + + Move selection up one position. + 向上移動一個位置。 + + + + Move selection down one position. + 向下移動一個位置。 + + + + &Vertical Align: + 垂直對齊(&V): + + + + Finished import. + 匯入完成。 + + + + Format: + 格式: + + + + Importing + 匯入中 + + + + Importing "%s"... + 匯入 %s 中... + + + + Select Import Source + 選擇匯入來源 + + + + Select the import format and the location to import from. + 選擇匯入格式與匯入的位置。 + + + + Open %s File + 開啟 %s 檔 + + + + %p% + %p% + + + + Ready. + 準備完成。 + + + + Starting import... + 開始匯入... + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + 您需要指定至少一個要匯入的 %s 檔。 + + + + Welcome to the Bible Import Wizard + 歡迎使用聖經匯入精靈 + + + + Welcome to the Song Export Wizard + 歡迎使用歌曲匯出精靈 + + + + Welcome to the Song Import Wizard + 歡迎使用歌曲匯入精靈 + + + + Author + Singular + 作者 + + + + Authors + Plural + 作者 + + + + © + Copyright symbol. + © + + + + Song Book + Singular + 歌本 + + + + Song Books + Plural + 歌本 + + + + Song Maintenance + 歌曲維護 + + + + Topic + Singular + 主題 + + + + Topics + Plural + 主題 + + + + Title and/or verses not found + 找不到標題 和/或 段落 + + + + XML syntax error + XML 語法錯誤 + + + + Welcome to the Bible Upgrade Wizard + 歡迎使用聖經升級精靈 + + + + Open %s Folder + 開啟資料夾 %s + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + 您需要指定至少一個要匯入的%s 檔案。 + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + 您需要指定至少一個要匯入的%s 資料夾。 + + + + Importing Songs + 匯入歌曲中 + + + + Welcome to the Duplicate Song Removal Wizard + 歡迎來到重複歌曲清除精靈 + + + + Written by + 撰寫 + + + + Author Unknown + 未知作者 + + + + About + 關於 + + + + &Add + 新增(&A) + + + + Add group + 新增群組 + + + + Advanced + 進階 + + + + All Files + 所有檔案 + + + + Automatic + 自動 + + + + Background Color + 背景顏色 + + + + Bottom + 底部 + + + + Browse... + 瀏覽... + + + + Cancel + 取消 + + + + CCLI number: + CCLI編號: + + + + Create a new service. + 新增一個聚會。 + + + + Confirm Delete + 確認刪除 + + + + Continuous + 連續 + + + + Default + 預設 + + + + Default Color: + 預設顏色: + + + + Service %Y-%m-%d %H-%M + This may not contain any of the following characters: /\?*|<>[]":+ +See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. + 聚會 %Y-%m-%d %H-%M + + + + &Delete + 刪除(&D) + + + + Display style: + 顯示方式: + + + + Duplicate Error + 重複的錯誤 + + + + &Edit + 編輯(&E) + + + + Empty Field + 空白區域 + + + + Error + 錯誤 + + + + Export + 匯出 + + + + File + 檔案 + + + + File Not Found + 找不到檔案 + + + + File %s not found. +Please try selecting it individually. + 找不到 %s 檔案。 +請嘗試單獨選擇。 + + + + pt + Abbreviated font pointsize unit + pt + + + + Help + 幫助 + + + + h + The abbreviated unit for hours + + + + + Invalid Folder Selected + Singular + 選擇了無效的資料夾 + + + + Invalid File Selected + Singular + 選擇了無效的檔案 + + + + Invalid Files Selected + Plural + 選擇了無效的檔案 + + + + Image + 圖片 + + + + Import + 匯入 + + + + Layout style: + 布局樣式: + + + + Live + 現場Live + + + + Live Background Error + 現場Live背景錯誤 + + + + Live Toolbar + 現場Live工具列 + + + + Load + 載入 + + + + Manufacturer + Singular + 製造商 + + + + Manufacturers + Plural + 製造商 + + + + Model + Singular + 型號 + + + + Models + Plural + 型號 + + + + m + The abbreviated unit for minutes + + + + + Middle + 中間 + + + + New + + + + + New Service + 新聚會 + + + + New Theme + 新佈景主題 + + + + Next Track + 下一個音軌 + + + + No Folder Selected + Singular + 未選擇資料夾 + + + + No File Selected + Singular + 檔案未選擇 + + + + No Files Selected + Plural + 檔案未選擇 + + + + No Item Selected + Singular + 項目未選擇 + + + + No Items Selected + Plural + 項目未選擇 + + + + OpenLP 2 + OpenLP 2 + + + + OpenLP is already running. Do you wish to continue? + OpenLP已在執行,您要繼續嗎? + + + + Open service. + 開啟聚會。 + + + + Play Slides in Loop + 循環播放幻燈片 + + + + Play Slides to End + 播放幻燈片至結尾 + + + + Preview + 預覽 + + + + Print Service + 列印聚會管理 + + + + Projector + Singular + 投影機 + + + + Projectors + Plural + 投影機 + + + + Replace Background + 替換背景 + + + + Replace live background. + 替換現場Live背景。 + + + + Reset Background + 重設背景 + + + + Reset live background. + 重設現場Live背景。 + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + 儲存 && 預覽 + + + + Search + 搜尋 + + + + Search Themes... + Search bar place holder text + 搜尋佈景主題... + + + + You must select an item to delete. + 您必須選擇要刪除的項目。 + + + + You must select an item to edit. + 您必須選擇要修改的項目。 + + + + Settings + 設定 + + + + Save Service + 儲存聚會 + + + + Service + 聚會 + + + + Optional &Split + 選擇分隔(&S) + + + + Split a slide into two only if it does not fit on the screen as one slide. + 如果一張幻燈片無法放置在一個螢幕上,則將它分為兩頁。 + + + + Start %s + 開始 %s + + + + Stop Play Slides in Loop + 停止循環播放幻燈片 + + + + Stop Play Slides to End + 停止順序播放幻燈片到結尾 + + + + Theme + Singular + 佈景主題 + + + + Themes + Plural + 佈景主題 + + + + Tools + 工具 + + + + Top + 上方 + + + + Unsupported File + 檔案不支援 + + + + Verse Per Slide + 每張投影片 + + + + Verse Per Line + 每一行 + + + + Version + 版本 + + + + View + 檢視 + + + + View Mode + 檢視模式 + + + + CCLI song number: + CCLI歌曲編號: + + + + OpenLP 2.2 + OpenLP 2.2 + + + + Preview Toolbar + 預覽工具列 + + + + Replace live background is not available on this platform in this version of OpenLP. + + + + + OpenLP.core.lib + + + %s and %s + Locale list separator: 2 items + %s 和 %s + + + + %s, and %s + Locale list separator: end + %s, 和 %s + + + + %s, %s + Locale list separator: middle + %s, %s + + + + %s, %s + Locale list separator: start + %s, %s + + + + Openlp.ProjectorTab + + + Source select dialog interface + 選擇來源對話框界面 + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + <strong>簡報插件</strong><br />簡報插件提供使用許多不同的程式來展示。用戶可在下拉式選單中選擇可使用的呈現程式。 + + + + Presentation + name singular + 簡報 + + + + Presentations + name plural + 簡報 + + + + Presentations + container title + 簡報 + + + + Load a new presentation. + 載入新的簡報。 + + + + Delete the selected presentation. + 刪除所選的簡報。 + + + + Preview the selected presentation. + 預覽所選擇的簡報。 + + + + Send the selected presentation live. + 傳送選擇的簡報至現場Live. + + + + Add the selected presentation to the service. + 新增所選擇的簡報至聚會管理。 + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + 選擇簡報 + + + + Automatic + 自動 + + + + Present using: + 目前使用: + + + + File Exists + 檔案已存在 + + + + A presentation with that filename already exists. + 已存在以這個檔案名稱的簡報。 + + + + This type of presentation is not supported. + 不支援此格式的簡報。 + + + + Presentations (%s) + 簡報 (%s) + + + + Missing Presentation + 簡報遺失 + + + + The presentation %s is incomplete, please reload. + 簡報 %s 不完全,請重新載入。 + + + + The presentation %s no longer exists. + 簡報 %s 已不存在。 + + + + PresentationPlugin.PowerpointDocument + + + An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + 整合Powerpoint時發生了錯誤,簡報即將結束。若您希望顯示,請重新啟動簡報。 + + + + PresentationPlugin.PresentationTab + + + Available Controllers + 可用控制器 + + + + %s (unavailable) + %s (不可用) + + + + Allow presentation application to be overridden + 允許簡報應用程式被覆蓋 + + + + PDF options + PDF選項 + + + + Use given full path for mudraw or ghostscript binary: + 指定完整的mudraw或Ghostscript二進制文件路徑: + + + + Select mudraw or ghostscript binary. + 選擇mudraw或ghostscript的二進制文件。 + + + + The program is not ghostscript or mudraw which is required. + 此程式不是Ghostscript或mudraw 所必需的。 + + + + PowerPoint options + + + + + Clicking on a selected slide in the slidecontroller advances to next effect. + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + <strong>遠端插件</strong><br />遠端插件可以透過網頁瀏覽器或是遠端API向另一台電腦上正在進行的OpenLP發送訊息。 + + + + Remote + name singular + 遠端 + + + + Remotes + name plural + 遠端 + + + + Remote + container title + 遠端 + + + + Server Config Change + 伺服器設定改變 + + + + Server configuration changes will require a restart to take effect. + 伺服器設定改變,需重新啟動後才會生效。 + + + + RemotePlugin.Mobile + + + Service Manager + 聚會管理員 + + + + Slide Controller + 幻燈片控制 + + + + Alerts + 警報 + + + + Search + 搜尋 + + + + Home + 首頁 + + + + Refresh + 重新整理 + + + + Blank + 顯示單色畫面 + + + + Theme + 佈景主題 + + + + Desktop + 桌面 + + + + Show + 顯示 + + + + Prev + 預覽 + + + + Next + 下一個 + + + + Text + 文字 + + + + Show Alert + 顯示警報 + + + + Go Live + 進現場Live + + + + Add to Service + 新增至聚會 + + + + Add &amp; Go to Service + 新增 &amp; 到聚會 + + + + No Results + 沒有結果 + + + + Options + 選項 + + + + Service + 聚會 + + + + Slides + 幻燈片 + + + + Settings + 設定 + + + + OpenLP 2.2 Remote + OpenLP 2.2 遠端管理 + + + + OpenLP 2.2 Stage View + OpenLP 2.2 舞台監看 + + + + OpenLP 2.2 Live View + OpenLP 2.2 現場Live + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + 伺服器IP位址: + + + + Port number: + 連接埠: + + + + Server Settings + 伺服器設定 + + + + Remote URL: + 遠端URL: + + + + Stage view URL: + 舞台檢視 URL: + + + + Display stage time in 12h format + 以12小時制顯示現階段時間 + + + + Android App + Android App + + + + Scan the QR code or click <a href="https://play.google.com/store/apps/details?id=org.openlp.android">download</a> to install the Android app from Google Play. + 掃描 QR 碼 或點擊 <a href="https://play.google.com/store/apps/details?id=org.openlp.android">下載</a> 從 Google Play 安裝 Android App。. + + + + Live view URL: + Live 檢視 URL: + + + + HTTPS Server + HTTPS 伺服器 + + + + Could not find an SSL certificate. The HTTPS server will not be available unless an SSL certificate is found. Please see the manual for more information. + 找不到 SSL 憑證。除非找到 SSL 憑證,否則 HTTPS 服務無法使用。請參閱使用手冊以瞭解更多訊息。 + + + + User Authentication + 用戶認證 + + + + User id: + 使用者ID: + + + + Password: + 使用者密碼: + + + + Show thumbnails of non-text slides in remote and stage view. + 在遠端及舞台監看顯示縮圖。 + + + + SongUsagePlugin + + + &Song Usage Tracking + 歌曲使用追蹤(&S) + + + + &Delete Tracking Data + 刪除追蹤資料(&D) + + + + Delete song usage data up to a specified date. + 刪除指定日期的歌曲使用記錄。 + + + + &Extract Tracking Data + 匯出追蹤資料(&E) + + + + Generate a report on song usage. + 產生歌曲使用記錄報告。 + + + + Toggle Tracking + 切換追蹤 + + + + Toggle the tracking of song usage. + 切換追蹤歌曲使用記錄。 + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + <strong>歌曲使用記錄插件</strong><br />此插件追蹤在聚會裡歌曲的使用記錄。 + + + + SongUsage + name singular + 歌曲使用記錄 + + + + SongUsage + name plural + 歌曲使用記錄 + + + + SongUsage + container title + 歌曲使用記錄 + + + + Song Usage + 歌曲使用記錄 + + + + Song usage tracking is active. + 追蹤歌曲使用記錄。(已啟用) + + + + Song usage tracking is inactive. + 追蹤歌曲使用記錄。(未啟用) + + + + display + 顯示 + + + + printed + 列印 + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + 刪除歌曲使用記錄 + + + + Delete Selected Song Usage Events? + 刪除選擇的歌曲使用事件記錄? + + + + Are you sure you want to delete selected Song Usage data? + 您確定想要刪除選中的歌曲使用記錄? + + + + Deletion Successful + 刪除成功 + + + + Select the date up to which the song usage data should be deleted. +All data recorded before this date will be permanently deleted. + 選擇刪除在此日期之前的歌曲使用資料。在該日期之前的記錄下所有資料將會永久刪除。 + + + + All requested data has been deleted successfully. + 所有要求的資料已成功刪除。 + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + 收集歌曲使用記錄 + + + + Select Date Range + 選擇時間範圍 + + + + to + + + + + Report Location + 報告位置 + + + + Output File Location + 輸出檔案位置 + + + + usage_detail_%s_%s.txt + Usage_Detail_%s_%s.txt + + + + Report Creation + 建立報告 + + + + Report +%s +has been successfully created. + 報告 +%s +已成功建立。 + + + + Output Path Not Selected + 未選擇輸出路徑 + + + + You have not set a valid output location for your song usage report. +Please select an existing path on your computer. + 您尚未設定使用報告有效的輸出路徑。請在您的電腦上選擇一個存在的路徑。 + + + + Report Creation Failed + 報告建立錯誤 + + + + An error occurred while creating the report: %s + 建立報告時出現一個錯誤:%s + + + + SongsPlugin + + + &Song + 歌曲(&S) + + + + Import songs using the import wizard. + 使用匯入精靈來匯入歌曲。 + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + <strong>歌曲插件</strong><br />歌曲插件提供顯示及管理歌曲。 + + + + &Re-index Songs + 重建歌曲索引(&R) + + + + Re-index the songs database to improve searching and ordering. + 重建歌曲索引以提高搜尋及排序速度。 + + + + Reindexing songs... + 重建歌曲索引中... + + + + Arabic (CP-1256) + 阿拉伯語 (CP-1256) + + + + Baltic (CP-1257) + 波羅的 (CP-1257) + + + + Central European (CP-1250) + 中歐 (CP-1250) + + + + Cyrillic (CP-1251) + 西里爾語 (CP-1251) + + + + Greek (CP-1253) + 希臘語 (CP-1253) + + + + Hebrew (CP-1255) + 希伯來語 (CP-1255) + + + + Japanese (CP-932) + 日語 (CP-932) + + + + Korean (CP-949) + 韓文 (CP-949) + + + + Simplified Chinese (CP-936) + 簡體中文 (CP-936) + + + + Thai (CP-874) + 泰語 (CP-874) + + + + Traditional Chinese (CP-950) + 繁體中文 (CP-950) + + + + Turkish (CP-1254) + 土耳其語 (CP-1254) + + + + Vietnam (CP-1258) + 越語 (CP-1258) + + + + Western European (CP-1252) + 西歐 (CP-1252) + + + + Character Encoding + 字元編碼 + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + 編碼頁面設置正確的編碼來顯示字元。 +通常您最好選擇預設的編碼。 + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + 請選擇字元編碼。 +編碼負責顯示正確的字元。 + + + + Song + name singular + 歌曲 + + + + Songs + name plural + 歌曲 + + + + Songs + container title + 歌曲 + + + + Exports songs using the export wizard. + 使用匯出精靈來匯出歌曲。 + + + + Add a new song. + 新增一首歌曲。 + + + + Edit the selected song. + 編輯所選擇的歌曲。 + + + + Delete the selected song. + 刪除所選擇的歌曲。 + + + + Preview the selected song. + 預覽所選擇的歌曲。 + + + + Send the selected song live. + 傳送選擇的歌曲至現場Live。 + + + + Add the selected song to the service. + 新增所選擇的歌曲到聚會。 + + + + Reindexing songs + 重建歌曲索引中 + + + + CCLI SongSelect + CCLI SongSelect + + + + Import songs from CCLI's SongSelect service. + 從 CCLI SongSelect 服務中匯入歌曲。 + + + + Find &Duplicate Songs + 尋找重複的歌曲(&D) + + + + Find and remove duplicate songs in the song database. + 在歌曲資料庫中尋找並刪除重複的歌曲。 + + + + SongsPlugin.AuthorType + + + Words + Author who wrote the lyrics of a song + 作詞 + + + + Music + Author who wrote the music of a song + 編曲 + + + + Words and Music + Author who wrote both lyrics and music of a song + 詞曲 + + + + Translation + Author who translated the song + 譯者 + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + 作者維護 + + + + Display name: + 顯示名稱: + + + + First name: + 姓氏: + + + + Last name: + 名字: + + + + You need to type in the first name of the author. + 您必須輸入作者姓氏。 + + + + You need to type in the last name of the author. + 您必須輸入作者名字。 + + + + You have not set a display name for the author, combine the first and last names? + 您尚未設定作者的顯示名稱,結合姓氏與名字? + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + 該檔案不具有效的副檔名。 + + + + SongsPlugin.DreamBeamImport + + + Invalid DreamBeam song file. Missing DreamSong tag. + 無效的 DreamBeam 歌曲檔。 遺失DreamSong 標籤。 + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + 由 %s 管理 + + + + "%s" could not be imported. %s + "%s" 無法匯入. %s + + + + Unexpected data formatting. + 意外的檔案格式。 + + + + No song text found. + 找不到歌曲文字。 + + + + +[above are Song Tags with notes imported from EasyWorship] + +[以上歌曲標籤匯入來自 EasyWorship] + + + + This file does not exist. + 此檔案不存在。 + + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. + 找不到 "Songs.DB"檔。"Songs.DB"檔 必須放在相同的資料夾下。 + + + + This file is not a valid EasyWorship database. + 此檔案不是有效的 EasyWorship 資料庫。 + + + + Could not retrieve encoding. + 無法獲得編碼。 + + + + SongsPlugin.EditBibleForm + + + Meta Data + 後設資料(Meta Data) + + + + Custom Book Names + 自訂書卷名稱 + + + + SongsPlugin.EditSongForm + + + Song Editor + 歌曲編輯器 + + + + &Title: + 標題(&T): + + + + Alt&ernate title: + 副標題(&E): + + + + &Lyrics: + 歌詞(&L): + + + + &Verse order: + 段落順序(&V): + + + + Ed&it All + 編輯全部(&I) + + + + Title && Lyrics + 標題 && 歌詞 + + + + &Add to Song + 新增至歌曲(&A) + + + + &Remove + 移除(&R) + + + + &Manage Authors, Topics, Song Books + 管理作者、主題 && 歌本(&M) + + + + A&dd to Song + 新增至歌曲(&D) + + + + R&emove + 移除(&E) + + + + Book: + 歌本: + + + + Number: + 曲號: + + + + Authors, Topics && Song Book + 作者、主題 && 歌本 + + + + New &Theme + 新增佈景主題(&T) + + + + Copyright Information + 版權資訊 + + + + Comments + 評論 + + + + Theme, Copyright Info && Comments + 佈景主題、版權資訊 && 評論 + + + + Add Author + 新增作者 + + + + This author does not exist, do you want to add them? + 此作者不存在,您是否要新增? + + + + This author is already in the list. + 此作者已存在於列表。 + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + 您沒有選擇有效的作者。從列表中選擇一位作者,或輸入一位新作者名稱並點選"將作者加入歌曲"按鈕。 + + + + Add Topic + 新增主題 + + + + This topic does not exist, do you want to add it? + 此主題不存在,您是否要新增? + + + + This topic is already in the list. + 此主題已存在於列表。 + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + 您沒有選擇有效的主題。從列表中選擇一個主題,或輸入一個新主題名稱並點選"將主題加入歌曲"按鈕。 + + + + You need to type in a song title. + 您需要輸入歌曲標題。 + + + + You need to type in at least one verse. + 您需要輸入至少一段歌詞。 + + + + Add Book + 新增專輯 + + + + This song book does not exist, do you want to add it? + 此歌本不存在,您是否要新增? + + + + You need to have an author for this song. + 您需要給這首歌一位作者。 + + + + Linked Audio + 連結聲音 + + + + Add &File(s) + 加入檔案(&F) + + + + Add &Media + 加入媒體(&M) + + + + Remove &All + 移除全部(&A) + + + + Open File(s) + 開啟檔案 + + + + <strong>Warning:</strong> Not all of the verses are in use. + <strong>警告:</strong> 沒有使用所有的歌詞段落。 + + + + <strong>Warning:</strong> You have not entered a verse order. + <strong>警告:</strong> 您還沒有輸入歌詞段落順序。 + + + + There are no verses corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + 沒有相對應的 "%(invalid)s",有效輸入的為 "%(valid)s"。請輸入空格分隔段落。 + + + + There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. +Please enter the verses separated by spaces. + 沒有相對應的 "%(invalid)s",有效輸入的為 "%(valid)s"。請輸入空格分隔段落。 + + + + Invalid Verse Order + 無效的段落順序 + + + + &Edit Author Type + 編輯作者類型(&E) + + + + Edit Author Type + 編輯作者類型 + + + + Choose type for this author + 為作者選擇一個類型 + + + + SongsPlugin.EditVerseForm + + + Edit Verse + 編輯段落 + + + + &Verse type: + 段落類型(&V): + + + + &Insert + 插入(&I) + + + + Split a slide into two by inserting a verse splitter. + 加入一個分頁符號將幻燈片分為兩頁。 + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + 歌曲匯出精靈 + + + + Select Songs + 選擇歌曲 + + + + Check the songs you want to export. + 選擇您想匯出的歌曲。 + + + + Uncheck All + 取消所有 + + + + Check All + 全選 + + + + Select Directory + 選擇目錄 + + + + Directory: + 目錄: + + + + Exporting + 匯出中 + + + + Please wait while your songs are exported. + 請稍等,您的歌曲正在匯出。 + + + + You need to add at least one Song to export. + 您需要新增至少一首歌曲匯出。 + + + + No Save Location specified + 未指定儲存位置 + + + + Starting export... + 開始匯出... + + + + You need to specify a directory. + 您需要指定一個目錄。 + + + + Select Destination Folder + 選擇目標資料夾 + + + + Select the directory where you want the songs to be saved. + 選擇您希望儲存歌曲的目錄。 + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. + 這個精靈將幫助匯出您的歌曲為開放及免費的 <strong>OpenLyrics</strong> 敬拜歌曲格式。 + + + + SongsPlugin.FoilPresenterSongImport + + + Invalid Foilpresenter song file. No verses found. + 無效的Foilpresenter 歌曲檔。找不到段落。 + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + 選擇 文件/簡報 檔 + + + + Song Import Wizard + 歌曲匯入精靈 + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + 此精靈將幫助您從各種格式匯入歌曲。點擊 下一步 按鈕進入程序選擇要匯入的格式。 + + + + Generic Document/Presentation + 通用文件/簡報 + + + + Add Files... + 加入檔案... + + + + Remove File(s) + 移除檔案 + + + + Please wait while your songs are imported. + 請稍等,您的歌曲正在匯入。 + + + + OpenLP 2.0 Databases + OpenLP 2.0 資料庫 + + + + Words Of Worship Song Files + Words Of Worship 歌曲檔 + + + + Songs Of Fellowship Song Files + Songs Of Fellowship 歌曲檔 + + + + SongBeamer Files + SongBeamer 檔 + + + + SongShow Plus Song Files + SongShow Plus 歌曲檔 + + + + Foilpresenter Song Files + Foilpresenter Song 檔 + + + + Copy + 複製 + + + + Save to File + 儲存為檔案 + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + 由於 OpenLP 無法存取 OpenOffice 或 LibreOffice ,Songs of Fellowship 匯入器已被禁用。 + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + 由於OpenLP 無法存取OpenOffice 或 LibreOffice,通用文件/簡報 匯入器已被禁止使用。 + + + + OpenLyrics or OpenLP 2.0 Exported Song + OpenLyrics 或 OpenLP 2.0 匯出的歌曲 + + + + OpenLyrics Files + OpenLyrics 檔 + + + + CCLI SongSelect Files + CCLI SongSelect 檔 + + + + EasySlides XML File + EasySlides XML 檔 + + + + EasyWorship Song Database + EasyWorship Song 資料庫 + + + + DreamBeam Song Files + DreamBeam Song 檔 + + + + You need to specify a valid PowerSong 1.0 database folder. + 您需要指定一個有效的 PowerSong 1.0資料庫 文件夾。 + + + + ZionWorx (CSV) + ZionWorx (CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + 先將 Zion Worx 資料庫轉換成 CSV 文字檔,說明請看 <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">使用手冊</a>。 + + + + SundayPlus Song Files + SundayPlus 歌曲檔 + + + + This importer has been disabled. + 匯入器已被禁用。 + + + + MediaShout Database + MediaShout 資料庫 + + + + The MediaShout importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + MediaShout 匯入器僅支援Windows。由於缺少 Pyrhon 模組已被禁用。如果您想要使用此匯入器,必須先安裝 "pyodbc" 模組。 + + + + SongPro Text Files + SongPro 文字檔 + + + + SongPro (Export File) + SongPro (匯入檔) + + + + In SongPro, export your songs using the File -> Export menu + 在 SongPro 中,使用 檔案 -> 匯出 選單來匯出您的歌曲 + + + + EasyWorship Service File + EasyWorship Service 檔 + + + + WorshipCenter Pro Song Files + WorshipCenter Pro 歌曲檔 + + + + The WorshipCenter Pro importer is only supported on Windows. It has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "pyodbc" module. + WorshipCenter Pro 匯入器僅支援Windows。由於缺少 Pyrhon 模組已被禁用。如果您想要使用此匯入器,必須先安裝 "pyodbc" 模組。 + + + + PowerPraise Song Files + PowerPraise Song 檔 + + + + PresentationManager Song Files + PresentationManager Song 檔 + + + + ProPresenter 4 Song Files + ProPresenter 4 Song 檔 + + + + Worship Assistant Files + Worship Assistant 檔 + + + + Worship Assistant (CSV) + Worship Assistant (CSV) + + + + In Worship Assistant, export your Database to a CSV file. + 在 Worship Assistant 中,匯出資料庫到CSV檔。 + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + 選擇媒體檔 + + + + Select one or more audio files from the list below, and click OK to import them into this song. + 在列表中選擇一或多個聲音檔,並點選 OK 將它們匯入到這首歌曲。 + + + + SongsPlugin.MediaItem + + + Titles + 標題 + + + + Lyrics + 歌詞 + + + + CCLI License: + CCLI授權: + + + + Entire Song + 整首歌曲 + + + + Are you sure you want to delete the %n selected song(s)? + + 您確定想要刪除這 %n 首選中的歌曲嗎? + + + + + Maintain the lists of authors, topics and books. + 作者、主題及歌本列表維護。 + + + + copy + For song cloning + 複製 + + + + Search Titles... + 搜尋標題... + + + + Search Entire Song... + 搜尋整首歌曲... + + + + Search Lyrics... + 搜尋歌詞... + + + + Search Authors... + 搜尋作者... + + + + Search Song Books... + 搜尋歌本... + + + + SongsPlugin.MediaShoutImport + + + Unable to open the MediaShout database. + 無法開啟 MediaShout 資料庫。 + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + 不是一個有效的 OpenLP 2.0 歌曲資料庫。 + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + 正在匯出 "%s"... + + + + SongsPlugin.OpenSongImport + + + Invalid OpenSong song file. Missing song tag. + 無效的 OpenSong 檔案。缺少歌曲標籤。 + + + + SongsPlugin.PowerSongImport + + + No songs to import. + 沒有歌曲匯入。 + + + + Verses not found. Missing "PART" header. + 找不到詩歌。遺失 "PART" 標頭。 + + + + No %s files found. + 找不到 %s 檔案。 + + + + Invalid %s file. Unexpected byte value. + 無效的 %s 檔。未預期的編碼。 + + + + Invalid %s file. Missing "TITLE" header. + 無效的 %s 檔。遺失 "TITLE" 檔頭。 + + + + Invalid %s file. Missing "COPYRIGHTLINE" header. + 無效的 %s 檔。遺失 "COPYRIGHTLINE" 檔頭。 + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + 歌本維護 + + + + &Name: + 名稱(&N): + + + + &Publisher: + 出版者(&P): + + + + You need to type in a name for the book. + 您需要輸入歌本名稱。 + + + + SongsPlugin.SongExportForm + + + Your song export failed. + 您的歌曲匯出失敗。 + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + 匯出完成。使用<strong>OpenLyrics</strong>匯入器匯入這些檔案。 + + + + Your song export failed because this error occurred: %s + 您的歌曲匯出失敗因為發生錯誤 :%s + + + + SongsPlugin.SongImport + + + copyright + 版權 + + + + The following songs could not be imported: + 無法匯入以下歌曲: + + + + Cannot access OpenOffice or LibreOffice + 無法存取 OpenOffice 或 LibreOffice + + + + Unable to open file + 無法開啟文件 + + + + File not found + 找不到檔案 + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + 無法新增您的作者。 + + + + This author already exists. + 此作者已存在。 + + + + Could not add your topic. + 無法新增您的主題。 + + + + This topic already exists. + 此主題已存在。 + + + + Could not add your book. + 無法新增您的歌本。 + + + + This book already exists. + 此歌本已存在。 + + + + Could not save your changes. + 無法儲存變更。 + + + + Could not save your modified author, because the author already exists. + 無法儲存變更的作者,因為該作者已存在。 + + + + Could not save your modified topic, because it already exists. + 無法儲存變更的主題,因為該主題已存在。 + + + + Delete Author + 刪除作者 + + + + Are you sure you want to delete the selected author? + 您確定想要刪除選中的作者嗎? + + + + This author cannot be deleted, they are currently assigned to at least one song. + 此作者無法刪除,它目前至少被指派給一首歌曲。 + + + + Delete Topic + 刪除主題 + + + + Are you sure you want to delete the selected topic? + 您確定想要刪除選中的主題嗎? + + + + This topic cannot be deleted, it is currently assigned to at least one song. + 此主題無法刪除,它目前至少被指派給一首歌曲。 + + + + Delete Book + 刪除歌本 + + + + Are you sure you want to delete the selected book? + 您確定想要刪除選中的歌本嗎? + + + + This book cannot be deleted, it is currently assigned to at least one song. + 此歌本無法刪除,它目前至少被指派給一首歌曲。 + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + 作者 %s 已存在。您想使歌曲作者 %s 使用現有的作者 %s 嗎? + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + 主題 %s 已存在。您想使歌曲主題 %s 使用現有的主題 %s 嗎? + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + 歌本 %s 已存在。您想使歌曲歌本 %s 使用現有的歌本 %s 嗎? + + + + SongsPlugin.SongSelectForm + + + CCLI SongSelect Importer + CCLI SongSelect 匯入器 + + + + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. + <strong>注意:</strong> 網路連線是為了從 CCLI SongSelect.匯入歌曲。 + + + + Username: + 帳號: + + + + Password: + 密碼: + + + + Save username and password + 儲存帳號及密碼 + + + + Login + 登入 + + + + Search Text: + 搜尋文字: + + + + Search + 搜尋 + + + + Found %s song(s) + 找到 %s 首歌曲 + + + + Logout + 登出 + + + + View + 檢視 + + + + Title: + 標題: + + + + Author(s): + 作者: + + + + Copyright: + 版權: + + + + CCLI Number: + CCLI編號: + + + + Lyrics: + 歌詞: + + + + Back + 退後 + + + + Import + 匯入 + + + + More than 1000 results + 超過 1000 條結果 + + + + Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. + 您的搜尋結果超過 1000 項,即將中止。請縮小您的搜尋範圍以獲得更精確的結果。 + + + + Logging out... + 登出中... + + + + Save Username and Password + 儲存帳號及密碼 + + + + WARNING: Saving your username and password is INSECURE, your password is stored in PLAIN TEXT. Click Yes to save your password or No to cancel this. + 警告: 儲存帳號及密碼是不安全的,您的密碼將儲存成簡單的文字(未加密)。 選擇 Yes 儲存密碼或 No 取消。 + + + + Error Logging In + 登入錯誤 + + + + There was a problem logging in, perhaps your username or password is incorrect? + 登入錯誤,請確認您的帳號或密碼是否正確? + + + + Song Imported + 歌曲匯入 + + + + Incomplete song + 歌曲不完整 + + + + This song is missing some information, like the lyrics, and cannot be imported. + 這首歌遺失某些資訊以至於無法匯入,例如歌詞。 + + + + Your song has been imported, would you like to import more songs? + 您的歌曲已匯入,您想匯入更多歌曲嗎? + + + + SongsPlugin.SongsTab + + + Songs Mode + 歌曲模式 + + + + Enable search as you type + 啟用即時搜尋 + + + + Display verses on live tool bar + 在現場Live工具列顯示段落 + + + + Update service from song edit + 編輯歌詞更新聚會管理 + + + + Import missing songs from service files + 從聚會管理檔案中匯入遺失的歌曲 + + + + Display songbook in footer + 頁尾顯示歌本 + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + 主題管理 + + + + Topic name: + 主題名稱: + + + + You need to type in a topic name. + 您需要輸入至少一個主題名稱。 + + + + SongsPlugin.VerseType + + + Verse + V主歌 + + + + Chorus + C副歌 + + + + Bridge + B橋段 + + + + Pre-Chorus + P導歌 + + + + Intro + I前奏 + + + + Ending + E結尾 + + + + Other + O其他 + + + + SongsPlugin.WordsofWorshipSongImport + + + Invalid Words of Worship song file. Missing "CSongDoc::CBlock" string. + 無效的Words of Worship 歌曲檔。遺失 "CSongDoc::CBlock" 字串。 + + + + Invalid Words of Worship song file. Missing "WoW File\nSong Words" header. + 無效的Words of Worship 歌曲檔。遺失 "WoW File\nSong Words" 檔頭。 + + + + SongsPlugin.WorshipAssistantImport + + + Error reading CSV file. + 讀取CSV文件錯誤。 + + + + Line %d: %s + 行 %d: %s + + + + Decoding error: %s + 解碼錯誤: %s + + + + File not valid WorshipAssistant CSV format. + 檔案非有效的WorshipAssistant CSV格式。 + + + + Record %d + 錄製:%d + + + + SongsPlugin.WorshipCenterProImport + + + Unable to connect the WorshipCenter Pro database. + 無法連線到 WorshipCenter Pro 資料庫。 + + + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + 讀取CSV文件錯誤。 + + + + File not valid ZionWorx CSV format. + 檔案非有效的ZionWorx CSV格式。 + + + + Line %d: %s + 行 %d: %s + + + + Decoding error: %s + 解碼錯誤: %s + + + + Record %d + 錄製:%d + + + + Wizard + + + Wizard + 精靈 + + + + This wizard will help you to remove duplicate songs from the song database. You will have a chance to review every potential duplicate song before it is deleted. So no songs will be deleted without your explicit approval. + 此精靈將幫助您從歌曲資料庫中移除重複的歌曲。您將在重複的歌曲移除前重新檢視內容,所以不會有歌曲未經您的同意而刪除。 + + + + Searching for duplicate songs. + 搜尋重覆歌曲中。 + + + + Please wait while your songs database is analyzed. + 請稍等,您的歌曲資料庫正在分析。 + + + + Here you can decide which songs to remove and which ones to keep. + 在這裡,你可以決定刪除並保留哪些的歌曲。 + + + + Review duplicate songs (%s/%s) + 重新檢視重複的歌曲 (%s / %s) + + + + Information + 資訊 + + + + No duplicate songs have been found in the database. + 資料庫中找不到重複的歌曲。 + + + diff --git a/scripts/check_dependencies.py b/scripts/check_dependencies.py index dc2284427..7969c1988 100755 --- a/scripts/check_dependencies.py +++ b/scripts/check_dependencies.py @@ -40,6 +40,7 @@ except ImportError: nose = None IS_WIN = sys.platform.startswith('win') +IS_LIN = sys.platform.startswith('lin') VERS = { @@ -60,6 +61,12 @@ WIN32_MODULES = [ 'icu', ] +LINUX_MODULES = [ + # Optical drive detection. + 'dbus', +] + + MODULES = [ 'PyQt4', 'PyQt4.QtCore', @@ -83,7 +90,7 @@ MODULES = [ OPTIONAL_MODULES = [ - ('MySQLdb', '(MySQL support)', True), + ('mysql.connector', '(MySQL support)', True), ('psycopg2', '(PostgreSQL support)', True), ('nose', '(testing framework)', True), ('mock', '(testing module)', sys.version_info[1] < 3), @@ -222,6 +229,10 @@ def main(): print('Checking for Windows specific modules...') for m in WIN32_MODULES: check_module(m) + elif IS_LIN: + print('Checking for Linux specific modules...') + for m in LINUX_MODULES: + check_module(m) verify_versions() print_qt_image_formats() print_enchant_backends_and_languages() diff --git a/scripts/jenkins_script.py b/scripts/jenkins_script.py index 10d5efed6..0053239f5 100755 --- a/scripts/jenkins_script.py +++ b/scripts/jenkins_script.py @@ -32,21 +32,25 @@ You probably want to create an alias. Add this to your ~/.bashrc file and then l You can look up the token in the Branch-01-Pull job configuration or ask in IRC. """ -from optparse import OptionParser import re -from requests.exceptions import HTTPError -from subprocess import Popen, PIPE import sys import time +from optparse import OptionParser +from subprocess import Popen, PIPE +import warnings +from requests.exceptions import HTTPError from jenkins import Jenkins -JENKINS_URL = 'http://ci.openlp.org/' +JENKINS_URL = 'https://ci.openlp.io/' REPO_REGEX = r'(.*/+)(~.*)' # Allows us to black list token. So when we change the token, we can display a proper message to the user. OLD_TOKENS = [] +# Disable the InsecureRequestWarning we get from urllib3, because we're not verifying our own self-signed certificate +warnings.simplefilter('ignore') + class OpenLPJobs(object): """ @@ -75,11 +79,15 @@ class Colour(object): class JenkinsTrigger(object): + """ + A class to trigger builds on Jenkins and print the results. + + :param token: The token we need to trigger the build. If you do not have this token, ask in IRC. + """ + def __init__(self, token): """ Create the JenkinsTrigger instance. - - :param token: The token we need to trigger the build. If you do not have this token, ask in IRC. """ self.token = token self.repo_name = get_repo_name() @@ -94,8 +102,8 @@ class JenkinsTrigger(object): # We just want the name (not the email). name = ' '.join(raw_output.decode().split()[:-1]) cause = 'Build triggered by %s (%s)' % (name, self.repo_name) - self.jenkins_instance.job(OpenLPJobs.Branch_Pull).build( - {'BRANCH_NAME': self.repo_name, 'cause': cause}, token=self.token) + self.jenkins_instance.job(OpenLPJobs.Branch_Pull).build({'BRANCH_NAME': self.repo_name, 'cause': cause}, + token=self.token) def print_output(self): """ diff --git a/scripts/translation_utils.py b/scripts/translation_utils.py index 666129f33..fb4022b83 100755 --- a/scripts/translation_utils.py +++ b/scripts/translation_utils.py @@ -53,7 +53,9 @@ from getpass import getpass import base64 import json import webbrowser +import glob +from lxml import etree, objectify from optparse import OptionParser from PyQt4 import QtCore @@ -76,6 +78,7 @@ class Command(object): Prepare = 3 Update = 4 Generate = 5 + Check = 6 class CommandStack(object): @@ -292,6 +295,38 @@ def create_translation(): print_quiet('Opening browser to OpenLP project...') +def check_format_strings(): + """ + This method runs through the ts-files and looks for mismatches between format strings in the original text + and in the translations. + """ + path = os.path.join(os.path.abspath('..'), 'resources', 'i18n', '*.ts') + file_list = glob.glob(path) + for filename in file_list: + print_quiet('Checking %s' % filename) + file = open(filename, 'rb') + tree = objectify.parse(file) + root = tree.getroot() + for tag in root.iter('message'): + location = tag.location.get('filename') + line = tag.location.get('line') + org_text = tag.source.text + translation = tag.translation.text + if not translation: + for num in tag.iter('numerusform'): + print_verbose('parsed numerusform: location: %s, source: %s, translation: %s' % ( + location, org_text, num.text)) + if num and org_text.count('%') != num.text.count('%'): + print_quiet( + 'ERROR: Translation from %s at line %s has a mismatch of format input:\n%s\n%s\n' % ( + location, line, org_text, num.text)) + else: + print_verbose('parsed: location: %s, source: %s, translation: %s' % (location, org_text, translation)) + if org_text.count('%') != translation.count('%'): + print_quiet('ERROR: Translation from %s at line %s has a mismatch of format input:\n%s\n%s\n' % ( + location, line, org_text, translation)) + + def process_stack(command_stack): """ This method looks at the commands in the command stack, and processes them @@ -315,6 +350,8 @@ def process_stack(command_stack): generate_binaries() elif command == Command.Create: create_translation() + elif command == Command.Check: + check_format_strings() print_quiet('Finished processing commands.') else: print_quiet('No commands to process.') @@ -345,6 +382,8 @@ def main(): help='show extra information while processing translations') parser.add_option('-q', '--quiet', dest='quiet', action='store_true', help='suppress all output other than errors') + parser.add_option('-f', '--check-format-strings', dest='check', action='store_true', + help='check that format strings are matching in translations') (options, args) = parser.parse_args() # Create and populate the command stack command_stack = CommandStack() @@ -358,6 +397,8 @@ def main(): command_stack.append(Command.Update) if options.generate: command_stack.append(Command.Generate) + if options.check: + command_stack.append(Command.Check) verbose_mode = options.verbose quiet_mode = options.quiet if options.username: diff --git a/tests/functional/__init__.py b/tests/functional/__init__.py index 5948f480f..12005c16e 100644 --- a/tests/functional/__init__.py +++ b/tests/functional/__init__.py @@ -41,5 +41,6 @@ else: # Only one QApplication can be created. Use QtGui.QApplication.instance() when you need to "create" a QApplication. application = QtGui.QApplication([]) +application.setApplicationName('OpenLP') -__all__ = ['MagicMock', 'patch', 'mock_open', 'call', 'application'] +__all__ = ['ANY', 'MagicMock', 'patch', 'mock_open', 'call', 'application'] diff --git a/tests/functional/openlp_core_common/test_settings.py b/tests/functional/openlp_core_common/test_settings.py index 306acba09..cf7abadc7 100644 --- a/tests/functional/openlp_core_common/test_settings.py +++ b/tests/functional/openlp_core_common/test_settings.py @@ -25,6 +25,8 @@ Package to test the openlp.core.lib.settings package. from unittest import TestCase from openlp.core.common import Settings +from openlp.core.common.settings import recent_files_conv +from tests.functional import patch from tests.helpers.testmixin import TestMixin @@ -45,6 +47,25 @@ class TestSettings(TestCase, TestMixin): """ self.destroy_settings() + def recent_files_conv_test(self): + """ + Test that recent_files_conv, converts various possible types of values correctly. + """ + # GIVEN: A list of possible value types and the expected results + possible_values = [(['multiple', 'values'], ['multiple', 'values']), + (['single value'], ['single value']), + ('string value', ['string value']), + (b'bytes value', ['bytes value']), + ([], []), + (None, [])] + + # WHEN: Calling recent_files_conv with the possible values + for value, expected_result in possible_values: + actual_result = recent_files_conv(value) + + # THEN: The actual result should be the same as the expected result + self.assertEqual(actual_result, expected_result) + def settings_basic_test(self): """ Test the Settings creation and its default usage @@ -120,3 +141,19 @@ class TestSettings(TestCase, TestMixin): # THEN: An exception with the non-existing key should be thrown self.assertEqual(str(cm.exception), "'core/does not exists'", 'We should get an exception') + + def extend_default_settings_test(self): + """ + Test that the extend_default_settings method extends the default settings + """ + # GIVEN: A patched __default_settings__ dictionary + with patch.dict(Settings.__default_settings__, + {'test/setting 1': 1, 'test/setting 2': 2, 'test/setting 3': 3}, True): + + # WHEN: Calling extend_default_settings + Settings.extend_default_settings({'test/setting 3': 4, 'test/extended 1': 1, 'test/extended 2': 2}) + + # THEN: The _default_settings__ dictionary_ should have the new keys + self.assertEqual( + Settings.__default_settings__, {'test/setting 1': 1, 'test/setting 2': 2, 'test/setting 3': 4, + 'test/extended 1': 1, 'test/extended 2': 2}) diff --git a/tests/functional/openlp_core_lib/test_lib.py b/tests/functional/openlp_core_lib/test_lib.py index 98c31d7be..9fc1fa3ff 100644 --- a/tests/functional/openlp_core_lib/test_lib.py +++ b/tests/functional/openlp_core_lib/test_lib.py @@ -176,7 +176,7 @@ class TestLib(TestCase): # THEN: None should be returned mocked_isfile.assert_called_with(filename) - mocked_open.assert_called_with(filename, 'r') + mocked_open.assert_called_with(filename, 'r', encoding='utf-8') self.assertIsNone(result, 'None should be returned if the file cannot be opened') def get_text_file_string_decode_error_test(self): diff --git a/tests/functional/openlp_core_lib/test_mediamanageritem.py b/tests/functional/openlp_core_lib/test_mediamanageritem.py new file mode 100644 index 000000000..4af4029ef --- /dev/null +++ b/tests/functional/openlp_core_lib/test_mediamanageritem.py @@ -0,0 +1,100 @@ +# -*- coding: utf-8 -*- +# vim: autoindent shiftwidth=4 expandtab textwidth=120 tabstop=4 softtabstop=4 + +############################################################################### +# OpenLP - Open Source Lyrics Projection # +# --------------------------------------------------------------------------- # +# Copyright (c) 2008-2015 OpenLP Developers # +# --------------------------------------------------------------------------- # +# 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; version 2 of the License. # +# # +# 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., 59 # +# Temple Place, Suite 330, Boston, MA 02111-1307 USA # +############################################################################### +""" +Package to test the openlp.core.lib.mediamanageritem package. +""" +from unittest import TestCase + +from openlp.core.lib import MediaManagerItem + +from tests.functional import MagicMock, patch +from tests.helpers.testmixin import TestMixin + + +class TestMediaManagerItem(TestCase, TestMixin): + """ + Test the MediaManagerItem class + """ + def setUp(self): + """ + Mock out stuff for all the tests + """ + self.setup_patcher = patch('openlp.core.lib.mediamanageritem.MediaManagerItem._setup') + self.mocked_setup = self.setup_patcher.start() + self.addCleanup(self.setup_patcher.stop) + + @patch(u'openlp.core.lib.mediamanageritem.Settings') + @patch(u'openlp.core.lib.mediamanageritem.MediaManagerItem.on_preview_click') + def on_double_clicked_test(self, mocked_on_preview_click, MockedSettings): + """ + Test that when an item is double-clicked then the item is previewed + """ + # GIVEN: A setting to enable "Double-click to go live" and a media manager item + mocked_settings = MagicMock() + mocked_settings.value.return_value = False + MockedSettings.return_value = mocked_settings + mmi = MediaManagerItem(None) + + # WHEN: on_double_clicked() is called + mmi.on_double_clicked() + + # THEN: on_preview_click() should have been called + mocked_on_preview_click.assert_called_with() + + @patch(u'openlp.core.lib.mediamanageritem.Settings') + @patch(u'openlp.core.lib.mediamanageritem.MediaManagerItem.on_live_click') + def on_double_clicked_go_live_test(self, mocked_on_live_click, MockedSettings): + """ + Test that when "Double-click to go live" is enabled that the item goes live + """ + # GIVEN: A setting to enable "Double-click to go live" and a media manager item + mocked_settings = MagicMock() + mocked_settings.value.side_effect = lambda x: x == 'advanced/double click live' + MockedSettings.return_value = mocked_settings + mmi = MediaManagerItem(None) + + # WHEN: on_double_clicked() is called + mmi.on_double_clicked() + + # THEN: on_live_click() should have been called + mocked_on_live_click.assert_called_with() + + @patch(u'openlp.core.lib.mediamanageritem.Settings') + @patch(u'openlp.core.lib.mediamanageritem.MediaManagerItem.on_live_click') + @patch(u'openlp.core.lib.mediamanageritem.MediaManagerItem.on_preview_click') + def on_double_clicked_single_click_preview_test(self, mocked_on_preview_click, mocked_on_live_click, + MockedSettings): + """ + Test that when "Single-click preview" is enabled then nothing happens on double-click + """ + # GIVEN: A setting to enable "Double-click to go live" and a media manager item + mocked_settings = MagicMock() + mocked_settings.value.side_effect = lambda x: x == 'advanced/single click preview' + MockedSettings.return_value = mocked_settings + mmi = MediaManagerItem(None) + + # WHEN: on_double_clicked() is called + mmi.on_double_clicked() + + # THEN: on_live_click() should have been called + self.assertEqual(0, mocked_on_live_click.call_count, u'on_live_click() should not have been called') + self.assertEqual(0, mocked_on_preview_click.call_count, u'on_preview_click() should not have been called') diff --git a/tests/functional/openlp_core_ui/test_firsttimeform.py b/tests/functional/openlp_core_ui/test_firsttimeform.py index 4be8ec063..54c1a7b1d 100644 --- a/tests/functional/openlp_core_ui/test_firsttimeform.py +++ b/tests/functional/openlp_core_ui/test_firsttimeform.py @@ -23,6 +23,8 @@ Package to test the openlp.core.ui.firsttimeform package. """ import os +import socket +import tempfile import urllib from unittest import TestCase @@ -70,6 +72,11 @@ class TestFirstTimeForm(TestCase, TestMixin): self.app.process_events = lambda: None Registry.create() Registry().register('application', self.app) + self.tempfile = os.path.join(tempfile.gettempdir(), 'testfile') + + def tearDown(self): + if os.path.isfile(self.tempfile): + os.remove(self.tempfile) def initialise_test(self): """ @@ -229,3 +236,20 @@ class TestFirstTimeForm(TestCase, TestMixin): # THEN: the critical_error_message_box should have been called self.assertEquals(mocked_message_box.mock_calls[1][1][0], 'Network Error 407', 'first_time_form should have caught Network Error') + + @patch('openlp.core.ui.firsttimeform.urllib.request.urlopen') + def socket_timeout_test(self, mocked_urlopen): + """ + Test socket timeout gets caught + """ + # GIVEN: Mocked urlopen to fake a network disconnect in the middle of a download + first_time_form = FirstTimeForm(None) + first_time_form.initialize(MagicMock()) + mocked_urlopen.side_effect = socket.timeout() + + # WHEN: Attempt to retrieve a file + first_time_form.url_get_file(url='http://localhost/test', f_path=self.tempfile) + + # THEN: socket.timeout should have been caught + # NOTE: Test is if $tmpdir/tempfile is still there, then test fails since ftw deletes bad downloaded files + self.assertFalse(os.path.exists(self.tempfile), 'FTW url_get_file should have caught socket.timeout') diff --git a/tests/functional/openlp_core_ui/test_listpreviewwidget.py b/tests/functional/openlp_core_ui/test_listpreviewwidget.py index bb111f5f3..fc835e3fe 100644 --- a/tests/functional/openlp_core_ui/test_listpreviewwidget.py +++ b/tests/functional/openlp_core_ui/test_listpreviewwidget.py @@ -36,12 +36,7 @@ class TestListPreviewWidget(TestCase): """ self.setup_patcher = patch('openlp.core.ui.listpreviewwidget.ListPreviewWidget._setup') self.mocked_setup = self.setup_patcher.start() - - def tearDown(self): - """ - Remove the mocks - """ - self.setup_patcher.stop() + self.addCleanup(self.setup_patcher.stop) def new_list_preview_widget_test(self): """ diff --git a/tests/functional/openlp_core_ui/test_media.py b/tests/functional/openlp_core_ui/test_media.py index ae168803a..49b33e77b 100644 --- a/tests/functional/openlp_core_ui/test_media.py +++ b/tests/functional/openlp_core_ui/test_media.py @@ -33,9 +33,6 @@ from tests.helpers.testmixin import TestMixin class TestMedia(TestCase, TestMixin): - def setUp(self): - pass - def test_get_media_players_no_config(self): """ Test that when there's no config, get_media_players() returns an empty list of players (not a string) diff --git a/tests/functional/openlp_core_ui/test_servicemanager.py b/tests/functional/openlp_core_ui/test_servicemanager.py index 68a11b0e9..f08a35bb3 100644 --- a/tests/functional/openlp_core_ui/test_servicemanager.py +++ b/tests/functional/openlp_core_ui/test_servicemanager.py @@ -39,12 +39,6 @@ class TestServiceManager(TestCase): """ Registry.create() - def tearDown(self): - """ - Delete all the C++ objects at the end so that we don't have a segfault - """ - pass - def initial_service_manager_test(self): """ Test the initial of service manager. diff --git a/tests/functional/openlp_core_ui/test_slidecontroller.py b/tests/functional/openlp_core_ui/test_slidecontroller.py index e2f3dec6a..c91a82144 100644 --- a/tests/functional/openlp_core_ui/test_slidecontroller.py +++ b/tests/functional/openlp_core_ui/test_slidecontroller.py @@ -27,7 +27,7 @@ from PyQt4 import QtCore, QtGui from unittest import TestCase from openlp.core import Registry from openlp.core.lib import ServiceItemAction -from openlp.core.ui import SlideController +from openlp.core.ui import SlideController, LiveController, PreviewController from openlp.core.ui.slidecontroller import InfoLabel, WIDE_MENU, NON_TEXT_MENU from tests.functional import MagicMock, patch @@ -84,24 +84,24 @@ class TestSlideController(TestCase): # THEN: then call set up the toolbar to blank the display screen. toolbar.set_widget_visible.assert_called_with(NON_TEXT_MENU, True) - def receive_spin_delay_test(self): + @patch('openlp.core.ui.slidecontroller.Settings') + def receive_spin_delay_test(self, MockedSettings): """ Test that the spin box is updated accordingly after a call to receive_spin_delay() """ - with patch('openlp.core.ui.slidecontroller.Settings') as MockedSettings: - # GIVEN: A new SlideController instance. - mocked_value = MagicMock(return_value=1) - MockedSettings.return_value = MagicMock(value=mocked_value) - mocked_delay_spin_box = MagicMock() - slide_controller = SlideController(None) - slide_controller.delay_spin_box = mocked_delay_spin_box + # GIVEN: A new SlideController instance. + mocked_value = MagicMock(return_value=1) + MockedSettings.return_value = MagicMock(value=mocked_value) + mocked_delay_spin_box = MagicMock() + slide_controller = SlideController(None) + slide_controller.delay_spin_box = mocked_delay_spin_box - # WHEN: The receive_spin_delay() method is called - slide_controller.receive_spin_delay() + # WHEN: The receive_spin_delay() method is called + slide_controller.receive_spin_delay() - # THEN: The Settings()value() and delay_spin_box.setValue() methods should have been called correctly - mocked_value.assert_called_with('core/loop delay') - mocked_delay_spin_box.setValue.assert_called_with(1) + # THEN: The Settings()value() and delay_spin_box.setValue() methods should have been called correctly + mocked_value.assert_called_with('core/loop delay') + mocked_delay_spin_box.setValue.assert_called_with(1) def toggle_display_blank_test(self): """ @@ -267,25 +267,25 @@ class TestSlideController(TestCase): mocked_keypress_queue.append.assert_called_once_with(ServiceItemAction.Next) mocked_process_queue.assert_called_once_with() - def update_slide_limits_test(self): + @patch('openlp.core.ui.slidecontroller.Settings') + def update_slide_limits_test(self, MockedSettings): """ Test that calling the update_slide_limits() method updates the slide limits """ # GIVEN: A mocked out Settings object, a new SlideController and a mocked out main_window - with patch('openlp.core.ui.slidecontroller.Settings') as MockedSettings: - mocked_value = MagicMock(return_value=10) - MockedSettings.return_value = MagicMock(value=mocked_value) - mocked_main_window = MagicMock(advanced_settings_section='advanced') - Registry.create() - Registry().register('main_window', mocked_main_window) - slide_controller = SlideController(None) + mocked_value = MagicMock(return_value=10) + MockedSettings.return_value = MagicMock(value=mocked_value) + mocked_main_window = MagicMock(advanced_settings_section='advanced') + Registry.create() + Registry().register('main_window', mocked_main_window) + slide_controller = SlideController(None) - # WHEN: update_slide_limits() is called - slide_controller.update_slide_limits() + # WHEN: update_slide_limits() is called + slide_controller.update_slide_limits() - # THEN: The value of slide_limits should be 10 - mocked_value.assert_called_once_with('advanced/slide limits') - self.assertEqual(10, slide_controller.slide_limits, 'Slide limits should have been updated to 10') + # THEN: The value of slide_limits should be 10 + mocked_value.assert_called_once_with('advanced/slide limits') + self.assertEqual(10, slide_controller.slide_limits, 'Slide limits should have been updated to 10') def enable_tool_bar_live_test(self): """ @@ -522,7 +522,8 @@ class TestSlideController(TestCase): # THEN: It should have exited early self.assertEqual(0, mocked_item.is_command.call_count, 'The service item should have not been called') - def on_slide_selected_index_service_item_command_test(self): + @patch.object(Registry, 'execute') + def on_slide_selected_index_service_item_command_test(self, mocked_execute): """ Test that when there is a command service item, the command is executed """ @@ -533,17 +534,16 @@ class TestSlideController(TestCase): mocked_update_preview = MagicMock() mocked_preview_widget = MagicMock() mocked_slide_selected = MagicMock() - with patch.object(Registry, 'execute') as mocked_execute: - Registry.create() - slide_controller = SlideController(None) - slide_controller.service_item = mocked_item - slide_controller.update_preview = mocked_update_preview - slide_controller.preview_widget = mocked_preview_widget - slide_controller.slide_selected = mocked_slide_selected - slide_controller.is_live = True + Registry.create() + slide_controller = SlideController(None) + slide_controller.service_item = mocked_item + slide_controller.update_preview = mocked_update_preview + slide_controller.preview_widget = mocked_preview_widget + slide_controller.slide_selected = mocked_slide_selected + slide_controller.is_live = True - # WHEN: The method is called - slide_controller.on_slide_selected_index([9]) + # WHEN: The method is called + slide_controller.on_slide_selected_index([9]) # THEN: It should have sent a notification mocked_item.is_command.assert_called_once_with() @@ -552,7 +552,8 @@ class TestSlideController(TestCase): self.assertEqual(0, mocked_preview_widget.change_slide.call_count, 'Change slide should not have been called') self.assertEqual(0, mocked_slide_selected.call_count, 'slide_selected should not have been called') - def on_slide_selected_index_service_item_not_command_test(self): + @patch.object(Registry, 'execute') + def on_slide_selected_index_service_item_not_command_test(self, mocked_execute): """ Test that when there is a service item but it's not a command, the preview widget is updated """ @@ -563,16 +564,15 @@ class TestSlideController(TestCase): mocked_update_preview = MagicMock() mocked_preview_widget = MagicMock() mocked_slide_selected = MagicMock() - with patch.object(Registry, 'execute') as mocked_execute: - Registry.create() - slide_controller = SlideController(None) - slide_controller.service_item = mocked_item - slide_controller.update_preview = mocked_update_preview - slide_controller.preview_widget = mocked_preview_widget - slide_controller.slide_selected = mocked_slide_selected + Registry.create() + slide_controller = SlideController(None) + slide_controller.service_item = mocked_item + slide_controller.update_preview = mocked_update_preview + slide_controller.preview_widget = mocked_preview_widget + slide_controller.slide_selected = mocked_slide_selected - # WHEN: The method is called - slide_controller.on_slide_selected_index([7]) + # WHEN: The method is called + slide_controller.on_slide_selected_index([7]) # THEN: It should have sent a notification mocked_item.is_command.assert_called_once_with() @@ -642,20 +642,49 @@ class TestInfoLabel(TestCase): elided_test_string = metrics.elidedText(test_string, QtCore.Qt.ElideRight, label_width) mocked_qpainter().drawText.assert_called_once_with(mocked_rect(), QtCore.Qt.AlignLeft, elided_test_string) - def set_text_test(self): + @patch('builtins.super') + def set_text_test(self, mocked_super): """ Test the reimplemented setText method """ - with patch('builtins.super') as mocked_super: + # GIVEN: An instance of InfoLabel and mocked setToolTip method + info_label = InfoLabel() + set_tool_tip_mock = MagicMock() + info_label.setToolTip = set_tool_tip_mock - # GIVEN: An instance of InfoLabel and mocked setToolTip method - info_label = InfoLabel() - set_tool_tip_mock = MagicMock() - info_label.setToolTip = set_tool_tip_mock + # WHEN: Calling the instance method setText + info_label.setText('Label Text') - # WHEN: Calling the instance method setText - info_label.setText('Label Text') + # THEN: The setToolTip and super class setText methods should have been called with the same text + set_tool_tip_mock.assert_called_once_with('Label Text') + mocked_super().setText.assert_called_once_with('Label Text') - # THEN: The setToolTip and super class setText methods should have been called with the same text - set_tool_tip_mock.assert_called_once_with('Label Text') - mocked_super().setText.assert_called_once_with('Label Text') + +class TestLiveController(TestCase): + + def initial_live_controller_test(self): + """ + Test the initial live slide controller state . + """ + # GIVEN: A new SlideController instance. + Registry.create() + live_controller = LiveController(None) + + # WHEN: the default controller is built. + # THEN: The controller should not be a live controller. + self.assertEqual(live_controller.is_live, True, 'The slide controller should be a live controller') + + +class TestPreviewLiveController(TestCase): + + def initial_preview_controller_test(self): + """ + Test the initial preview slide controller state. + """ + # GIVEN: A new SlideController instance. + Registry.create() + preview_controller = PreviewController(None) + + # WHEN: the default controller is built. + # THEN: The controller should not be a live controller. + self.assertEqual(preview_controller.is_live, False, 'The slide controller should be a Preview controller') diff --git a/tests/functional/openlp_core_ui/test_thememanager.py b/tests/functional/openlp_core_ui/test_thememanager.py index 31efa1f5e..3dc168f77 100644 --- a/tests/functional/openlp_core_ui/test_thememanager.py +++ b/tests/functional/openlp_core_ui/test_thememanager.py @@ -22,19 +22,20 @@ """ Package to test the openlp.core.ui.thememanager package. """ -import zipfile import os import shutil from unittest import TestCase -from tests.functional import MagicMock +from tempfile import mkdtemp + +from PyQt4 import QtGui from tempfile import mkdtemp from openlp.core.ui import ThemeManager from openlp.core.common import Registry from tests.utils.constants import TEST_RESOURCES_PATH -from tests.functional import MagicMock, patch +from tests.functional import ANY, MagicMock, patch class TestThemeManager(TestCase): @@ -44,6 +45,13 @@ class TestThemeManager(TestCase): Set up the tests """ Registry.create() + self.temp_folder = mkdtemp() + + def tearDown(self): + """ + Clean up + """ + shutil.rmtree(self.temp_folder) def export_theme_test(self): """ @@ -131,6 +139,67 @@ class TestThemeManager(TestCase): # THEN: The mocked_copyfile should not have been called self.assertTrue(mocked_copyfile.called, 'shutil.copyfile should be called') + def write_theme_special_char_name_test(self): + """ + Test that we can save themes with special characters in the name + """ + # GIVEN: A new theme manager instance, with mocked theme and thememanager-attributes. + theme_manager = ThemeManager(None) + theme_manager.old_background_image = None + theme_manager.generate_and_save_image = MagicMock() + theme_manager.path = self.temp_folder + mocked_theme = MagicMock() + mocked_theme.theme_name = 'theme 愛 name' + mocked_theme.extract_formatted_xml = MagicMock() + mocked_theme.extract_formatted_xml.return_value = 'fake theme 愛 XML'.encode() + + # WHEN: Calling _write_theme with a theme with a name with special characters in it + theme_manager._write_theme(mocked_theme, None, None) + + # THEN: It should have been created + self.assertTrue(os.path.exists(os.path.join(self.temp_folder, 'theme 愛 name', 'theme 愛 name.xml')), + 'Theme with special characters should have been created!') + + def over_write_message_box_yes_test(self): + """ + Test that theme_manager.over_write_message_box returns True when the user clicks yes. + """ + # GIVEN: A patched QMessageBox.question and an instance of ThemeManager + with patch('openlp.core.ui.thememanager.QtGui.QMessageBox.question', return_value=QtGui.QMessageBox.Yes)\ + as mocked_qmessagebox_question,\ + patch('openlp.core.ui.thememanager.translate') as mocked_translate: + mocked_translate.side_effect = lambda context, text: text + theme_manager = ThemeManager(None) + + # WHEN: Calling over_write_message_box with 'Theme Name' + result = theme_manager.over_write_message_box('Theme Name') + + # THEN: over_write_message_box should return True and the message box should contain the theme name + self.assertTrue(result) + mocked_qmessagebox_question.assert_called_once_with( + theme_manager, 'Theme Already Exists', 'Theme Theme Name already exists. Do you want to replace it?', + ANY, ANY) + + def over_write_message_box_no_test(self): + """ + Test that theme_manager.over_write_message_box returns False when the user clicks no. + """ + # GIVEN: A patched QMessageBox.question and an instance of ThemeManager + with patch('openlp.core.ui.thememanager.QtGui.QMessageBox.question', return_value=QtGui.QMessageBox.No)\ + as mocked_qmessagebox_question,\ + patch('openlp.core.ui.thememanager.translate') as mocked_translate: + mocked_translate.side_effect = lambda context, text: text + theme_manager = ThemeManager(None) + + # WHEN: Calling over_write_message_box with 'Theme Name' + result = theme_manager.over_write_message_box('Theme Name') + + # THEN: over_write_message_box should return False and the message box should contain the theme name + self.assertFalse(result) + mocked_qmessagebox_question.assert_called_once_with( + theme_manager, 'Theme Already Exists', 'Theme Theme Name already exists. Do you want to replace it?', + ANY, ANY) + def unzip_theme_test(self): """ Test that unzipping of themes works @@ -152,3 +221,23 @@ class TestThemeManager(TestCase): self.assertTrue(os.path.exists(os.path.join(folder, 'Moss on tree', 'Moss on tree.xml'))) self.assertEqual(mocked_critical_error_message_box.call_count, 0, 'No errors should have happened') shutil.rmtree(folder) + + def unzip_theme_invalid_version_test(self): + """ + Test that themes with invalid (< 2.0) or with no version attributes are rejected + """ + # GIVEN: An instance of ThemeManager whilst mocking a theme that returns a theme with no version attribute + with patch('openlp.core.ui.thememanager.zipfile.ZipFile') as mocked_zip_file,\ + patch('openlp.core.ui.thememanager.ElementTree.getroot') as mocked_getroot,\ + patch('openlp.core.ui.thememanager.XML'),\ + patch('openlp.core.ui.thememanager.critical_error_message_box') as mocked_critical_error_message_box: + + mocked_zip_file.return_value = MagicMock(**{'namelist.return_value': [os.path.join('theme', 'theme.xml')]}) + mocked_getroot.return_value = MagicMock(**{'get.return_value': None}) + theme_manager = ThemeManager(None) + + # WHEN: unzip_theme is called + theme_manager.unzip_theme('theme.file', 'folder') + + # THEN: The critical_error_message_box should have been called + mocked_critical_error_message_box.assert_called_once(ANY, ANY) diff --git a/tests/functional/openlp_core_ui_media/test_mediacontroller.py b/tests/functional/openlp_core_ui_media/test_mediacontroller.py index 57bb2be95..a16bc2df4 100644 --- a/tests/functional/openlp_core_ui_media/test_mediacontroller.py +++ b/tests/functional/openlp_core_ui_media/test_mediacontroller.py @@ -28,7 +28,7 @@ from openlp.core.ui.media.mediacontroller import MediaController from openlp.core.ui.media.mediaplayer import MediaPlayer from openlp.core.common import Registry -from tests.functional import MagicMock +from tests.functional import MagicMock, patch from tests.helpers.testmixin import TestMixin @@ -58,3 +58,26 @@ class TestMediaController(TestCase, TestMixin): 'Video extensions should be the same') self.assertListEqual(media_player.audio_extensions_list, media_controller.audio_extensions_list, 'Audio extensions should be the same') + + def check_file_type_no_players_test(self): + """ + Test that we don't try to play media when no players available + """ + # GIVEN: A mocked UiStrings, get_media_players, controller, display and service_item + with patch('openlp.core.ui.media.mediacontroller.get_media_players') as mocked_get_media_players,\ + patch('openlp.core.ui.media.mediacontroller.UiStrings') as mocked_uistrings: + mocked_get_media_players.return_value = ([], '') + mocked_ret_uistrings = MagicMock() + mocked_ret_uistrings.Automatic = 1 + mocked_uistrings.return_value = mocked_ret_uistrings + media_controller = MediaController() + mocked_controller = MagicMock() + mocked_display = MagicMock() + mocked_service_item = MagicMock() + mocked_service_item.processor = 1 + + # WHEN: calling _check_file_type when no players exists + ret = media_controller._check_file_type(mocked_controller, mocked_display, mocked_service_item) + + # THEN: it should return False + self.assertFalse(ret, '_check_file_type should return False when no mediaplayers are available.') diff --git a/tests/functional/openlp_core_ui_media/test_vlcplayer.py b/tests/functional/openlp_core_ui_media/test_vlcplayer.py new file mode 100644 index 000000000..eccac6893 --- /dev/null +++ b/tests/functional/openlp_core_ui_media/test_vlcplayer.py @@ -0,0 +1,1006 @@ +# -*- coding: utf-8 -*- +# vim: autoindent shiftwidth=4 expandtab textwidth=120 tabstop=4 softtabstop=4 + +############################################################################### +# OpenLP - Open Source Lyrics Projection # +# --------------------------------------------------------------------------- # +# Copyright (c) 2008-2015 OpenLP Developers # +# --------------------------------------------------------------------------- # +# 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; version 2 of the License. # +# # +# 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., 59 # +# Temple Place, Suite 330, Boston, MA 02111-1307 USA # +############################################################################### +""" +Package to test the openlp.core.ui.media.vlcplayer package. +""" +import os +import sys +from datetime import datetime, timedelta +from unittest import TestCase + +from openlp.core.common import Registry +from openlp.core.ui.media import MediaState, MediaType +from openlp.core.ui.media.vlcplayer import AUDIO_EXT, VIDEO_EXT, VlcPlayer, get_vlc + +from tests.functional import MagicMock, patch, call +from tests.helpers import MockDateTime +from tests.helpers.testmixin import TestMixin + + +class TestVLCPlayer(TestCase, TestMixin): + """ + Test the functions in the :mod:`vlcplayer` module. + """ + def setUp(self): + """ + Common setup for all the tests + """ + if 'VLC_PLUGIN_PATH' in os.environ: + del os.environ['VLC_PLUGIN_PATH'] + if 'openlp.core.ui.media.vendor.vlc' in sys.modules: + del sys.modules['openlp.core.ui.media.vendor.vlc'] + MockDateTime.revert() + + @patch('openlp.core.ui.media.vlcplayer.is_macosx') + def fix_vlc_22_plugin_path_test(self, mocked_is_macosx): + """ + Test that on OS X we set the VLC plugin path to fix a bug in the VLC module + """ + # GIVEN: We're on OS X and we don't have the VLC plugin path set + mocked_is_macosx.return_value = True + + # WHEN: An checking if the player is available + get_vlc() + + # THEN: The extra environment variable should be there + self.assertIn('VLC_PLUGIN_PATH', os.environ, + 'The plugin path should be in the environment variables') + self.assertEqual('/Applications/VLC.app/Contents/MacOS/plugins', os.environ['VLC_PLUGIN_PATH']) + + @patch.dict(os.environ) + @patch('openlp.core.ui.media.vlcplayer.is_macosx') + def not_osx_fix_vlc_22_plugin_path_test(self, mocked_is_macosx): + """ + Test that on Linux or some other non-OS X we do not set the VLC plugin path + """ + # GIVEN: We're not on OS X and we don't have the VLC plugin path set + mocked_is_macosx.return_value = False + if 'VLC_PLUGIN_PATH' in os.environ: + del os.environ['VLC_PLUGIN_PATH'] + if 'openlp.core.ui.media.vendor.vlc' in sys.modules: + del sys.modules['openlp.core.ui.media.vendor.vlc'] + + # WHEN: An checking if the player is available + get_vlc() + + # THEN: The extra environment variable should NOT be there + self.assertNotIn('VLC_PLUGIN_PATH', os.environ, + 'The plugin path should NOT be in the environment variables') + + def init_test(self): + """ + Test that the VLC player class initialises correctly + """ + # GIVEN: A mocked out list of extensions + # TODO: figure out how to mock out the lists of extensions + + # WHEN: The VlcPlayer class is instantiated + vlc_player = VlcPlayer(None) + + # THEN: The correct variables are set + self.assertEqual('VLC', vlc_player.original_name) + self.assertEqual('&VLC', vlc_player.display_name) + self.assertIsNone(vlc_player.parent) + self.assertTrue(vlc_player.can_folder) + self.assertListEqual(AUDIO_EXT, vlc_player.audio_extensions_list) + self.assertListEqual(VIDEO_EXT, vlc_player.video_extensions_list) + + @patch('openlp.core.ui.media.vlcplayer.is_win') + @patch('openlp.core.ui.media.vlcplayer.is_macosx') + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + @patch('openlp.core.ui.media.vlcplayer.QtGui') + @patch('openlp.core.ui.media.vlcplayer.Settings') + def setup_test(self, MockedSettings, MockedQtGui, mocked_get_vlc, mocked_is_macosx, mocked_is_win): + """ + Test the setup method + """ + # GIVEN: A bunch of mocked out stuff and a VlcPlayer object + mocked_is_macosx.return_value = False + mocked_is_win.return_value = False + mocked_settings = MagicMock() + mocked_settings.value.return_value = True + MockedSettings.return_value = mocked_settings + mocked_qframe = MagicMock() + mocked_qframe.winId.return_value = 2 + MockedQtGui.QFrame.NoFrame = 1 + MockedQtGui.QFrame.return_value = mocked_qframe + mocked_media_player_new = MagicMock() + mocked_instance = MagicMock() + mocked_instance.media_player_new.return_value = mocked_media_player_new + mocked_vlc = MagicMock() + mocked_vlc.Instance.return_value = mocked_instance + mocked_get_vlc.return_value = mocked_vlc + mocked_display = MagicMock() + mocked_display.has_audio = False + mocked_display.controller.is_live = True + mocked_display.size.return_value = (10, 10) + vlc_player = VlcPlayer(None) + + # WHEN: setup() is run + vlc_player.setup(mocked_display) + + # THEN: The VLC widget should be set up correctly + self.assertEqual(mocked_display.vlc_widget, mocked_qframe) + mocked_qframe.setFrameStyle.assert_called_with(1) + mocked_settings.value.assert_called_with('advanced/hide mouse') + mocked_vlc.Instance.assert_called_with('--no-video-title-show --no-audio --no-video-title-show ' + '--mouse-hide-timeout=0') + self.assertEqual(mocked_display.vlc_instance, mocked_instance) + mocked_instance.media_player_new.assert_called_with() + self.assertEqual(mocked_display.vlc_media_player, mocked_media_player_new) + mocked_display.size.assert_called_with() + mocked_qframe.resize.assert_called_with((10, 10)) + mocked_qframe.raise_.assert_called_with() + mocked_qframe.hide.assert_called_with() + mocked_media_player_new.set_xwindow.assert_called_with(2) + self.assertTrue(vlc_player.has_own_widget) + + @patch('openlp.core.ui.media.vlcplayer.is_win') + @patch('openlp.core.ui.media.vlcplayer.is_macosx') + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + @patch('openlp.core.ui.media.vlcplayer.QtGui') + @patch('openlp.core.ui.media.vlcplayer.Settings') + def setup_has_audio_test(self, MockedSettings, MockedQtGui, mocked_get_vlc, mocked_is_macosx, mocked_is_win): + """ + Test the setup method when has_audio is True + """ + # GIVEN: A bunch of mocked out stuff and a VlcPlayer object + mocked_is_macosx.return_value = False + mocked_is_win.return_value = False + mocked_settings = MagicMock() + mocked_settings.value.return_value = True + MockedSettings.return_value = mocked_settings + mocked_qframe = MagicMock() + mocked_qframe.winId.return_value = 2 + MockedQtGui.QFrame.NoFrame = 1 + MockedQtGui.QFrame.return_value = mocked_qframe + mocked_media_player_new = MagicMock() + mocked_instance = MagicMock() + mocked_instance.media_player_new.return_value = mocked_media_player_new + mocked_vlc = MagicMock() + mocked_vlc.Instance.return_value = mocked_instance + mocked_get_vlc.return_value = mocked_vlc + mocked_display = MagicMock() + mocked_display.has_audio = True + mocked_display.controller.is_live = True + mocked_display.size.return_value = (10, 10) + vlc_player = VlcPlayer(None) + + # WHEN: setup() is run + vlc_player.setup(mocked_display) + + # THEN: The VLC instance should be created with the correct options + mocked_vlc.Instance.assert_called_with('--no-video-title-show --mouse-hide-timeout=0') + + @patch('openlp.core.ui.media.vlcplayer.is_win') + @patch('openlp.core.ui.media.vlcplayer.is_macosx') + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + @patch('openlp.core.ui.media.vlcplayer.QtGui') + @patch('openlp.core.ui.media.vlcplayer.Settings') + def setup_visible_mouse_test(self, MockedSettings, MockedQtGui, mocked_get_vlc, mocked_is_macosx, mocked_is_win): + """ + Test the setup method when Settings().value("hide mouse") is False + """ + # GIVEN: A bunch of mocked out stuff and a VlcPlayer object + mocked_is_macosx.return_value = False + mocked_is_win.return_value = False + mocked_settings = MagicMock() + mocked_settings.value.return_value = False + MockedSettings.return_value = mocked_settings + mocked_qframe = MagicMock() + mocked_qframe.winId.return_value = 2 + MockedQtGui.QFrame.NoFrame = 1 + MockedQtGui.QFrame.return_value = mocked_qframe + mocked_media_player_new = MagicMock() + mocked_instance = MagicMock() + mocked_instance.media_player_new.return_value = mocked_media_player_new + mocked_vlc = MagicMock() + mocked_vlc.Instance.return_value = mocked_instance + mocked_get_vlc.return_value = mocked_vlc + mocked_display = MagicMock() + mocked_display.has_audio = False + mocked_display.controller.is_live = True + mocked_display.size.return_value = (10, 10) + vlc_player = VlcPlayer(None) + + # WHEN: setup() is run + vlc_player.setup(mocked_display) + + # THEN: The VLC instance should be created with the correct options + mocked_vlc.Instance.assert_called_with('--no-video-title-show --no-audio --no-video-title-show') + + @patch('openlp.core.ui.media.vlcplayer.is_win') + @patch('openlp.core.ui.media.vlcplayer.is_macosx') + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + @patch('openlp.core.ui.media.vlcplayer.QtGui') + @patch('openlp.core.ui.media.vlcplayer.Settings') + def setup_windows_test(self, MockedSettings, MockedQtGui, mocked_get_vlc, mocked_is_macosx, mocked_is_win): + """ + Test the setup method when running on Windows + """ + # GIVEN: A bunch of mocked out stuff and a VlcPlayer object + mocked_is_macosx.return_value = False + mocked_is_win.return_value = True + mocked_settings = MagicMock() + mocked_settings.value.return_value = False + MockedSettings.return_value = mocked_settings + mocked_qframe = MagicMock() + mocked_qframe.winId.return_value = 2 + MockedQtGui.QFrame.NoFrame = 1 + MockedQtGui.QFrame.return_value = mocked_qframe + mocked_media_player_new = MagicMock() + mocked_instance = MagicMock() + mocked_instance.media_player_new.return_value = mocked_media_player_new + mocked_vlc = MagicMock() + mocked_vlc.Instance.return_value = mocked_instance + mocked_get_vlc.return_value = mocked_vlc + mocked_display = MagicMock() + mocked_display.has_audio = False + mocked_display.controller.is_live = True + mocked_display.size.return_value = (10, 10) + vlc_player = VlcPlayer(None) + + # WHEN: setup() is run + vlc_player.setup(mocked_display) + + # THEN: set_hwnd should be called + mocked_media_player_new.set_hwnd.assert_called_with(2) + + @patch('openlp.core.ui.media.vlcplayer.is_win') + @patch('openlp.core.ui.media.vlcplayer.is_macosx') + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + @patch('openlp.core.ui.media.vlcplayer.QtGui') + @patch('openlp.core.ui.media.vlcplayer.Settings') + def setup_osx_test(self, MockedSettings, MockedQtGui, mocked_get_vlc, mocked_is_macosx, mocked_is_win): + """ + Test the setup method when running on OS X + """ + # GIVEN: A bunch of mocked out stuff and a VlcPlayer object + mocked_is_macosx.return_value = True + mocked_is_win.return_value = False + mocked_settings = MagicMock() + mocked_settings.value.return_value = False + MockedSettings.return_value = mocked_settings + mocked_qframe = MagicMock() + mocked_qframe.winId.return_value = 2 + MockedQtGui.QFrame.NoFrame = 1 + MockedQtGui.QFrame.return_value = mocked_qframe + mocked_media_player_new = MagicMock() + mocked_instance = MagicMock() + mocked_instance.media_player_new.return_value = mocked_media_player_new + mocked_vlc = MagicMock() + mocked_vlc.Instance.return_value = mocked_instance + mocked_get_vlc.return_value = mocked_vlc + mocked_display = MagicMock() + mocked_display.has_audio = False + mocked_display.controller.is_live = True + mocked_display.size.return_value = (10, 10) + vlc_player = VlcPlayer(None) + + # WHEN: setup() is run + vlc_player.setup(mocked_display) + + # THEN: set_nsobject should be called + mocked_media_player_new.set_nsobject.assert_called_with(2) + + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + def check_available_test(self, mocked_get_vlc): + """ + Check that when the "vlc" module is available, then VLC is set as available + """ + # GIVEN: A mocked out get_vlc() method and a VlcPlayer instance + mocked_get_vlc.return_value = MagicMock() + vlc_player = VlcPlayer(None) + + # WHEN: vlc + is_available = vlc_player.check_available() + + # THEN: VLC should be available + self.assertTrue(is_available) + + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + def check_not_available_test(self, mocked_get_vlc): + """ + Check that when the "vlc" module is not available, then VLC is set as unavailable + """ + # GIVEN: A mocked out get_vlc() method and a VlcPlayer instance + mocked_get_vlc.return_value = None + vlc_player = VlcPlayer(None) + + # WHEN: vlc + is_available = vlc_player.check_available() + + # THEN: VLC should NOT be available + self.assertFalse(is_available) + + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + @patch('openlp.core.ui.media.vlcplayer.os.path.normcase') + def load_test(self, mocked_normcase, mocked_get_vlc): + """ + Test loading a video into VLC + """ + # GIVEN: A mocked out get_vlc() method + media_path = '/path/to/media.mp4' + mocked_normcase.side_effect = lambda x: x + mocked_vlc = MagicMock() + mocked_get_vlc.return_value = mocked_vlc + mocked_controller = MagicMock() + mocked_controller.media_info.volume = 100 + mocked_controller.media_info.media_type = MediaType.Video + mocked_controller.media_info.file_info.absoluteFilePath.return_value = media_path + mocked_vlc_media = MagicMock() + mocked_media = MagicMock() + mocked_media.get_duration.return_value = 10000 + mocked_display = MagicMock() + mocked_display.controller = mocked_controller + mocked_display.vlc_instance.media_new_path.return_value = mocked_vlc_media + mocked_display.vlc_media_player.get_media.return_value = mocked_media + vlc_player = VlcPlayer(None) + + # WHEN: A video is loaded into VLC + with patch.object(vlc_player, 'volume') as mocked_volume: + result = vlc_player.load(mocked_display) + + # THEN: The video should be loaded + mocked_normcase.assert_called_with(media_path) + mocked_display.vlc_instance.media_new_path.assert_called_with(media_path) + self.assertEqual(mocked_vlc_media, mocked_display.vlc_media) + mocked_display.vlc_media_player.set_media.assert_called_with(mocked_vlc_media) + mocked_vlc_media.parse.assert_called_with() + mocked_volume.assert_called_with(mocked_display, 100) + self.assertEqual(10, mocked_controller.media_info.length) + self.assertTrue(result) + + @patch('openlp.core.ui.media.vlcplayer.is_win') + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + @patch('openlp.core.ui.media.vlcplayer.os.path.normcase') + def load_audio_cd_test(self, mocked_normcase, mocked_get_vlc, mocked_is_win): + """ + Test loading an audio CD into VLC + """ + # GIVEN: A mocked out get_vlc() method + mocked_is_win.return_value = False + media_path = '/dev/sr0' + mocked_normcase.side_effect = lambda x: x + mocked_vlc = MagicMock() + mocked_get_vlc.return_value = mocked_vlc + mocked_controller = MagicMock() + mocked_controller.media_info.volume = 100 + mocked_controller.media_info.media_type = MediaType.CD + mocked_controller.media_info.file_info.absoluteFilePath.return_value = media_path + mocked_controller.media_info.title_track = 1 + mocked_vlc_media = MagicMock() + mocked_media = MagicMock() + mocked_media.get_duration.return_value = 10000 + mocked_display = MagicMock() + mocked_display.controller = mocked_controller + mocked_display.vlc_instance.media_new_location.return_value = mocked_vlc_media + mocked_display.vlc_media_player.get_media.return_value = mocked_media + mocked_subitems = MagicMock() + mocked_subitems.count.return_value = 1 + mocked_subitems.item_at_index.return_value = mocked_vlc_media + mocked_vlc_media.subitems.return_value = mocked_subitems + vlc_player = VlcPlayer(None) + + # WHEN: An audio CD is loaded into VLC + with patch.object(vlc_player, 'volume') as mocked_volume, \ + patch.object(vlc_player, 'media_state_wait') as mocked_media_state_wait: + result = vlc_player.load(mocked_display) + + # THEN: The video should be loaded + mocked_normcase.assert_called_with(media_path) + mocked_display.vlc_instance.media_new_location.assert_called_with('cdda://' + media_path) + self.assertEqual(mocked_vlc_media, mocked_display.vlc_media) + mocked_display.vlc_media_player.set_media.assert_called_with(mocked_vlc_media) + mocked_vlc_media.parse.assert_called_with() + mocked_volume.assert_called_with(mocked_display, 100) + self.assertEqual(10, mocked_controller.media_info.length) + self.assertTrue(result) + + @patch('openlp.core.ui.media.vlcplayer.is_win') + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + @patch('openlp.core.ui.media.vlcplayer.os.path.normcase') + def load_audio_cd_on_windows_test(self, mocked_normcase, mocked_get_vlc, mocked_is_win): + """ + Test loading an audio CD into VLC on Windows + """ + # GIVEN: A mocked out get_vlc() method + mocked_is_win.return_value = True + media_path = '/dev/sr0' + mocked_normcase.side_effect = lambda x: x + mocked_vlc = MagicMock() + mocked_get_vlc.return_value = mocked_vlc + mocked_controller = MagicMock() + mocked_controller.media_info.volume = 100 + mocked_controller.media_info.media_type = MediaType.CD + mocked_controller.media_info.file_info.absoluteFilePath.return_value = media_path + mocked_controller.media_info.title_track = 1 + mocked_vlc_media = MagicMock() + mocked_media = MagicMock() + mocked_media.get_duration.return_value = 10000 + mocked_display = MagicMock() + mocked_display.controller = mocked_controller + mocked_display.vlc_instance.media_new_location.return_value = mocked_vlc_media + mocked_display.vlc_media_player.get_media.return_value = mocked_media + mocked_subitems = MagicMock() + mocked_subitems.count.return_value = 1 + mocked_subitems.item_at_index.return_value = mocked_vlc_media + mocked_vlc_media.subitems.return_value = mocked_subitems + vlc_player = VlcPlayer(None) + + # WHEN: An audio CD is loaded into VLC + with patch.object(vlc_player, 'volume') as mocked_volume, \ + patch.object(vlc_player, 'media_state_wait') as mocked_media_state_wait: + result = vlc_player.load(mocked_display) + + # THEN: The video should be loaded + mocked_normcase.assert_called_with(media_path) + mocked_display.vlc_instance.media_new_location.assert_called_with('cdda:///' + media_path) + self.assertEqual(mocked_vlc_media, mocked_display.vlc_media) + mocked_display.vlc_media_player.set_media.assert_called_with(mocked_vlc_media) + mocked_vlc_media.parse.assert_called_with() + mocked_volume.assert_called_with(mocked_display, 100) + self.assertEqual(10, mocked_controller.media_info.length) + self.assertTrue(result) + + @patch('openlp.core.ui.media.vlcplayer.is_win') + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + @patch('openlp.core.ui.media.vlcplayer.os.path.normcase') + def load_audio_cd_no_tracks_test(self, mocked_normcase, mocked_get_vlc, mocked_is_win): + """ + Test loading an audio CD that has no tracks into VLC + """ + # GIVEN: A mocked out get_vlc() method + mocked_is_win.return_value = False + media_path = '/dev/sr0' + mocked_normcase.side_effect = lambda x: x + mocked_vlc = MagicMock() + mocked_get_vlc.return_value = mocked_vlc + mocked_controller = MagicMock() + mocked_controller.media_info.volume = 100 + mocked_controller.media_info.media_type = MediaType.CD + mocked_controller.media_info.file_info.absoluteFilePath.return_value = media_path + mocked_controller.media_info.title_track = 1 + mocked_vlc_media = MagicMock() + mocked_media = MagicMock() + mocked_media.get_duration.return_value = 10000 + mocked_display = MagicMock() + mocked_display.controller = mocked_controller + mocked_display.vlc_instance.media_new_location.return_value = mocked_vlc_media + mocked_display.vlc_media_player.get_media.return_value = mocked_media + mocked_subitems = MagicMock() + mocked_subitems.count.return_value = 0 + mocked_subitems.item_at_index.return_value = mocked_vlc_media + mocked_vlc_media.subitems.return_value = mocked_subitems + vlc_player = VlcPlayer(None) + + # WHEN: An audio CD is loaded into VLC + with patch.object(vlc_player, 'volume') as mocked_volume, \ + patch.object(vlc_player, 'media_state_wait') as mocked_media_state_wait: + result = vlc_player.load(mocked_display) + + # THEN: The video should be loaded + mocked_normcase.assert_called_with(media_path) + mocked_display.vlc_instance.media_new_location.assert_called_with('cdda://' + media_path) + self.assertEqual(mocked_vlc_media, mocked_display.vlc_media) + self.assertEqual(0, mocked_subitems.item_at_index.call_count) + mocked_display.vlc_media_player.set_media.assert_called_with(mocked_vlc_media) + self.assertEqual(0, mocked_vlc_media.parse.call_count) + self.assertFalse(result) + + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + @patch('openlp.core.ui.media.vlcplayer.datetime', MockDateTime) + def media_state_wait_test(self, mocked_get_vlc): + """ + Check that waiting for a state change works + """ + # GIVEN: A mocked out get_vlc method + mocked_vlc = MagicMock() + mocked_vlc.State.Error = 1 + mocked_get_vlc.return_value = mocked_vlc + mocked_display = MagicMock() + mocked_display.vlc_media.get_state.return_value = 2 + Registry.create() + mocked_application = MagicMock() + Registry().register('application', mocked_application) + vlc_player = VlcPlayer(None) + + # WHEN: media_state_wait() is called + result = vlc_player.media_state_wait(mocked_display, 2) + + # THEN: The results should be True + self.assertTrue(result) + + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + @patch('openlp.core.ui.media.vlcplayer.datetime', MockDateTime) + def media_state_wait_error_test(self, mocked_get_vlc): + """ + Check that getting an error when waiting for a state change returns False + """ + # GIVEN: A mocked out get_vlc method + mocked_vlc = MagicMock() + mocked_vlc.State.Error = 1 + mocked_get_vlc.return_value = mocked_vlc + mocked_display = MagicMock() + mocked_display.vlc_media.get_state.return_value = 1 + Registry.create() + mocked_application = MagicMock() + Registry().register('application', mocked_application) + vlc_player = VlcPlayer(None) + + # WHEN: media_state_wait() is called + result = vlc_player.media_state_wait(mocked_display, 2) + + # THEN: The results should be True + self.assertFalse(result) + + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + @patch('openlp.core.ui.media.vlcplayer.datetime', MockDateTime) + def media_state_wait_times_out_test(self, mocked_get_vlc): + """ + Check that waiting for a state returns False when it times out after 60 seconds + """ + # GIVEN: A mocked out get_vlc method + timeout = MockDateTime.return_values[0] + timedelta(seconds=61) + MockDateTime.return_values.append(timeout) + mocked_vlc = MagicMock() + mocked_vlc.State.Error = 1 + mocked_get_vlc.return_value = mocked_vlc + mocked_display = MagicMock() + mocked_display.vlc_media.get_state.return_value = 2 + Registry.create() + mocked_application = MagicMock() + Registry().register('application', mocked_application) + vlc_player = VlcPlayer(None) + + # WHEN: media_state_wait() is called + result = vlc_player.media_state_wait(mocked_display, 3) + + # THEN: The results should be True + self.assertFalse(result) + + def resize_test(self): + """ + Test resizing the player + """ + # GIVEN: A display object and a VlcPlayer instance + mocked_display = MagicMock() + mocked_display.size.return_value = (10, 10) + vlc_player = VlcPlayer(None) + + # WHEN: resize is called + vlc_player.resize(mocked_display) + + # THEN: The right methods should have been called + mocked_display.size.assert_called_with() + mocked_display.vlc_widget.resize.assert_called_with((10, 10)) + + @patch('openlp.core.ui.media.vlcplayer.threading') + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + def play_test(self, mocked_get_vlc, mocked_threading): + """ + Test the play() method + """ + # GIVEN: A bunch of mocked out things + mocked_thread = MagicMock() + mocked_threading.Thread.return_value = mocked_thread + mocked_vlc = MagicMock() + mocked_get_vlc.return_value = mocked_vlc + mocked_controller = MagicMock() + mocked_controller.media_info.start_time = 0 + mocked_controller.media_info.media_type = MediaType.Video + mocked_controller.media_info.volume = 100 + mocked_media = MagicMock() + mocked_media.get_duration.return_value = 50000 + mocked_display = MagicMock() + mocked_display.controller = mocked_controller + mocked_display.vlc_media_player.get_media.return_value = mocked_media + vlc_player = VlcPlayer(None) + vlc_player.state = MediaState.Paused + + # WHEN: play() is called + with patch.object(vlc_player, 'media_state_wait') as mocked_media_state_wait, \ + patch.object(vlc_player, 'volume') as mocked_volume: + mocked_media_state_wait.return_value = True + result = vlc_player.play(mocked_display) + + # THEN: A bunch of things should happen to play the media + mocked_thread.start.assert_called_with() + self.assertEqual(50, mocked_controller.media_info.length) + mocked_volume.assert_called_with(mocked_display, 100) + mocked_controller.seek_slider.setMaximum.assert_called_with(50000) + self.assertEqual(MediaState.Playing, vlc_player.state) + mocked_display.vlc_widget.raise_.assert_called_with() + self.assertTrue(result, 'The value returned from play() should be True') + + @patch('openlp.core.ui.media.vlcplayer.threading') + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + def play_media_wait_state_not_playing_test(self, mocked_get_vlc, mocked_threading): + """ + Test the play() method when media_wait_state() returns False + """ + # GIVEN: A bunch of mocked out things + mocked_thread = MagicMock() + mocked_threading.Thread.return_value = mocked_thread + mocked_vlc = MagicMock() + mocked_get_vlc.return_value = mocked_vlc + mocked_controller = MagicMock() + mocked_controller.media_info.start_time = 0 + mocked_display = MagicMock() + mocked_display.controller = mocked_controller + vlc_player = VlcPlayer(None) + vlc_player.state = MediaState.Paused + + # WHEN: play() is called + with patch.object(vlc_player, 'media_state_wait') as mocked_media_state_wait, \ + patch.object(vlc_player, 'volume') as mocked_volume: + mocked_media_state_wait.return_value = False + result = vlc_player.play(mocked_display) + + # THEN: A thread should be started, but the method should return False + mocked_thread.start.assert_called_with() + self.assertFalse(result) + + @patch('openlp.core.ui.media.vlcplayer.threading') + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + def play_dvd_test(self, mocked_get_vlc, mocked_threading): + """ + Test the play() method with a DVD + """ + # GIVEN: A bunch of mocked out things + mocked_thread = MagicMock() + mocked_threading.Thread.return_value = mocked_thread + mocked_vlc = MagicMock() + mocked_get_vlc.return_value = mocked_vlc + mocked_controller = MagicMock() + mocked_controller.media_info.start_time = 0 + mocked_controller.media_info.end_time = 50 + mocked_controller.media_info.media_type = MediaType.DVD + mocked_controller.media_info.volume = 100 + mocked_controller.media_info.title_track = 1 + mocked_controller.media_info.audio_track = 1 + mocked_controller.media_info.subtitle_track = 1 + mocked_display = MagicMock() + mocked_display.controller = mocked_controller + vlc_player = VlcPlayer(None) + vlc_player.state = MediaState.Paused + + # WHEN: play() is called + with patch.object(vlc_player, 'media_state_wait') as mocked_media_state_wait, \ + patch.object(vlc_player, 'volume') as mocked_volume: + mocked_media_state_wait.return_value = True + result = vlc_player.play(mocked_display) + + # THEN: A bunch of things should happen to play the media + mocked_thread.start.assert_called_with() + mocked_display.vlc_media_player.set_title.assert_called_with(1) + mocked_display.vlc_media_player.play.assert_called_with() + mocked_display.vlc_media_player.audio_set_track.assert_called_with(1) + mocked_display.vlc_media_player.video_set_spu.assert_called_with(1) + self.assertEqual(50, mocked_controller.media_info.length) + mocked_volume.assert_called_with(mocked_display, 100) + mocked_controller.seek_slider.setMaximum.assert_called_with(50000) + self.assertEqual(MediaState.Playing, vlc_player.state) + mocked_display.vlc_widget.raise_.assert_called_with() + self.assertTrue(result, 'The value returned from play() should be True') + + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + def pause_test(self, mocked_get_vlc): + """ + Test that the pause method works correctly + """ + # GIVEN: A mocked out get_vlc method + mocked_vlc = MagicMock() + mocked_vlc.State.Playing = 1 + mocked_vlc.State.Paused = 2 + mocked_get_vlc.return_value = mocked_vlc + mocked_display = MagicMock() + mocked_display.vlc_media.get_state.return_value = 1 + vlc_player = VlcPlayer(None) + + # WHEN: The media is paused + with patch.object(vlc_player, 'media_state_wait') as mocked_media_state_wait: + mocked_media_state_wait.return_value = True + vlc_player.pause(mocked_display) + + # THEN: The pause method should exit early + mocked_display.vlc_media.get_state.assert_called_with() + mocked_display.vlc_media_player.pause.assert_called_with() + mocked_media_state_wait.assert_called_with(mocked_display, 2) + self.assertEqual(MediaState.Paused, vlc_player.state) + + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + def pause_not_playing_test(self, mocked_get_vlc): + """ + Test the pause method when the player is not playing + """ + # GIVEN: A mocked out get_vlc method + mocked_vlc = MagicMock() + mocked_vlc.State.Playing = 1 + mocked_get_vlc.return_value = mocked_vlc + mocked_display = MagicMock() + mocked_display.vlc_media.get_state.return_value = 2 + vlc_player = VlcPlayer(None) + + # WHEN: The media is paused + vlc_player.pause(mocked_display) + + # THEN: The pause method should exit early + mocked_display.vlc_media.get_state.assert_called_with() + self.assertEqual(0, mocked_display.vlc_media_player.pause.call_count) + + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + def pause_fail_test(self, mocked_get_vlc): + """ + Test the pause method when the player fails to pause the media + """ + # GIVEN: A mocked out get_vlc method + mocked_vlc = MagicMock() + mocked_vlc.State.Playing = 1 + mocked_vlc.State.Paused = 2 + mocked_get_vlc.return_value = mocked_vlc + mocked_display = MagicMock() + mocked_display.vlc_media.get_state.return_value = 1 + vlc_player = VlcPlayer(None) + + # WHEN: The media is paused + with patch.object(vlc_player, 'media_state_wait') as mocked_media_state_wait: + mocked_media_state_wait.return_value = False + vlc_player.pause(mocked_display) + + # THEN: The pause method should exit early + mocked_display.vlc_media.get_state.assert_called_with() + mocked_display.vlc_media_player.pause.assert_called_with() + mocked_media_state_wait.assert_called_with(mocked_display, 2) + self.assertNotEqual(MediaState.Paused, vlc_player.state) + + @patch('openlp.core.ui.media.vlcplayer.threading') + def stop_test(self, mocked_threading): + """ + Test stopping the current item + """ + # GIVEN: A display object and a VlcPlayer instance and some mocked threads + mocked_thread = MagicMock() + mocked_threading.Thread.return_value = mocked_thread + mocked_stop = MagicMock() + mocked_display = MagicMock() + mocked_display.vlc_media_player.stop = mocked_stop + vlc_player = VlcPlayer(None) + + # WHEN: stop is called + vlc_player.stop(mocked_display) + + # THEN: A thread should have been started to stop VLC + mocked_threading.Thread.assert_called_with(target=mocked_stop) + mocked_thread.start.assert_called_with() + self.assertEqual(MediaState.Stopped, vlc_player.state) + + def volume_test(self): + """ + Test setting the volume + """ + # GIVEN: A display object and a VlcPlayer instance + mocked_display = MagicMock() + mocked_display.has_audio = True + vlc_player = VlcPlayer(None) + + # WHEN: The volume is set + vlc_player.volume(mocked_display, 10) + + # THEN: The volume should have been set + mocked_display.vlc_media_player.audio_set_volume.assert_called_with(10) + + def volume_no_audio_test(self): + """ + Test setting the volume when there's no audio + """ + # GIVEN: A display object and a VlcPlayer instance + mocked_display = MagicMock() + mocked_display.has_audio = False + vlc_player = VlcPlayer(None) + + # WHEN: The volume is set + vlc_player.volume(mocked_display, 10) + + # THEN: The volume should NOT have been set + self.assertEqual(0, mocked_display.vlc_media_player.audio_set_volume.call_count) + + def seek_unseekable_media_test(self): + """ + Test seeking something that can't be seeked + """ + # GIVEN: Unseekable media + mocked_display = MagicMock() + mocked_display.controller.media_info.media_type = MediaType.Audio + mocked_display.vlc_media_player.is_seekable.return_value = False + vlc_player = VlcPlayer(None) + + # WHEN: seek() is called + vlc_player.seek(mocked_display, 100) + + # THEN: nothing should happen + mocked_display.vlc_media_player.is_seekable.assert_called_with() + self.assertEqual(0, mocked_display.vlc_media_player.set_time.call_count) + + def seek_seekable_media_test(self): + """ + Test seeking something that is seekable, but not a DVD + """ + # GIVEN: Unseekable media + mocked_display = MagicMock() + mocked_display.controller.media_info.media_type = MediaType.Audio + mocked_display.vlc_media_player.is_seekable.return_value = True + vlc_player = VlcPlayer(None) + + # WHEN: seek() is called + vlc_player.seek(mocked_display, 100) + + # THEN: nothing should happen + mocked_display.vlc_media_player.is_seekable.assert_called_with() + mocked_display.vlc_media_player.set_time.assert_called_with(100) + + def seek_dvd_test(self): + """ + Test seeking a DVD + """ + # GIVEN: Unseekable media + mocked_display = MagicMock() + mocked_display.controller.media_info.media_type = MediaType.DVD + mocked_display.vlc_media_player.is_seekable.return_value = True + mocked_display.controller.media_info.start_time = 3 + vlc_player = VlcPlayer(None) + + # WHEN: seek() is called + vlc_player.seek(mocked_display, 2000) + + # THEN: nothing should happen + mocked_display.vlc_media_player.is_seekable.assert_called_with() + mocked_display.vlc_media_player.set_time.assert_called_with(5000) + + def reset_test(self): + """ + Test the reset() method + """ + # GIVEN: Some mocked out stuff + mocked_display = MagicMock() + vlc_player = VlcPlayer(None) + + # WHEN: reset() is called + vlc_player.reset(mocked_display) + + # THEN: The media should be stopped and invsibile + mocked_display.vlc_media_player.stop.assert_called_with() + mocked_display.vlc_widget.setVisible.assert_called_with(False) + self.assertEqual(MediaState.Off, vlc_player.state) + + def set_visible_has_own_widget_test(self): + """ + Test the set_visible() method when the player has its own widget + """ + # GIVEN: Some mocked out stuff + mocked_display = MagicMock() + vlc_player = VlcPlayer(None) + vlc_player.has_own_widget = True + + # WHEN: reset() is called + vlc_player.set_visible(mocked_display, True) + + # THEN: The media should be stopped and invsibile + mocked_display.vlc_widget.setVisible.assert_called_with(True) + + def set_visible_no_widget_test(self): + """ + Test the set_visible() method when the player doesn't have a widget + """ + # GIVEN: Some mocked out stuff + mocked_display = MagicMock() + vlc_player = VlcPlayer(None) + vlc_player.has_own_widget = False + + # WHEN: reset() is called + vlc_player.set_visible(mocked_display, True) + + # THEN: The media should be stopped and invsibile + self.assertEqual(0, mocked_display.vlc_widget.setVisible.call_count) + + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + def update_ui_test(self, mocked_get_vlc): + """ + Test updating the UI + """ + # GIVEN: A whole bunch of mocks + mocked_vlc = MagicMock() + mocked_vlc.State.Ended = 1 + mocked_get_vlc.return_value = mocked_vlc + mocked_controller = MagicMock() + mocked_controller.media_info.end_time = 300 + mocked_controller.seek_slider.isSliderDown.return_value = False + mocked_display = MagicMock() + mocked_display.controller = mocked_controller + mocked_display.vlc_media.get_state.return_value = 1 + mocked_display.vlc_media_player.get_time.return_value = 400000 + vlc_player = VlcPlayer(None) + + # WHEN: update_ui() is called + with patch.object(vlc_player, 'stop') as mocked_stop, \ + patch.object(vlc_player, 'set_visible') as mocked_set_visible: + vlc_player.update_ui(mocked_display) + + # THEN: Certain methods should be called + mocked_stop.assert_called_with(mocked_display) + self.assertEqual(2, mocked_stop.call_count) + mocked_display.vlc_media_player.get_time.assert_called_with() + mocked_set_visible.assert_called_with(mocked_display, False) + mocked_controller.seek_slider.setSliderPosition.assert_called_with(400000) + expected_calls = [call(True), call(False)] + self.assertEqual(expected_calls, mocked_controller.seek_slider.blockSignals.call_args_list) + + @patch('openlp.core.ui.media.vlcplayer.get_vlc') + def update_ui_dvd_test(self, mocked_get_vlc): + """ + Test updating the UI for a CD or DVD + """ + # GIVEN: A whole bunch of mocks + mocked_vlc = MagicMock() + mocked_vlc.State.Ended = 1 + mocked_get_vlc.return_value = mocked_vlc + mocked_controller = MagicMock() + mocked_controller.media_info.start_time = 100 + mocked_controller.media_info.end_time = 300 + mocked_controller.seek_slider.isSliderDown.return_value = False + mocked_display = MagicMock() + mocked_display.controller = mocked_controller + mocked_display.vlc_media.get_state.return_value = 1 + mocked_display.vlc_media_player.get_time.return_value = 400000 + mocked_display.controller.media_info.media_type = MediaType.DVD + vlc_player = VlcPlayer(None) + + # WHEN: update_ui() is called + with patch.object(vlc_player, 'stop') as mocked_stop, \ + patch.object(vlc_player, 'set_visible') as mocked_set_visible: + vlc_player.update_ui(mocked_display) + + # THEN: Certain methods should be called + mocked_stop.assert_called_with(mocked_display) + self.assertEqual(2, mocked_stop.call_count) + mocked_display.vlc_media_player.get_time.assert_called_with() + mocked_set_visible.assert_called_with(mocked_display, False) + mocked_controller.seek_slider.setSliderPosition.assert_called_with(300000) + expected_calls = [call(True), call(False)] + self.assertEqual(expected_calls, mocked_controller.seek_slider.blockSignals.call_args_list) + + @patch('openlp.core.ui.media.vlcplayer.translate') + def get_info_test(self, mocked_translate): + """ + Test that get_info() returns some information about the VLC player + """ + # GIVEN: A VlcPlayer + mocked_translate.side_effect = lambda *x: x[1] + vlc_player = VlcPlayer(None) + + # WHEN: get_info() is run + info = vlc_player.get_info() + + # THEN: The information should be correct + self.assertEqual('VLC is an external player which supports a number of different formats.
' + 'Audio
' + str(AUDIO_EXT) + '
Video
' + + str(VIDEO_EXT) + '
', info) diff --git a/tests/functional/openlp_core_utils/test_utils.py b/tests/functional/openlp_core_utils/test_utils.py index cca5f6825..f9fb6f6f8 100644 --- a/tests/functional/openlp_core_utils/test_utils.py +++ b/tests/functional/openlp_core_utils/test_utils.py @@ -185,7 +185,7 @@ class TestUtils(TestCase): self.assertEqual(wanted_name, result, 'The file name should not contain any special characters.') def delete_file_no_path_test(self): - """" + """ Test the delete_file function when called with out a valid path """ # GIVEN: A blank path @@ -196,7 +196,7 @@ class TestUtils(TestCase): self.assertFalse(result, "delete_file should return False when called with ''") def delete_file_path_success_test(self): - """" + """ Test the delete_file function when it successfully deletes a file """ # GIVEN: A mocked os which returns True when os.path.exists is called @@ -209,7 +209,7 @@ class TestUtils(TestCase): self.assertTrue(result, 'delete_file should return True when it successfully deletes a file') def delete_file_path_no_file_exists_test(self): - """" + """ Test the delete_file function when the file to remove does not exist """ # GIVEN: A mocked os which returns False when os.path.exists is called @@ -222,7 +222,7 @@ class TestUtils(TestCase): self.assertTrue(result, 'delete_file should return True when the file doesnt exist') def delete_file_path_exception_test(self): - """" + """ Test the delete_file function when os.remove raises an exception """ # GIVEN: A mocked os which returns True when os.path.exists is called and raises an OSError when os.remove is diff --git a/tests/functional/openlp_plugins/bibles/test_csvimport.py b/tests/functional/openlp_plugins/bibles/test_csvimport.py new file mode 100644 index 000000000..9fb3de9c2 --- /dev/null +++ b/tests/functional/openlp_plugins/bibles/test_csvimport.py @@ -0,0 +1,97 @@ +# -*- coding: utf-8 -*- +# vim: autoindent shiftwidth=4 expandtab textwidth=120 tabstop=4 softtabstop=4 + +############################################################################### +# OpenLP - Open Source Lyrics Projection # +# --------------------------------------------------------------------------- # +# Copyright (c) 2008-2015 OpenLP Developers # +# --------------------------------------------------------------------------- # +# 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; version 2 of the License. # +# # +# 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., 59 # +# Temple Place, Suite 330, Boston, MA 02111-1307 USA # +############################################################################### +""" +This module contains tests for the CSV Bible importer. +""" + +import os +import json +from unittest import TestCase + +from tests.functional import MagicMock, patch +from openlp.plugins.bibles.lib.csvbible import CSVBible +from openlp.plugins.bibles.lib.db import BibleDB + +TEST_PATH = os.path.abspath(os.path.join(os.path.dirname(__file__), + '..', '..', '..', 'resources', 'bibles')) + + +class TestCSVImport(TestCase): + """ + Test the functions in the :mod:`csvimport` module. + """ + + def setUp(self): + self.registry_patcher = patch('openlp.plugins.bibles.lib.db.Registry') + self.registry_patcher.start() + self.manager_patcher = patch('openlp.plugins.bibles.lib.db.Manager') + self.manager_patcher.start() + + def tearDown(self): + self.registry_patcher.stop() + self.manager_patcher.stop() + + def create_importer_test(self): + """ + Test creating an instance of the CSV file importer + """ + # GIVEN: A mocked out "manager" + mocked_manager = MagicMock() + + # WHEN: An importer object is created + importer = CSVBible(mocked_manager, path='.', name='.', booksfile='.', versefile='.') + + # THEN: The importer should be an instance of BibleDB + self.assertIsInstance(importer, BibleDB) + + def file_import_test(self): + """ + Test the actual import of CSV Bible file + """ + # GIVEN: Test files with a mocked out "manager", "import_wizard", and mocked functions + # get_book_ref_id_by_name, create_verse, create_book, session and get_language. + result_file = open(os.path.join(TEST_PATH, 'dk1933.json'), 'rb') + test_data = json.loads(result_file.read().decode()) + books_file = os.path.join(TEST_PATH, 'dk1933-books.csv') + verses_file = os.path.join(TEST_PATH, 'dk1933-verses.csv') + with patch('openlp.plugins.bibles.lib.csvbible.CSVBible.application'): + mocked_manager = MagicMock() + mocked_import_wizard = MagicMock() + importer = CSVBible(mocked_manager, path='.', name='.', booksfile=books_file, versefile=verses_file) + importer.wizard = mocked_import_wizard + importer.get_book_ref_id_by_name = MagicMock() + importer.create_verse = MagicMock() + importer.create_book = MagicMock() + importer.session = MagicMock() + importer.get_language = MagicMock() + importer.get_language.return_value = 'Danish' + importer.get_book = MagicMock() + + # WHEN: Importing bible file + importer.do_import() + + # THEN: The create_verse() method should have been called with each verse in the file. + self.assertTrue(importer.create_verse.called) + for verse_tag, verse_text in test_data['verses']: + importer.create_verse.assert_any_call(importer.get_book().id, '1', verse_tag, verse_text) + importer.create_book.assert_any_call('1. Mosebog', importer.get_book_ref_id_by_name(), 1) + importer.create_book.assert_any_call('1. Krønikebog', importer.get_book_ref_id_by_name(), 1) diff --git a/tests/functional/openlp_plugins/bibles/test_zefaniaimport.py b/tests/functional/openlp_plugins/bibles/test_zefaniaimport.py index 0a234903c..63545a00c 100644 --- a/tests/functional/openlp_plugins/bibles/test_zefaniaimport.py +++ b/tests/functional/openlp_plugins/bibles/test_zefaniaimport.py @@ -77,7 +77,6 @@ class TestZefaniaImport(TestCase): mocked_import_wizard = MagicMock() importer = ZefaniaBible(mocked_manager, path='.', name='.', filename='') importer.wizard = mocked_import_wizard - importer.get_book_ref_id_by_name = MagicMock() importer.create_verse = MagicMock() importer.create_book = MagicMock() importer.session = MagicMock() @@ -92,3 +91,34 @@ class TestZefaniaImport(TestCase): self.assertTrue(importer.create_verse.called) for verse_tag, verse_text in test_data['verses']: importer.create_verse.assert_any_call(importer.create_book().id, '1', verse_tag, verse_text) + importer.create_book.assert_any_call('Genesis', 1, 1) + + def file_import_no_book_name_test(self): + """ + Test the import of Zefania Bible file without book names + """ + # GIVEN: Test files with a mocked out "manager", "import_wizard", and mocked functions + # get_book_ref_id_by_name, create_verse, create_book, session and get_language. + result_file = open(os.path.join(TEST_PATH, 'rst.json'), 'rb') + test_data = json.loads(result_file.read().decode()) + bible_file = 'zefania-rst.xml' + with patch('openlp.plugins.bibles.lib.zefania.ZefaniaBible.application'): + mocked_manager = MagicMock() + mocked_import_wizard = MagicMock() + importer = ZefaniaBible(mocked_manager, path='.', name='.', filename='') + importer.wizard = mocked_import_wizard + importer.create_verse = MagicMock() + importer.create_book = MagicMock() + importer.session = MagicMock() + importer.get_language = MagicMock() + importer.get_language.return_value = 'Russian' + + # WHEN: Importing bible file + importer.filename = os.path.join(TEST_PATH, bible_file) + importer.do_import() + + # THEN: The create_verse() method should have been called with each verse in the file. + self.assertTrue(importer.create_verse.called) + for verse_tag, verse_text in test_data['verses']: + importer.create_verse.assert_any_call(importer.create_book().id, '1', verse_tag, verse_text) + importer.create_book.assert_any_call('Exodus', 2, 1) diff --git a/tests/functional/openlp_plugins/images/test_lib.py b/tests/functional/openlp_plugins/images/test_lib.py index 9dfb324cc..9d187af9e 100644 --- a/tests/functional/openlp_plugins/images/test_lib.py +++ b/tests/functional/openlp_plugins/images/test_lib.py @@ -24,6 +24,8 @@ This module contains tests for the lib submodule of the Images plugin. """ from unittest import TestCase +from PyQt4 import QtCore, QtGui + from openlp.core.common import Registry from openlp.plugins.images.lib.db import ImageFilenames, ImageGroups from openlp.plugins.images.lib.mediaitem import ImageMediaItem @@ -48,123 +50,121 @@ class TestImageMediaItem(TestCase): self.media_item = ImageMediaItem(None, mocked_plugin) self.media_item.settings_section = 'images' - def validate_and_load_test(self): + @patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_list') + @patch('openlp.plugins.images.lib.mediaitem.Settings') + def validate_and_load_test(self, mocked_settings, mocked_load_list): """ Test that the validate_and_load_test() method when called without a group """ # GIVEN: A list of files file_list = ['/path1/image1.jpg', '/path2/image2.jpg'] - with patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_list') as mocked_load_list, \ - patch('openlp.plugins.images.lib.mediaitem.Settings') as mocked_settings: + # WHEN: Calling validate_and_load with the list of files + self.media_item.validate_and_load(file_list) - # WHEN: Calling validate_and_load with the list of files - self.media_item.validate_and_load(file_list) + # THEN: load_list should have been called with the file list and None, + # the directory should have been saved to the settings + mocked_load_list.assert_called_once_with(file_list, None) + mocked_settings().setValue.assert_called_once_with(ANY, '/path1') - # THEN: load_list should have been called with the file list and None, - # the directory should have been saved to the settings - mocked_load_list.assert_called_once_with(file_list, None) - mocked_settings().setValue.assert_called_once_with(ANY, '/path1') - - def validate_and_load_group_test(self): + @patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_list') + @patch('openlp.plugins.images.lib.mediaitem.Settings') + def validate_and_load_group_test(self, mocked_settings, mocked_load_list): """ Test that the validate_and_load_test() method when called with a group """ # GIVEN: A list of files file_list = ['/path1/image1.jpg', '/path2/image2.jpg'] - with patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_list') as mocked_load_list, \ - patch('openlp.plugins.images.lib.mediaitem.Settings') as mocked_settings: + # WHEN: Calling validate_and_load with the list of files and a group + self.media_item.validate_and_load(file_list, 'group') - # WHEN: Calling validate_and_load with the list of files and a group - self.media_item.validate_and_load(file_list, 'group') + # THEN: load_list should have been called with the file list and the group name, + # the directory should have been saved to the settings + mocked_load_list.assert_called_once_with(file_list, 'group') + mocked_settings().setValue.assert_called_once_with(ANY, '/path1') - # THEN: load_list should have been called with the file list and the group name, - # the directory should have been saved to the settings - mocked_load_list.assert_called_once_with(file_list, 'group') - mocked_settings().setValue.assert_called_once_with(ANY, '/path1') - - def save_new_images_list_empty_list_test(self): + @patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_full_list') + def save_new_images_list_empty_list_test(self, mocked_load_full_list): """ Test that the save_new_images_list() method handles empty lists gracefully """ # GIVEN: An empty image_list image_list = [] - with patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_full_list'): - self.media_item.manager = MagicMock() + self.media_item.manager = MagicMock() - # WHEN: We run save_new_images_list with the empty list - self.media_item.save_new_images_list(image_list) + # WHEN: We run save_new_images_list with the empty list + self.media_item.save_new_images_list(image_list) - # THEN: The save_object() method should not have been called - assert self.media_item.manager.save_object.call_count == 0, \ - 'The save_object() method should not have been called' + # THEN: The save_object() method should not have been called + self.assertEquals(self.media_item.manager.save_object.call_count, 0, + 'The save_object() method should not have been called') - def save_new_images_list_single_image_with_reload_test(self): + @patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_full_list') + def save_new_images_list_single_image_with_reload_test(self, mocked_load_full_list): """ Test that the save_new_images_list() calls load_full_list() when reload_list is set to True """ # GIVEN: A list with 1 image and a mocked out manager image_list = ['test_image.jpg'] - with patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_full_list') as mocked_load_full_list: - ImageFilenames.filename = '' - self.media_item.manager = MagicMock() + ImageFilenames.filename = '' + self.media_item.manager = MagicMock() - # WHEN: We run save_new_images_list with reload_list=True - self.media_item.save_new_images_list(image_list, reload_list=True) + # WHEN: We run save_new_images_list with reload_list=True + self.media_item.save_new_images_list(image_list, reload_list=True) - # THEN: load_full_list() should have been called - assert mocked_load_full_list.call_count == 1, 'load_full_list() should have been called' + # THEN: load_full_list() should have been called + self.assertEquals(mocked_load_full_list.call_count, 1, 'load_full_list() should have been called') - # CLEANUP: Remove added attribute from ImageFilenames - delattr(ImageFilenames, 'filename') + # CLEANUP: Remove added attribute from ImageFilenames + delattr(ImageFilenames, 'filename') - def save_new_images_list_single_image_without_reload_test(self): + @patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_full_list') + def save_new_images_list_single_image_without_reload_test(self, mocked_load_full_list): """ Test that the save_new_images_list() doesn't call load_full_list() when reload_list is set to False """ # GIVEN: A list with 1 image and a mocked out manager image_list = ['test_image.jpg'] - with patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_full_list') as mocked_load_full_list: - self.media_item.manager = MagicMock() + self.media_item.manager = MagicMock() - # WHEN: We run save_new_images_list with reload_list=False - self.media_item.save_new_images_list(image_list, reload_list=False) + # WHEN: We run save_new_images_list with reload_list=False + self.media_item.save_new_images_list(image_list, reload_list=False) - # THEN: load_full_list() should not have been called - assert mocked_load_full_list.call_count == 0, 'load_full_list() should not have been called' + # THEN: load_full_list() should not have been called + self.assertEquals(mocked_load_full_list.call_count, 0, 'load_full_list() should not have been called') - def save_new_images_list_multiple_images_test(self): + @patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_full_list') + def save_new_images_list_multiple_images_test(self, mocked_load_full_list): """ Test that the save_new_images_list() saves all images in the list """ # GIVEN: A list with 3 images image_list = ['test_image_1.jpg', 'test_image_2.jpg', 'test_image_3.jpg'] - with patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_full_list') as mocked_load_full_list: - self.media_item.manager = MagicMock() + self.media_item.manager = MagicMock() - # WHEN: We run save_new_images_list with the list of 3 images - self.media_item.save_new_images_list(image_list, reload_list=False) + # WHEN: We run save_new_images_list with the list of 3 images + self.media_item.save_new_images_list(image_list, reload_list=False) - # THEN: load_full_list() should not have been called - assert self.media_item.manager.save_object.call_count == 3, \ - 'load_full_list() should have been called three times' + # THEN: load_full_list() should not have been called + self.assertEquals(self.media_item.manager.save_object.call_count, 3, + 'load_full_list() should have been called three times') - def save_new_images_list_other_objects_in_list_test(self): + @patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_full_list') + def save_new_images_list_other_objects_in_list_test(self, mocked_load_full_list): """ Test that the save_new_images_list() ignores everything in the provided list except strings """ # GIVEN: A list with images and objects image_list = ['test_image_1.jpg', None, True, ImageFilenames(), 'test_image_2.jpg'] - with patch('openlp.plugins.images.lib.mediaitem.ImageMediaItem.load_full_list') as mocked_load_full_list: - self.media_item.manager = MagicMock() + self.media_item.manager = MagicMock() - # WHEN: We run save_new_images_list with the list of images and objects - self.media_item.save_new_images_list(image_list, reload_list=False) + # WHEN: We run save_new_images_list with the list of images and objects + self.media_item.save_new_images_list(image_list, reload_list=False) - # THEN: load_full_list() should not have been called - assert self.media_item.manager.save_object.call_count == 2, \ - 'load_full_list() should have been called only once' + # THEN: load_full_list() should not have been called + self.assertEquals(self.media_item.manager.save_object.call_count, 2, + 'load_full_list() should have been called only once') def on_reset_click_test(self): """ @@ -180,31 +180,31 @@ class TestImageMediaItem(TestCase): self.media_item.reset_action.setVisible.assert_called_with(False) self.media_item.live_controller.display.reset_image.assert_called_with() - def recursively_delete_group_test(self): + @patch('openlp.plugins.images.lib.mediaitem.delete_file') + def recursively_delete_group_test(self, mocked_delete_file): """ Test that recursively_delete_group() works """ # GIVEN: An ImageGroups object and mocked functions - with patch('openlp.core.utils.delete_file') as mocked_delete_file: - ImageFilenames.group_id = 1 - ImageGroups.parent_id = 1 - self.media_item.manager = MagicMock() - self.media_item.manager.get_all_objects.side_effect = self._recursively_delete_group_side_effect - self.media_item.service_path = "" - test_group = ImageGroups() - test_group.id = 1 + ImageFilenames.group_id = 1 + ImageGroups.parent_id = 1 + self.media_item.manager = MagicMock() + self.media_item.manager.get_all_objects.side_effect = self._recursively_delete_group_side_effect + self.media_item.service_path = '' + test_group = ImageGroups() + test_group.id = 1 - # WHEN: recursively_delete_group() is called - self.media_item.recursively_delete_group(test_group) + # WHEN: recursively_delete_group() is called + self.media_item.recursively_delete_group(test_group) - # THEN: - assert mocked_delete_file.call_count == 0, 'delete_file() should not be called' - assert self.media_item.manager.delete_object.call_count == 7, \ - 'manager.delete_object() should be called exactly 7 times' + # THEN: delete_file() should have been called 12 times and manager.delete_object() 7 times. + self.assertEquals(mocked_delete_file.call_count, 12, 'delete_file() should have been called 12 times') + self.assertEquals(self.media_item.manager.delete_object.call_count, 7, + 'manager.delete_object() should be called exactly 7 times') - # CLEANUP: Remove added attribute from Image Filenames and ImageGroups - delattr(ImageFilenames, 'group_id') - delattr(ImageGroups, 'parent_id') + # CLEANUP: Remove added attribute from Image Filenames and ImageGroups + delattr(ImageFilenames, 'group_id') + delattr(ImageGroups, 'parent_id') def _recursively_delete_group_side_effect(*args, **kwargs): """ @@ -230,3 +230,52 @@ class TestImageMediaItem(TestCase): returned_object1.id = 1 return [returned_object1] return [] + + @patch('openlp.plugins.images.lib.mediaitem.delete_file') + @patch('openlp.plugins.images.lib.mediaitem.check_item_selected') + def on_delete_click_test(self, mocked_check_item_selected, mocked_delete_file): + """ + Test that on_delete_click() works + """ + # GIVEN: An ImageGroups object and mocked functions + mocked_check_item_selected.return_value = True + test_image = ImageFilenames() + test_image.id = 1 + test_image.group_id = 1 + test_image.filename = 'imagefile.png' + self.media_item.manager = MagicMock() + self.media_item.service_path = '' + self.media_item.list_view = MagicMock() + mocked_row_item = MagicMock() + mocked_row_item.data.return_value = test_image + mocked_row_item.text.return_value = '' + self.media_item.list_view.selectedItems.return_value = [mocked_row_item] + + # WHEN: Calling on_delete_click + self.media_item.on_delete_click() + + # THEN: delete_file should have been called twice + self.assertEquals(mocked_delete_file.call_count, 2, 'delete_file() should have been called twice') + + def create_item_from_id_test(self): + """ + Test that the create_item_from_id() method returns a valid QTreeWidgetItem with a pre-created ImageFilenames + """ + # GIVEN: An ImageFilenames that already exists in the database + image_file = ImageFilenames() + image_file.id = 1 + image_file.filename = '/tmp/test_file_1.jpg' + self.media_item.manager = MagicMock() + self.media_item.manager.get_object_filtered.return_value = image_file + ImageFilenames.filename = '' + + # WHEN: create_item_from_id() is called + item = self.media_item.create_item_from_id(1) + + # THEN: A QTreeWidgetItem should be created with the above model object as it's data + self.assertIsInstance(item, QtGui.QTreeWidgetItem) + self.assertEqual('test_file_1.jpg', item.text(0)) + item_data = item.data(0, QtCore.Qt.UserRole) + self.assertIsInstance(item_data, ImageFilenames) + self.assertEqual(1, item_data.id) + self.assertEqual('/tmp/test_file_1.jpg', item_data.filename) diff --git a/tests/functional/openlp_plugins/media/__init__.py b/tests/functional/openlp_plugins/media/__init__.py new file mode 100644 index 000000000..33507f08b --- /dev/null +++ b/tests/functional/openlp_plugins/media/__init__.py @@ -0,0 +1 @@ +__author__ = 'raoul' diff --git a/tests/functional/openlp_plugins/media/test_mediaplugin.py b/tests/functional/openlp_plugins/media/test_mediaplugin.py new file mode 100644 index 000000000..6e0758e37 --- /dev/null +++ b/tests/functional/openlp_plugins/media/test_mediaplugin.py @@ -0,0 +1,59 @@ +# -*- coding: utf-8 -*- +# vim: autoindent shiftwidth=4 expandtab textwidth=120 tabstop=4 softtabstop=4 + +############################################################################### +# OpenLP - Open Source Lyrics Projection # +# --------------------------------------------------------------------------- # +# Copyright (c) 2008-2015 OpenLP Developers # +# --------------------------------------------------------------------------- # +# 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; version 2 of the License. # +# # +# 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., 59 # +# Temple Place, Suite 330, Boston, MA 02111-1307 USA # +############################################################################### +""" +Test the media plugin +""" +from unittest import TestCase + +from openlp.core import Registry +from openlp.plugins.media.mediaplugin import MediaPlugin + +from tests.functional import MagicMock, patch +from tests.helpers.testmixin import TestMixin + + +class MediaPluginTest(TestCase, TestMixin): + """ + Test the media plugin + """ + def setUp(self): + Registry.create() + + @patch(u'openlp.plugins.media.mediaplugin.Plugin.initialise') + @patch(u'openlp.plugins.media.mediaplugin.Settings') + def initialise_test(self, MockedSettings, mocked_initialise): + """ + Test that the initialise() method overwrites the built-in one, but still calls it + """ + # GIVEN: A media plugin instance and a mocked settings object + media_plugin = MediaPlugin() + mocked_settings = MagicMock() + mocked_settings.get_files_from_config.return_value = True # Not the real value, just need something "true-ish" + MockedSettings.return_value = mocked_settings + + # WHEN: initialise() is called + media_plugin.initialise() + + # THEN: The settings should be upgraded and the base initialise() method should be called + mocked_settings.get_files_from_config.assert_called_with(media_plugin) + mocked_settings.setValue.assert_called_with('media/media files', True) + mocked_initialise.assert_called_with() diff --git a/tests/functional/openlp_plugins/presentations/test_mediaitem.py b/tests/functional/openlp_plugins/presentations/test_mediaitem.py index cd049491d..72584e571 100644 --- a/tests/functional/openlp_plugins/presentations/test_mediaitem.py +++ b/tests/functional/openlp_plugins/presentations/test_mediaitem.py @@ -26,7 +26,7 @@ from unittest import TestCase from openlp.core.common import Registry from openlp.plugins.presentations.lib.mediaitem import PresentationMediaItem -from tests.functional import patch, MagicMock +from tests.functional import patch, MagicMock, call from tests.helpers.testmixin import TestMixin @@ -84,3 +84,50 @@ class TestMediaItem(TestCase, TestMixin): self.assertIn('*.pdf', self.media_item.on_new_file_masks, 'The file mask should contain the pdf extension') self.assertIn('*.xps', self.media_item.on_new_file_masks, 'The file mask should contain the xps extension') self.assertIn('*.oxps', self.media_item.on_new_file_masks, 'The file mask should contain the oxps extension') + + def clean_up_thumbnails_test(self): + """ + Test that the clean_up_thumbnails method works as expected when files exists. + """ + # GIVEN: A mocked controller, and mocked os.path.getmtime + mocked_controller = MagicMock() + mocked_doc = MagicMock() + mocked_controller.add_document.return_value = mocked_doc + mocked_controller.supports = ['tmp'] + self.media_item.controllers = { + 'Mocked': mocked_controller + } + presentation_file = 'file.tmp' + with patch('openlp.plugins.presentations.lib.mediaitem.os.path.getmtime') as mocked_getmtime, \ + patch('openlp.plugins.presentations.lib.mediaitem.os.path.exists') as mocked_exists: + mocked_getmtime.side_effect = [100, 200] + mocked_exists.return_value = True + + # WHEN: calling clean_up_thumbnails + self.media_item.clean_up_thumbnails(presentation_file, True) + + # THEN: doc.presentation_deleted should have been called since the thumbnails mtime will be greater than + # the presentation_file's mtime. + mocked_doc.assert_has_calls([call.get_thumbnail_path(1, True), call.presentation_deleted()], True) + + def clean_up_thumbnails_missing_file_test(self): + """ + Test that the clean_up_thumbnails method works as expected when file is missing. + """ + # GIVEN: A mocked controller, and mocked os.path.exists + mocked_controller = MagicMock() + mocked_doc = MagicMock() + mocked_controller.add_document.return_value = mocked_doc + mocked_controller.supports = ['tmp'] + self.media_item.controllers = { + 'Mocked': mocked_controller + } + presentation_file = 'file.tmp' + with patch('openlp.plugins.presentations.lib.mediaitem.os.path.exists') as mocked_exists: + mocked_exists.return_value = False + + # WHEN: calling clean_up_thumbnails + self.media_item.clean_up_thumbnails(presentation_file, True) + + # THEN: doc.presentation_deleted should have been called since the presentation file did not exists. + mocked_doc.assert_has_calls([call.get_thumbnail_path(1, True), call.presentation_deleted()], True) diff --git a/tests/functional/openlp_plugins/presentations/test_powerpointcontroller.py b/tests/functional/openlp_plugins/presentations/test_powerpointcontroller.py index 2af76ee4f..52b3c1b08 100644 --- a/tests/functional/openlp_plugins/presentations/test_powerpointcontroller.py +++ b/tests/functional/openlp_plugins/presentations/test_powerpointcontroller.py @@ -33,11 +33,15 @@ from tests.utils.constants import TEST_RESOURCES_PATH from openlp.plugins.presentations.lib.powerpointcontroller import PowerpointController, PowerpointDocument,\ _get_text_from_shapes -from openlp.core.common import is_win +from openlp.core.common import is_win, Settings if is_win(): import pywintypes +__default_settings__ = { + 'presentations/powerpoint slide click advance': True +} + class TestPowerpointController(TestCase, TestMixin): """ @@ -104,6 +108,7 @@ class TestPowerpointDocument(TestCase, TestMixin): self.mock_presentation_document_get_temp_folder.return_value = 'temp folder' self.file_name = os.path.join(TEST_RESOURCES_PATH, 'presentations', 'test.pptx') self.real_controller = PowerpointController(self.mock_plugin) + Settings().extend_default_settings(__default_settings__) def tearDown(self): """ @@ -126,6 +131,7 @@ class TestPowerpointDocument(TestCase, TestMixin): instance = PowerpointDocument(self.mock_controller, self.mock_presentation) instance.presentation = MagicMock() instance.presentation.SlideShowWindow.View.GotoSlide = MagicMock(side_effect=pywintypes.com_error('1')) + instance.index_map[42] = 42 # WHEN: Calling goto_slide which will throw an exception instance.goto_slide(42) @@ -227,3 +233,23 @@ class TestPowerpointDocument(TestCase, TestMixin): # THEN: it should not fail but return empty string self.assertEqual(result, '', 'result should be empty') + + def goto_slide_test(self): + """ + Test that goto_slide goes to next effect if the slide is already displayed + """ + # GIVEN: A Document with mocked controller, presentation, and mocked functions get_slide_number and next_step + doc = PowerpointDocument(self.mock_controller, self.mock_presentation) + doc.presentation = MagicMock() + doc.presentation.SlideShowWindow.View.GetClickIndex.return_value = 1 + doc.presentation.SlideShowWindow.View.GetClickCount.return_value = 2 + doc.get_slide_number = MagicMock() + doc.get_slide_number.return_value = 1 + doc.next_step = MagicMock() + doc.index_map[1] = 1 + + # WHEN: Calling goto_slide + doc.goto_slide(1) + + # THEN: next_step() should be call to try to advance to the next effect. + self.assertTrue(doc.next_step.called, 'next_step() should have been called!') diff --git a/tests/functional/openlp_plugins/presentations/test_presentationcontroller.py b/tests/functional/openlp_plugins/presentations/test_presentationcontroller.py index 48aed1518..739816147 100644 --- a/tests/functional/openlp_plugins/presentations/test_presentationcontroller.py +++ b/tests/functional/openlp_plugins/presentations/test_presentationcontroller.py @@ -81,9 +81,9 @@ class TestPresentationController(TestCase): self.document.save_titles_and_notes(titles, notes) # THEN: the last call to open should have been for slideNotes2.txt - mocked_open.assert_any_call(os.path.join('test', 'titles.txt'), mode='w') - mocked_open.assert_any_call(os.path.join('test', 'slideNotes1.txt'), mode='w') - mocked_open.assert_any_call(os.path.join('test', 'slideNotes2.txt'), mode='w') + mocked_open.assert_any_call(os.path.join('test', 'titles.txt'), mode='wt', encoding='utf-8') + mocked_open.assert_any_call(os.path.join('test', 'slideNotes1.txt'), mode='wt', encoding='utf-8') + mocked_open.assert_any_call(os.path.join('test', 'slideNotes2.txt'), mode='wt', encoding='utf-8') self.assertEqual(mocked_open.call_count, 3, 'There should be exactly three files opened') mocked_open().writelines.assert_called_once_with(['uno', 'dos']) mocked_open().write.assert_called_any('one') @@ -126,9 +126,9 @@ class TestPresentationController(TestCase): self.assertIs(type(result_notes), list, 'result_notes should be of type list') self.assertEqual(len(result_notes), 2, 'There should be two items in the notes') self.assertEqual(mocked_open.call_count, 3, 'Three files should be opened') - mocked_open.assert_any_call(os.path.join('test', 'titles.txt')) - mocked_open.assert_any_call(os.path.join('test', 'slideNotes1.txt')) - mocked_open.assert_any_call(os.path.join('test', 'slideNotes2.txt')) + mocked_open.assert_any_call(os.path.join('test', 'titles.txt'), encoding='utf-8') + mocked_open.assert_any_call(os.path.join('test', 'slideNotes1.txt'), encoding='utf-8') + mocked_open.assert_any_call(os.path.join('test', 'slideNotes2.txt'), encoding='utf-8') self.assertEqual(mocked_exists.call_count, 3, 'Three files should have been checked') def get_titles_and_notes_with_file_not_found_test(self): diff --git a/tests/functional/openlp_plugins/remotes/test_router.py b/tests/functional/openlp_plugins/remotes/test_router.py index 65dff62f3..70a2033a4 100644 --- a/tests/functional/openlp_plugins/remotes/test_router.py +++ b/tests/functional/openlp_plugins/remotes/test_router.py @@ -25,7 +25,6 @@ This module contains tests for the lib submodule of the Remotes plugin. import os import urllib.request from unittest import TestCase -from PyQt4 import QtCore from openlp.core.common import Settings, Registry from openlp.core.ui import ServiceManager from openlp.plugins.remotes.lib.httpserver import HttpRouter @@ -128,7 +127,7 @@ class TestRouter(TestCase, TestMixin): # THEN: the function should have been called only once self.router.send_response.assert_called_once_with(401) - self.assertEqual(self.router.send_header.call_count, 2, 'The header should have been called twice.') + self.assertEqual(self.router.send_header.call_count, 5, 'The header should have been called five times.') def get_content_type_test(self): """ @@ -187,7 +186,6 @@ class TestRouter(TestCase, TestMixin): # THEN: it should return a 404 self.router.send_response.assert_called_once_with(404) - self.router.send_header.assert_called_once_with('Content-type', 'text/html') self.assertEqual(self.router.end_headers.call_count, 1, 'end_headers called once') def serve_file_with_valid_params_test(self): @@ -217,14 +215,19 @@ class TestRouter(TestCase, TestMixin): """ Test the serve_thumbnail routine without params """ + # GIVEN: mocked environment self.router.send_response = MagicMock() self.router.send_header = MagicMock() self.router.end_headers = MagicMock() self.router.wfile = MagicMock() + + # WHEN: I request a thumbnail self.router.serve_thumbnail() + + # THEN: The headers should be set correctly self.router.send_response.assert_called_once_with(404) - self.assertEqual(self.router.send_response.call_count, 1, 'Send response called once') - self.assertEqual(self.router.end_headers.call_count, 1, 'end_headers called once') + self.assertEqual(self.router.send_response.call_count, 1, 'Send response should be called once') + self.assertEqual(self.router.end_headers.call_count, 1, 'end_headers should be called once') def serve_thumbnail_with_invalid_params_test(self): """ @@ -240,7 +243,7 @@ class TestRouter(TestCase, TestMixin): self.router.serve_thumbnail('badcontroller', 'tecnologia 1.pptx/slide1.png') # THEN: a 404 should be returned - self.assertEqual(len(self.router.send_header.mock_calls), 1, 'One header') + self.assertEqual(len(self.router.send_header.mock_calls), 4, 'header should be called 4 times') self.assertEqual(len(self.router.send_response.mock_calls), 1, 'One response') self.assertEqual(len(self.router.wfile.mock_calls), 1, 'Once call to write to the socket') self.router.send_response.assert_called_once_with(404) @@ -284,7 +287,7 @@ class TestRouter(TestCase, TestMixin): mocked_location.get_section_data_path.return_value = '' # WHEN: pass good controller and filename - result = self.router.serve_thumbnail('presentations', '{0}x{1}'.format(width, height), file_name) + self.router.serve_thumbnail('presentations', '{0}x{1}'.format(width, height), file_name) # THEN: a file should be returned self.assertEqual(self.router.send_header.call_count, 1, 'One header') diff --git a/tests/functional/openlp_plugins/songs/test_editsongform.py b/tests/functional/openlp_plugins/songs/test_editsongform.py index 48cd127bf..d386a7fd3 100644 --- a/tests/functional/openlp_plugins/songs/test_editsongform.py +++ b/tests/functional/openlp_plugins/songs/test_editsongform.py @@ -1,3 +1,24 @@ +# -*- coding: utf-8 -*- +# vim: autoindent shiftwidth=4 expandtab textwidth=120 tabstop=4 softtabstop=4 + +############################################################################### +# OpenLP - Open Source Lyrics Projection # +# --------------------------------------------------------------------------- # +# Copyright (c) 2008-2015 OpenLP Developers # +# --------------------------------------------------------------------------- # +# 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; version 2 of the License. # +# # +# 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., 59 # +# Temple Place, Suite 330, Boston, MA 02111-1307 USA # +############################################################################### """ This module contains tests for the lib submodule of the Songs plugin. """ diff --git a/tests/functional/openlp_plugins/songs/test_editverseform.py b/tests/functional/openlp_plugins/songs/test_editverseform.py new file mode 100644 index 000000000..4c89b4f89 --- /dev/null +++ b/tests/functional/openlp_plugins/songs/test_editverseform.py @@ -0,0 +1,70 @@ +# -*- coding: utf-8 -*- +# vim: autoindent shiftwidth=4 expandtab textwidth=120 tabstop=4 softtabstop=4 + +############################################################################### +# OpenLP - Open Source Lyrics Projection # +# --------------------------------------------------------------------------- # +# Copyright (c) 2008-2015 OpenLP Developers # +# --------------------------------------------------------------------------- # +# 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; version 2 of the License. # +# # +# 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., 59 # +# Temple Place, Suite 330, Boston, MA 02111-1307 USA # +############################################################################### +""" +This module contains tests for the editverseform of the Songs plugin. +""" +from unittest import TestCase + +from PyQt4 import QtCore, QtGui + +from openlp.core.common import Registry, Settings +from openlp.core.lib import ServiceItem +from openlp.plugins.songs.forms.editverseform import EditVerseForm +from openlp.plugins.songs.lib.db import AuthorType +from tests.functional import patch, MagicMock +from tests.helpers.testmixin import TestMixin + + +class TestEditVerseForm(TestCase, TestMixin): + """ + Test the functions in the :mod:`lib` module. + """ + def setUp(self): + """ + Set up the components need for all tests. + """ + self.edit_verse_form = EditVerseForm(None) + self.setup_application() + self.build_settings() + QtCore.QLocale.setDefault(QtCore.QLocale('en_GB')) + + def tearDown(self): + """ + Delete all the C++ objects at the end so that we don't have a segfault + """ + self.destroy_settings() + + def update_suggested_verse_number_test(self): + """ + Test that update_suggested_verse_number() has no effect when editing a single verse + """ + # GIVEN some input values + self.edit_verse_form.has_single_verse = True + self.edit_verse_form.verse_type_combo_box.currentIndex = MagicMock(return_value=0) + self.edit_verse_form.verse_text_edit.toPlainText = MagicMock(return_value='Text') + self.edit_verse_form.verse_number_box.setValue(3) + + # WHEN the method is called + self.edit_verse_form.update_suggested_verse_number() + + # THEN the verse number must not be changed + self.assertEqual(3, self.edit_verse_form.verse_number_box.value(), 'The verse number should be 3') diff --git a/tests/functional/openlp_plugins/songs/test_songselect.py b/tests/functional/openlp_plugins/songs/test_songselect.py index 5ad3a594c..d96d5d877 100644 --- a/tests/functional/openlp_plugins/songs/test_songselect.py +++ b/tests/functional/openlp_plugins/songs/test_songselect.py @@ -23,361 +23,363 @@ This module contains tests for the CCLI SongSelect importer. """ import os - from unittest import TestCase from urllib.error import URLError -from tests.functional import MagicMock, patch, call -from tests.helpers.testmixin import TestMixin + +from PyQt4 import QtGui from openlp.core import Registry -from openlp.plugins.songs.forms.songselectform import SongSelectForm -from openlp.plugins.songs.lib import Author, Song, VerseType +from openlp.plugins.songs.forms.songselectform import SongSelectForm, SearchWorker +from openlp.plugins.songs.lib import Song from openlp.plugins.songs.lib.songselect import SongSelectImport, LOGOUT_URL, BASE_URL from openlp.plugins.songs.lib.importers.cclifile import CCLIFileImport +from tests.functional import MagicMock, patch, call +from tests.helpers.testmixin import TestMixin + class TestSongSelectImport(TestCase, TestMixin): """ Test the :class:`~openlp.plugins.songs.lib.songselect.SongSelectImport` class """ - def constructor_test(self): + @patch('openlp.plugins.songs.lib.songselect.build_opener') + def constructor_test(self, mocked_build_opener): """ Test that constructing a basic SongSelectImport object works correctly """ # GIVEN: The SongSelectImporter class and a mocked out build_opener - with patch('openlp.plugins.songs.lib.songselect.build_opener') as mocked_build_opener: - # WHEN: An object is instantiated - importer = SongSelectImport(None) + # WHEN: An object is instantiated + importer = SongSelectImport(None) - # THEN: The object should have the correct properties - self.assertIsNone(importer.db_manager, 'The db_manager should be None') - self.assertIsNotNone(importer.html_parser, 'There should be a valid html_parser object') - self.assertIsNotNone(importer.opener, 'There should be a valid opener object') - self.assertEqual(1, mocked_build_opener.call_count, 'The build_opener method should have been called once') + # THEN: The object should have the correct properties + self.assertIsNone(importer.db_manager, 'The db_manager should be None') + self.assertIsNotNone(importer.html_parser, 'There should be a valid html_parser object') + self.assertIsNotNone(importer.opener, 'There should be a valid opener object') + self.assertEqual(1, mocked_build_opener.call_count, 'The build_opener method should have been called once') - def login_fails_test(self): + @patch('openlp.plugins.songs.lib.songselect.build_opener') + @patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') + def login_fails_test(self, MockedBeautifulSoup, mocked_build_opener): """ Test that when logging in to SongSelect fails, the login method returns False """ # GIVEN: A bunch of mocked out stuff and an importer object - with patch('openlp.plugins.songs.lib.songselect.build_opener') as mocked_build_opener, \ - patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') as MockedBeautifulSoup: - mocked_opener = MagicMock() - mocked_build_opener.return_value = mocked_opener - mocked_login_page = MagicMock() - mocked_login_page.find.return_value = {'value': 'blah'} - MockedBeautifulSoup.return_value = mocked_login_page - mock_callback = MagicMock() - importer = SongSelectImport(None) + mocked_opener = MagicMock() + mocked_build_opener.return_value = mocked_opener + mocked_login_page = MagicMock() + mocked_login_page.find.return_value = {'value': 'blah'} + MockedBeautifulSoup.return_value = mocked_login_page + mock_callback = MagicMock() + importer = SongSelectImport(None) - # WHEN: The login method is called after being rigged to fail - result = importer.login('username', 'password', mock_callback) + # WHEN: The login method is called after being rigged to fail + result = importer.login('username', 'password', mock_callback) - # THEN: callback was called 3 times, open was called twice, find was called twice, and False was returned - self.assertEqual(3, mock_callback.call_count, 'callback should have been called 3 times') - self.assertEqual(2, mocked_login_page.find.call_count, 'find should have been called twice') - self.assertEqual(2, mocked_opener.open.call_count, 'opener should have been called twice') - self.assertFalse(result, 'The login method should have returned False') + # THEN: callback was called 3 times, open was called twice, find was called twice, and False was returned + self.assertEqual(3, mock_callback.call_count, 'callback should have been called 3 times') + self.assertEqual(2, mocked_login_page.find.call_count, 'find should have been called twice') + self.assertEqual(2, mocked_opener.open.call_count, 'opener should have been called twice') + self.assertFalse(result, 'The login method should have returned False') - def login_succeeds_test(self): + @patch('openlp.plugins.songs.lib.songselect.build_opener') + @patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') + def login_succeeds_test(self, MockedBeautifulSoup, mocked_build_opener): """ Test that when logging in to SongSelect succeeds, the login method returns True """ # GIVEN: A bunch of mocked out stuff and an importer object - with patch('openlp.plugins.songs.lib.songselect.build_opener') as mocked_build_opener, \ - patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') as MockedBeautifulSoup: - mocked_opener = MagicMock() - mocked_build_opener.return_value = mocked_opener - mocked_login_page = MagicMock() - mocked_login_page.find.side_effect = [{'value': 'blah'}, None] - MockedBeautifulSoup.return_value = mocked_login_page - mock_callback = MagicMock() - importer = SongSelectImport(None) + mocked_opener = MagicMock() + mocked_build_opener.return_value = mocked_opener + mocked_login_page = MagicMock() + mocked_login_page.find.side_effect = [{'value': 'blah'}, None] + MockedBeautifulSoup.return_value = mocked_login_page + mock_callback = MagicMock() + importer = SongSelectImport(None) - # WHEN: The login method is called after being rigged to fail - result = importer.login('username', 'password', mock_callback) + # WHEN: The login method is called after being rigged to fail + result = importer.login('username', 'password', mock_callback) - # THEN: callback was called 3 times, open was called twice, find was called twice, and True was returned - self.assertEqual(3, mock_callback.call_count, 'callback should have been called 3 times') - self.assertEqual(2, mocked_login_page.find.call_count, 'find should have been called twice') - self.assertEqual(2, mocked_opener.open.call_count, 'opener should have been called twice') - self.assertTrue(result, 'The login method should have returned True') + # THEN: callback was called 3 times, open was called twice, find was called twice, and True was returned + self.assertEqual(3, mock_callback.call_count, 'callback should have been called 3 times') + self.assertEqual(2, mocked_login_page.find.call_count, 'find should have been called twice') + self.assertEqual(2, mocked_opener.open.call_count, 'opener should have been called twice') + self.assertTrue(result, 'The login method should have returned True') - def logout_test(self): + @patch('openlp.plugins.songs.lib.songselect.build_opener') + def logout_test(self, mocked_build_opener): """ Test that when the logout method is called, it logs the user out of SongSelect """ # GIVEN: A bunch of mocked out stuff and an importer object - with patch('openlp.plugins.songs.lib.songselect.build_opener') as mocked_build_opener: - mocked_opener = MagicMock() - mocked_build_opener.return_value = mocked_opener - importer = SongSelectImport(None) + mocked_opener = MagicMock() + mocked_build_opener.return_value = mocked_opener + importer = SongSelectImport(None) - # WHEN: The login method is called after being rigged to fail - importer.logout() + # WHEN: The login method is called after being rigged to fail + importer.logout() - # THEN: The opener is called once with the logout url - self.assertEqual(1, mocked_opener.open.call_count, 'opener should have been called once') - mocked_opener.open.assert_called_with(LOGOUT_URL) + # THEN: The opener is called once with the logout url + self.assertEqual(1, mocked_opener.open.call_count, 'opener should have been called once') + mocked_opener.open.assert_called_with(LOGOUT_URL) - def search_returns_no_results_test(self): + @patch('openlp.plugins.songs.lib.songselect.build_opener') + @patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') + def search_returns_no_results_test(self, MockedBeautifulSoup, mocked_build_opener): """ Test that when the search finds no results, it simply returns an empty list """ # GIVEN: A bunch of mocked out stuff and an importer object - with patch('openlp.plugins.songs.lib.songselect.build_opener') as mocked_build_opener, \ - patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') as MockedBeautifulSoup: - mocked_opener = MagicMock() - mocked_build_opener.return_value = mocked_opener - mocked_results_page = MagicMock() - mocked_results_page.find_all.return_value = [] - MockedBeautifulSoup.return_value = mocked_results_page - mock_callback = MagicMock() - importer = SongSelectImport(None) + mocked_opener = MagicMock() + mocked_build_opener.return_value = mocked_opener + mocked_results_page = MagicMock() + mocked_results_page.find_all.return_value = [] + MockedBeautifulSoup.return_value = mocked_results_page + mock_callback = MagicMock() + importer = SongSelectImport(None) - # WHEN: The login method is called after being rigged to fail - results = importer.search('text', 1000, mock_callback) + # WHEN: The login method is called after being rigged to fail + results = importer.search('text', 1000, mock_callback) - # THEN: callback was never called, open was called once, find_all was called once, an empty list returned - self.assertEqual(0, mock_callback.call_count, 'callback should not have been called') - self.assertEqual(1, mocked_opener.open.call_count, 'open should have been called once') - self.assertEqual(1, mocked_results_page.find_all.call_count, 'find_all should have been called once') - mocked_results_page.find_all.assert_called_with('li', 'result pane') - self.assertEqual([], results, 'The search method should have returned an empty list') + # THEN: callback was never called, open was called once, find_all was called once, an empty list returned + self.assertEqual(0, mock_callback.call_count, 'callback should not have been called') + self.assertEqual(1, mocked_opener.open.call_count, 'open should have been called once') + self.assertEqual(1, mocked_results_page.find_all.call_count, 'find_all should have been called once') + mocked_results_page.find_all.assert_called_with('li', 'result pane') + self.assertEqual([], results, 'The search method should have returned an empty list') - def search_returns_two_results_test(self): + @patch('openlp.plugins.songs.lib.songselect.build_opener') + @patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') + def search_returns_two_results_test(self, MockedBeautifulSoup, mocked_build_opener): """ Test that when the search finds 2 results, it simply returns a list with 2 results """ # GIVEN: A bunch of mocked out stuff and an importer object - with patch('openlp.plugins.songs.lib.songselect.build_opener') as mocked_build_opener, \ - patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') as MockedBeautifulSoup: - # first search result - mocked_result1 = MagicMock() - mocked_result1.find.side_effect = [MagicMock(string='Title 1'), {'href': '/url1'}] - mocked_result1.find_all.return_value = [MagicMock(string='Author 1-1'), MagicMock(string='Author 1-2')] - # second search result - mocked_result2 = MagicMock() - mocked_result2.find.side_effect = [MagicMock(string='Title 2'), {'href': '/url2'}] - mocked_result2.find_all.return_value = [MagicMock(string='Author 2-1'), MagicMock(string='Author 2-2')] - # rest of the stuff - mocked_opener = MagicMock() - mocked_build_opener.return_value = mocked_opener - mocked_results_page = MagicMock() - mocked_results_page.find_all.side_effect = [[mocked_result1, mocked_result2], []] - MockedBeautifulSoup.return_value = mocked_results_page - mock_callback = MagicMock() - importer = SongSelectImport(None) + # first search result + mocked_result1 = MagicMock() + mocked_result1.find.side_effect = [MagicMock(string='Title 1'), {'href': '/url1'}] + mocked_result1.find_all.return_value = [MagicMock(string='Author 1-1'), MagicMock(string='Author 1-2')] + # second search result + mocked_result2 = MagicMock() + mocked_result2.find.side_effect = [MagicMock(string='Title 2'), {'href': '/url2'}] + mocked_result2.find_all.return_value = [MagicMock(string='Author 2-1'), MagicMock(string='Author 2-2')] + # rest of the stuff + mocked_opener = MagicMock() + mocked_build_opener.return_value = mocked_opener + mocked_results_page = MagicMock() + mocked_results_page.find_all.side_effect = [[mocked_result1, mocked_result2], []] + MockedBeautifulSoup.return_value = mocked_results_page + mock_callback = MagicMock() + importer = SongSelectImport(None) - # WHEN: The login method is called after being rigged to fail - results = importer.search('text', 1000, mock_callback) + # WHEN: The login method is called after being rigged to fail + results = importer.search('text', 1000, mock_callback) - # THEN: callback was never called, open was called once, find_all was called once, an empty list returned - self.assertEqual(2, mock_callback.call_count, 'callback should have been called twice') - self.assertEqual(2, mocked_opener.open.call_count, 'open should have been called twice') - self.assertEqual(2, mocked_results_page.find_all.call_count, 'find_all should have been called twice') - mocked_results_page.find_all.assert_called_with('li', 'result pane') - expected_list = [ - {'title': 'Title 1', 'authors': ['Author 1-1', 'Author 1-2'], 'link': BASE_URL + '/url1'}, - {'title': 'Title 2', 'authors': ['Author 2-1', 'Author 2-2'], 'link': BASE_URL + '/url2'} - ] - self.assertListEqual(expected_list, results, 'The search method should have returned two songs') + # THEN: callback was never called, open was called once, find_all was called once, an empty list returned + self.assertEqual(2, mock_callback.call_count, 'callback should have been called twice') + self.assertEqual(2, mocked_opener.open.call_count, 'open should have been called twice') + self.assertEqual(2, mocked_results_page.find_all.call_count, 'find_all should have been called twice') + mocked_results_page.find_all.assert_called_with('li', 'result pane') + expected_list = [ + {'title': 'Title 1', 'authors': ['Author 1-1', 'Author 1-2'], 'link': BASE_URL + '/url1'}, + {'title': 'Title 2', 'authors': ['Author 2-1', 'Author 2-2'], 'link': BASE_URL + '/url2'} + ] + self.assertListEqual(expected_list, results, 'The search method should have returned two songs') - def search_reaches_max_results_test(self): + @patch('openlp.plugins.songs.lib.songselect.build_opener') + @patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') + def search_reaches_max_results_test(self, MockedBeautifulSoup, mocked_build_opener): """ Test that when the search finds MAX (2) results, it simply returns a list with those (2) """ # GIVEN: A bunch of mocked out stuff and an importer object - with patch('openlp.plugins.songs.lib.songselect.build_opener') as mocked_build_opener, \ - patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') as MockedBeautifulSoup: - # first search result - mocked_result1 = MagicMock() - mocked_result1.find.side_effect = [MagicMock(string='Title 1'), {'href': '/url1'}] - mocked_result1.find_all.return_value = [MagicMock(string='Author 1-1'), MagicMock(string='Author 1-2')] - # second search result - mocked_result2 = MagicMock() - mocked_result2.find.side_effect = [MagicMock(string='Title 2'), {'href': '/url2'}] - mocked_result2.find_all.return_value = [MagicMock(string='Author 2-1'), MagicMock(string='Author 2-2')] - # third search result - mocked_result3 = MagicMock() - mocked_result3.find.side_effect = [MagicMock(string='Title 3'), {'href': '/url3'}] - mocked_result3.find_all.return_value = [MagicMock(string='Author 3-1'), MagicMock(string='Author 3-2')] - # rest of the stuff - mocked_opener = MagicMock() - mocked_build_opener.return_value = mocked_opener - mocked_results_page = MagicMock() - mocked_results_page.find_all.side_effect = [[mocked_result1, mocked_result2, mocked_result3], []] - MockedBeautifulSoup.return_value = mocked_results_page - mock_callback = MagicMock() - importer = SongSelectImport(None) + # first search result + mocked_result1 = MagicMock() + mocked_result1.find.side_effect = [MagicMock(string='Title 1'), {'href': '/url1'}] + mocked_result1.find_all.return_value = [MagicMock(string='Author 1-1'), MagicMock(string='Author 1-2')] + # second search result + mocked_result2 = MagicMock() + mocked_result2.find.side_effect = [MagicMock(string='Title 2'), {'href': '/url2'}] + mocked_result2.find_all.return_value = [MagicMock(string='Author 2-1'), MagicMock(string='Author 2-2')] + # third search result + mocked_result3 = MagicMock() + mocked_result3.find.side_effect = [MagicMock(string='Title 3'), {'href': '/url3'}] + mocked_result3.find_all.return_value = [MagicMock(string='Author 3-1'), MagicMock(string='Author 3-2')] + # rest of the stuff + mocked_opener = MagicMock() + mocked_build_opener.return_value = mocked_opener + mocked_results_page = MagicMock() + mocked_results_page.find_all.side_effect = [[mocked_result1, mocked_result2, mocked_result3], []] + MockedBeautifulSoup.return_value = mocked_results_page + mock_callback = MagicMock() + importer = SongSelectImport(None) - # WHEN: The login method is called after being rigged to fail - results = importer.search('text', 2, mock_callback) + # WHEN: The login method is called after being rigged to fail + results = importer.search('text', 2, mock_callback) - # THEN: callback was never called, open was called once, find_all was called once, an empty list returned - self.assertEqual(2, mock_callback.call_count, 'callback should have been called twice') - self.assertEqual(2, mocked_opener.open.call_count, 'open should have been called twice') - self.assertEqual(2, mocked_results_page.find_all.call_count, 'find_all should have been called twice') - mocked_results_page.find_all.assert_called_with('li', 'result pane') - expected_list = [{'title': 'Title 1', 'authors': ['Author 1-1', 'Author 1-2'], 'link': BASE_URL + '/url1'}, - {'title': 'Title 2', 'authors': ['Author 2-1', 'Author 2-2'], 'link': BASE_URL + '/url2'}] - self.assertListEqual(expected_list, results, 'The search method should have returned two songs') + # THEN: callback was never called, open was called once, find_all was called once, an empty list returned + self.assertEqual(2, mock_callback.call_count, 'callback should have been called twice') + self.assertEqual(2, mocked_opener.open.call_count, 'open should have been called twice') + self.assertEqual(2, mocked_results_page.find_all.call_count, 'find_all should have been called twice') + mocked_results_page.find_all.assert_called_with('li', 'result pane') + expected_list = [{'title': 'Title 1', 'authors': ['Author 1-1', 'Author 1-2'], 'link': BASE_URL + '/url1'}, + {'title': 'Title 2', 'authors': ['Author 2-1', 'Author 2-2'], 'link': BASE_URL + '/url2'}] + self.assertListEqual(expected_list, results, 'The search method should have returned two songs') - def get_song_page_raises_exception_test(self): + @patch('openlp.plugins.songs.lib.songselect.build_opener') + def get_song_page_raises_exception_test(self, mocked_build_opener): """ Test that when BeautifulSoup gets a bad song page the get_song() method returns None """ # GIVEN: A bunch of mocked out stuff and an importer object - with patch('openlp.plugins.songs.lib.songselect.build_opener') as mocked_build_opener: - mocked_opener = MagicMock() - mocked_build_opener.return_value = mocked_opener - mocked_opener.open.read.side_effect = URLError('[Errno -2] Name or service not known') - mocked_callback = MagicMock() - importer = SongSelectImport(None) + mocked_opener = MagicMock() + mocked_build_opener.return_value = mocked_opener + mocked_opener.open.read.side_effect = URLError('[Errno -2] Name or service not known') + mocked_callback = MagicMock() + importer = SongSelectImport(None) - # WHEN: get_song is called - result = importer.get_song({'link': 'link'}, callback=mocked_callback) + # WHEN: get_song is called + result = importer.get_song({'link': 'link'}, callback=mocked_callback) - # THEN: The callback should have been called once and None should be returned - mocked_callback.assert_called_with() - self.assertIsNone(result, 'The get_song() method should have returned None') + # THEN: The callback should have been called once and None should be returned + mocked_callback.assert_called_with() + self.assertIsNone(result, 'The get_song() method should have returned None') - def get_song_lyrics_raise_exception_test(self): + @patch('openlp.plugins.songs.lib.songselect.build_opener') + @patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') + def get_song_lyrics_raise_exception_test(self, MockedBeautifulSoup, mocked_build_opener): """ Test that when BeautifulSoup gets a bad lyrics page the get_song() method returns None """ # GIVEN: A bunch of mocked out stuff and an importer object - with patch('openlp.plugins.songs.lib.songselect.build_opener'), \ - patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') as MockedBeautifulSoup: - MockedBeautifulSoup.side_effect = [None, TypeError('Test Error')] - mocked_callback = MagicMock() - importer = SongSelectImport(None) + MockedBeautifulSoup.side_effect = [None, TypeError('Test Error')] + mocked_callback = MagicMock() + importer = SongSelectImport(None) - # WHEN: get_song is called - result = importer.get_song({'link': 'link'}, callback=mocked_callback) + # WHEN: get_song is called + result = importer.get_song({'link': 'link'}, callback=mocked_callback) - # THEN: The callback should have been called twice and None should be returned - self.assertEqual(2, mocked_callback.call_count, 'The callback should have been called twice') - self.assertIsNone(result, 'The get_song() method should have returned None') + # THEN: The callback should have been called twice and None should be returned + self.assertEqual(2, mocked_callback.call_count, 'The callback should have been called twice') + self.assertIsNone(result, 'The get_song() method should have returned None') - def get_song_test(self): + @patch('openlp.plugins.songs.lib.songselect.build_opener') + @patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') + def get_song_test(self, MockedBeautifulSoup, mocked_build_opener): """ Test that the get_song() method returns the correct song details """ # GIVEN: A bunch of mocked out stuff and an importer object - with patch('openlp.plugins.songs.lib.songselect.build_opener'), \ - patch('openlp.plugins.songs.lib.songselect.BeautifulSoup') as MockedBeautifulSoup: - mocked_song_page = MagicMock() - mocked_copyright = MagicMock() - mocked_copyright.find_all.return_value = [MagicMock(string='Copyright 1'), MagicMock(string='Copyright 2')] - mocked_song_page.find.side_effect = [ - mocked_copyright, - MagicMock(find=MagicMock(string='CCLI: 123456')) - ] - mocked_lyrics_page = MagicMock() - mocked_find_all = MagicMock() - mocked_find_all.side_effect = [ - [ - MagicMock(contents='The Lord told Noah: there\'s gonna be a floody, floody'), - MagicMock(contents='So, rise and shine, and give God the glory, glory'), - MagicMock(contents='The Lord told Noah to build him an arky, arky') - ], - [MagicMock(string='Verse 1'), MagicMock(string='Chorus'), MagicMock(string='Verse 2')] - ] - mocked_lyrics_page.find.return_value = MagicMock(find_all=mocked_find_all) - MockedBeautifulSoup.side_effect = [mocked_song_page, mocked_lyrics_page] - mocked_callback = MagicMock() - importer = SongSelectImport(None) - fake_song = {'title': 'Title', 'authors': ['Author 1', 'Author 2'], 'link': 'url'} + mocked_song_page = MagicMock() + mocked_copyright = MagicMock() + mocked_copyright.find_all.return_value = [MagicMock(string='Copyright 1'), MagicMock(string='Copyright 2')] + mocked_song_page.find.side_effect = [ + mocked_copyright, + MagicMock(find=MagicMock(string='CCLI: 123456')) + ] + mocked_lyrics_page = MagicMock() + mocked_find_all = MagicMock() + mocked_find_all.side_effect = [ + [ + MagicMock(contents='The Lord told Noah: there\'s gonna be a floody, floody'), + MagicMock(contents='So, rise and shine, and give God the glory, glory'), + MagicMock(contents='The Lord told Noah to build him an arky, arky') + ], + [MagicMock(string='Verse 1'), MagicMock(string='Chorus'), MagicMock(string='Verse 2')] + ] + mocked_lyrics_page.find.return_value = MagicMock(find_all=mocked_find_all) + MockedBeautifulSoup.side_effect = [mocked_song_page, mocked_lyrics_page] + mocked_callback = MagicMock() + importer = SongSelectImport(None) + fake_song = {'title': 'Title', 'authors': ['Author 1', 'Author 2'], 'link': 'url'} - # WHEN: get_song is called - result = importer.get_song(fake_song, callback=mocked_callback) + # WHEN: get_song is called + result = importer.get_song(fake_song, callback=mocked_callback) - # THEN: The callback should have been called three times and the song should be returned - self.assertEqual(3, mocked_callback.call_count, 'The callback should have been called twice') - self.assertIsNotNone(result, 'The get_song() method should have returned a song dictionary') - self.assertEqual(2, mocked_lyrics_page.find.call_count, 'The find() method should have been called twice') - self.assertEqual(2, mocked_find_all.call_count, 'The find_all() method should have been called twice') - self.assertEqual([call('section', 'lyrics'), call('section', 'lyrics')], - mocked_lyrics_page.find.call_args_list, - 'The find() method should have been called with the right arguments') - self.assertEqual([call('p'), call('h3')], mocked_find_all.call_args_list, - 'The find_all() method should have been called with the right arguments') - self.assertIn('copyright', result, 'The returned song should have a copyright') - self.assertIn('ccli_number', result, 'The returned song should have a CCLI number') - self.assertIn('verses', result, 'The returned song should have verses') - self.assertEqual(3, len(result['verses']), 'Three verses should have been returned') + # THEN: The callback should have been called three times and the song should be returned + self.assertEqual(3, mocked_callback.call_count, 'The callback should have been called twice') + self.assertIsNotNone(result, 'The get_song() method should have returned a song dictionary') + self.assertEqual(2, mocked_lyrics_page.find.call_count, 'The find() method should have been called twice') + self.assertEqual(2, mocked_find_all.call_count, 'The find_all() method should have been called twice') + self.assertEqual([call('section', 'lyrics'), call('section', 'lyrics')], + mocked_lyrics_page.find.call_args_list, + 'The find() method should have been called with the right arguments') + self.assertEqual([call('p'), call('h3')], mocked_find_all.call_args_list, + 'The find_all() method should have been called with the right arguments') + self.assertIn('copyright', result, 'The returned song should have a copyright') + self.assertIn('ccli_number', result, 'The returned song should have a CCLI number') + self.assertIn('verses', result, 'The returned song should have verses') + self.assertEqual(3, len(result['verses']), 'Three verses should have been returned') - def save_song_new_author_test(self): + @patch('openlp.plugins.songs.lib.songselect.clean_song') + @patch('openlp.plugins.songs.lib.songselect.Author') + def save_song_new_author_test(self, MockedAuthor, mocked_clean_song): """ Test that saving a song with a new author performs the correct actions """ # GIVEN: A song to save, and some mocked out objects - with patch('openlp.plugins.songs.lib.songselect.clean_song') as mocked_clean_song, \ - patch('openlp.plugins.songs.lib.songselect.Author') as MockedAuthor: - song_dict = { - 'title': 'Arky Arky', - 'authors': ['Public Domain'], - 'verses': [ - {'label': 'Verse 1', 'lyrics': 'The Lord told Noah: there\'s gonna be a floody, floody'}, - {'label': 'Chorus 1', 'lyrics': 'So, rise and shine, and give God the glory, glory'}, - {'label': 'Verse 2', 'lyrics': 'The Lord told Noah to build him an arky, arky'} - ], - 'copyright': 'Public Domain', - 'ccli_number': '123456' - } - MockedAuthor.display_name.__eq__.return_value = False - mocked_db_manager = MagicMock() - mocked_db_manager.get_object_filtered.return_value = None - importer = SongSelectImport(mocked_db_manager) + song_dict = { + 'title': 'Arky Arky', + 'authors': ['Public Domain'], + 'verses': [ + {'label': 'Verse 1', 'lyrics': 'The Lord told Noah: there\'s gonna be a floody, floody'}, + {'label': 'Chorus 1', 'lyrics': 'So, rise and shine, and give God the glory, glory'}, + {'label': 'Verse 2', 'lyrics': 'The Lord told Noah to build him an arky, arky'} + ], + 'copyright': 'Public Domain', + 'ccli_number': '123456' + } + MockedAuthor.display_name.__eq__.return_value = False + mocked_db_manager = MagicMock() + mocked_db_manager.get_object_filtered.return_value = None + importer = SongSelectImport(mocked_db_manager) - # WHEN: The song is saved to the database - result = importer.save_song(song_dict) + # WHEN: The song is saved to the database + result = importer.save_song(song_dict) - # THEN: The return value should be a Song class and the mocked_db_manager should have been called - self.assertIsInstance(result, Song, 'The returned value should be a Song object') - mocked_clean_song.assert_called_with(mocked_db_manager, result) - self.assertEqual(2, mocked_db_manager.save_object.call_count, - 'The save_object() method should have been called twice') - mocked_db_manager.get_object_filtered.assert_called_with(MockedAuthor, False) - MockedAuthor.populate.assert_called_with(first_name='Public', last_name='Domain', - display_name='Public Domain') - self.assertEqual(1, len(result.authors_songs), 'There should only be one author') + # THEN: The return value should be a Song class and the mocked_db_manager should have been called + self.assertIsInstance(result, Song, 'The returned value should be a Song object') + mocked_clean_song.assert_called_with(mocked_db_manager, result) + self.assertEqual(2, mocked_db_manager.save_object.call_count, + 'The save_object() method should have been called twice') + mocked_db_manager.get_object_filtered.assert_called_with(MockedAuthor, False) + MockedAuthor.populate.assert_called_with(first_name='Public', last_name='Domain', + display_name='Public Domain') + self.assertEqual(1, len(result.authors_songs), 'There should only be one author') - def save_song_existing_author_test(self): + @patch('openlp.plugins.songs.lib.songselect.clean_song') + @patch('openlp.plugins.songs.lib.songselect.Author') + def save_song_existing_author_test(self, MockedAuthor, mocked_clean_song): """ Test that saving a song with an existing author performs the correct actions """ # GIVEN: A song to save, and some mocked out objects - with patch('openlp.plugins.songs.lib.songselect.clean_song') as mocked_clean_song, \ - patch('openlp.plugins.songs.lib.songselect.Author') as MockedAuthor: - song_dict = { - 'title': 'Arky Arky', - 'authors': ['Public Domain'], - 'verses': [ - {'label': 'Verse 1', 'lyrics': 'The Lord told Noah: there\'s gonna be a floody, floody'}, - {'label': 'Chorus 1', 'lyrics': 'So, rise and shine, and give God the glory, glory'}, - {'label': 'Verse 2', 'lyrics': 'The Lord told Noah to build him an arky, arky'} - ], - 'copyright': 'Public Domain', - 'ccli_number': '123456' - } - MockedAuthor.display_name.__eq__.return_value = False - mocked_db_manager = MagicMock() - mocked_db_manager.get_object_filtered.return_value = MagicMock() - importer = SongSelectImport(mocked_db_manager) + song_dict = { + 'title': 'Arky Arky', + 'authors': ['Public Domain'], + 'verses': [ + {'label': 'Verse 1', 'lyrics': 'The Lord told Noah: there\'s gonna be a floody, floody'}, + {'label': 'Chorus 1', 'lyrics': 'So, rise and shine, and give God the glory, glory'}, + {'label': 'Verse 2', 'lyrics': 'The Lord told Noah to build him an arky, arky'} + ], + 'copyright': 'Public Domain', + 'ccli_number': '123456' + } + MockedAuthor.display_name.__eq__.return_value = False + mocked_db_manager = MagicMock() + mocked_db_manager.get_object_filtered.return_value = MagicMock() + importer = SongSelectImport(mocked_db_manager) - # WHEN: The song is saved to the database - result = importer.save_song(song_dict) + # WHEN: The song is saved to the database + result = importer.save_song(song_dict) - # THEN: The return value should be a Song class and the mocked_db_manager should have been called - self.assertIsInstance(result, Song, 'The returned value should be a Song object') - mocked_clean_song.assert_called_with(mocked_db_manager, result) - self.assertEqual(2, mocked_db_manager.save_object.call_count, - 'The save_object() method should have been called twice') - mocked_db_manager.get_object_filtered.assert_called_with(MockedAuthor, False) - self.assertEqual(0, MockedAuthor.populate.call_count, 'A new author should not have been instantiated') - self.assertEqual(1, len(result.authors_songs), 'There should only be one author') + # THEN: The return value should be a Song class and the mocked_db_manager should have been called + self.assertIsInstance(result, Song, 'The returned value should be a Song object') + mocked_clean_song.assert_called_with(mocked_db_manager, result) + self.assertEqual(2, mocked_db_manager.save_object.call_count, + 'The save_object() method should have been called twice') + mocked_db_manager.get_object_filtered.assert_called_with(MockedAuthor, False) + self.assertEqual(0, MockedAuthor.populate.call_count, 'A new author should not have been instantiated') + self.assertEqual(1, len(result.authors_songs), 'There should only be one author') class TestSongSelectForm(TestCase, TestMixin): @@ -409,59 +411,221 @@ class TestSongSelectForm(TestCase, TestMixin): self.assertEqual(mocked_plugin, ssform.plugin, 'The correct plugin should have been assigned') self.assertEqual(mocked_db_manager, ssform.db_manager, 'The correct db_manager should have been assigned') - def login_fails_test(self): + @patch('openlp.plugins.songs.forms.songselectform.SongSelectImport') + @patch('openlp.plugins.songs.forms.songselectform.QtGui.QMessageBox.critical') + @patch('openlp.plugins.songs.forms.songselectform.translate') + def login_fails_test(self, mocked_translate, mocked_critical, MockedSongSelectImport): """ Test that when the login fails, the form returns to the correct state """ # GIVEN: A valid SongSelectForm with a mocked out SongSelectImport, and a bunch of mocked out controls - with patch('openlp.plugins.songs.forms.songselectform.SongSelectImport') as MockedSongSelectImport, \ - patch('openlp.plugins.songs.forms.songselectform.QtGui.QMessageBox.critical') as mocked_critical, \ - patch('openlp.plugins.songs.forms.songselectform.translate') as mocked_translate: - mocked_song_select_import = MagicMock() - mocked_song_select_import.login.return_value = False - MockedSongSelectImport.return_value = mocked_song_select_import - mocked_translate.side_effect = lambda *args: args[1] - ssform = SongSelectForm(None, MagicMock(), MagicMock()) - ssform.initialise() - with patch.object(ssform, 'username_edit') as mocked_username_edit, \ - patch.object(ssform, 'password_edit') as mocked_password_edit, \ - patch.object(ssform, 'save_password_checkbox') as mocked_save_password_checkbox, \ - patch.object(ssform, 'login_button') as mocked_login_button, \ - patch.object(ssform, 'login_spacer') as mocked_login_spacer, \ - patch.object(ssform, 'login_progress_bar') as mocked_login_progress_bar, \ - patch.object(ssform.application, 'process_events') as mocked_process_events: + mocked_song_select_import = MagicMock() + mocked_song_select_import.login.return_value = False + MockedSongSelectImport.return_value = mocked_song_select_import + mocked_translate.side_effect = lambda *args: args[1] + ssform = SongSelectForm(None, MagicMock(), MagicMock()) + ssform.initialise() + with patch.object(ssform, 'username_edit') as mocked_username_edit, \ + patch.object(ssform, 'password_edit') as mocked_password_edit, \ + patch.object(ssform, 'save_password_checkbox') as mocked_save_password_checkbox, \ + patch.object(ssform, 'login_button') as mocked_login_button, \ + patch.object(ssform, 'login_spacer') as mocked_login_spacer, \ + patch.object(ssform, 'login_progress_bar') as mocked_login_progress_bar, \ + patch.object(ssform.application, 'process_events') as mocked_process_events: - # WHEN: The login button is clicked, and the login is rigged to fail - ssform.on_login_button_clicked() + # WHEN: The login button is clicked, and the login is rigged to fail + ssform.on_login_button_clicked() - # THEN: The right things should have happened in the right order - expected_username_calls = [call(False), call(True)] - expected_password_calls = [call(False), call(True)] - expected_save_password_calls = [call(False), call(True)] - expected_login_btn_calls = [call(False), call(True)] - expected_login_spacer_calls = [call(False), call(True)] - expected_login_progress_visible_calls = [call(True), call(False)] - expected_login_progress_value_calls = [call(0), call(0)] - self.assertEqual(expected_username_calls, mocked_username_edit.setEnabled.call_args_list, - 'The username edit should be disabled then enabled') - self.assertEqual(expected_password_calls, mocked_password_edit.setEnabled.call_args_list, - 'The password edit should be disabled then enabled') - self.assertEqual(expected_save_password_calls, mocked_save_password_checkbox.setEnabled.call_args_list, - 'The save password checkbox should be disabled then enabled') - self.assertEqual(expected_login_btn_calls, mocked_login_button.setEnabled.call_args_list, - 'The login button should be disabled then enabled') - self.assertEqual(expected_login_spacer_calls, mocked_login_spacer.setVisible.call_args_list, - 'Thee login spacer should be make invisible, then visible') - self.assertEqual(expected_login_progress_visible_calls, - mocked_login_progress_bar.setVisible.call_args_list, - 'Thee login progress bar should be make visible, then invisible') - self.assertEqual(expected_login_progress_value_calls, mocked_login_progress_bar.setValue.call_args_list, - 'Thee login progress bar should have the right values set') - self.assertEqual(2, mocked_process_events.call_count, - 'The process_events() method should be called twice') - mocked_critical.assert_called_with(ssform, 'Error Logging In', 'There was a problem logging in, ' - 'perhaps your username or password is ' - 'incorrect?') + # THEN: The right things should have happened in the right order + expected_username_calls = [call(False), call(True)] + expected_password_calls = [call(False), call(True)] + expected_save_password_calls = [call(False), call(True)] + expected_login_btn_calls = [call(False), call(True)] + expected_login_spacer_calls = [call(False), call(True)] + expected_login_progress_visible_calls = [call(True), call(False)] + expected_login_progress_value_calls = [call(0), call(0)] + self.assertEqual(expected_username_calls, mocked_username_edit.setEnabled.call_args_list, + 'The username edit should be disabled then enabled') + self.assertEqual(expected_password_calls, mocked_password_edit.setEnabled.call_args_list, + 'The password edit should be disabled then enabled') + self.assertEqual(expected_save_password_calls, mocked_save_password_checkbox.setEnabled.call_args_list, + 'The save password checkbox should be disabled then enabled') + self.assertEqual(expected_login_btn_calls, mocked_login_button.setEnabled.call_args_list, + 'The login button should be disabled then enabled') + self.assertEqual(expected_login_spacer_calls, mocked_login_spacer.setVisible.call_args_list, + 'Thee login spacer should be make invisible, then visible') + self.assertEqual(expected_login_progress_visible_calls, + mocked_login_progress_bar.setVisible.call_args_list, + 'Thee login progress bar should be make visible, then invisible') + self.assertEqual(expected_login_progress_value_calls, mocked_login_progress_bar.setValue.call_args_list, + 'Thee login progress bar should have the right values set') + self.assertEqual(2, mocked_process_events.call_count, + 'The process_events() method should be called twice') + mocked_critical.assert_called_with(ssform, 'Error Logging In', 'There was a problem logging in, ' + 'perhaps your username or password is ' + 'incorrect?') + + @patch('openlp.plugins.songs.forms.songselectform.QtGui.QMessageBox.question') + @patch('openlp.plugins.songs.forms.songselectform.translate') + def on_import_yes_clicked_test(self, mocked_translate, mocked_question): + """ + Test that when a song is imported and the user clicks the "yes" button, the UI goes back to the previous page + """ + # GIVEN: A valid SongSelectForm with a mocked out QMessageBox.question() method + mocked_translate.side_effect = lambda *args: args[1] + mocked_question.return_value = QtGui.QMessageBox.Yes + ssform = SongSelectForm(None, MagicMock(), MagicMock()) + mocked_song_select_importer = MagicMock() + ssform.song_select_importer = mocked_song_select_importer + ssform.song = None + + # WHEN: The import button is clicked, and the user clicks Yes + with patch.object(ssform, 'on_back_button_clicked') as mocked_on_back_button_clicked: + ssform.on_import_button_clicked() + + # THEN: The on_back_button_clicked() method should have been called + mocked_song_select_importer.save_song.assert_called_with(None) + mocked_question.assert_called_with(ssform, 'Song Imported', + 'Your song has been imported, would you like to import more songs?', + QtGui.QMessageBox.Yes | QtGui.QMessageBox.No, QtGui.QMessageBox.Yes) + mocked_on_back_button_clicked.assert_called_with() + self.assertIsNone(ssform.song) + + @patch('openlp.plugins.songs.forms.songselectform.QtGui.QMessageBox.question') + @patch('openlp.plugins.songs.forms.songselectform.translate') + def on_import_no_clicked_test(self, mocked_translate, mocked_question): + """ + Test that when a song is imported and the user clicks the "no" button, the UI exits + """ + # GIVEN: A valid SongSelectForm with a mocked out QMessageBox.question() method + mocked_translate.side_effect = lambda *args: args[1] + mocked_question.return_value = QtGui.QMessageBox.No + ssform = SongSelectForm(None, MagicMock(), MagicMock()) + mocked_song_select_importer = MagicMock() + ssform.song_select_importer = mocked_song_select_importer + ssform.song = None + + # WHEN: The import button is clicked, and the user clicks Yes + with patch.object(ssform, 'done') as mocked_done: + ssform.on_import_button_clicked() + + # THEN: The on_back_button_clicked() method should have been called + mocked_song_select_importer.save_song.assert_called_with(None) + mocked_question.assert_called_with(ssform, 'Song Imported', + 'Your song has been imported, would you like to import more songs?', + QtGui.QMessageBox.Yes | QtGui.QMessageBox.No, QtGui.QMessageBox.Yes) + mocked_done.assert_called_with(QtGui.QDialog.Accepted) + self.assertIsNone(ssform.song) + + def on_back_button_clicked_test(self): + """ + Test that when the back button is clicked, the stacked widget is set back one page + """ + # GIVEN: A SongSelect form + ssform = SongSelectForm(None, MagicMock(), MagicMock()) + + # WHEN: The back button is clicked + with patch.object(ssform, 'stacked_widget') as mocked_stacked_widget, \ + patch.object(ssform, 'search_combobox') as mocked_search_combobox: + ssform.on_back_button_clicked() + + # THEN: The stacked widget should be set back one page + mocked_stacked_widget.setCurrentIndex.assert_called_with(1) + mocked_search_combobox.setFocus.assert_called_with() + + @patch('openlp.plugins.songs.forms.songselectform.QtGui.QMessageBox.information') + def on_search_show_info_test(self, mocked_information): + """ + Test that when the search_show_info signal is emitted, the on_search_show_info() method shows a dialog + """ + # GIVEN: A SongSelect form + ssform = SongSelectForm(None, MagicMock(), MagicMock()) + expected_title = 'Test Title' + expected_text = 'This is a test' + + # WHEN: on_search_show_info is called + ssform.on_search_show_info(expected_title, expected_text) + + # THEN: An information dialog should be shown + mocked_information.assert_called_with(ssform, expected_title, expected_text) + + def update_login_progress_test(self): + """ + Test the _update_login_progress() method + """ + # GIVEN: A SongSelect form + ssform = SongSelectForm(None, MagicMock(), MagicMock()) + + # WHEN: _update_login_progress() is called + with patch.object(ssform, 'login_progress_bar') as mocked_login_progress_bar: + mocked_login_progress_bar.value.return_value = 3 + ssform._update_login_progress() + + # THEN: The login progress bar should be updated + mocked_login_progress_bar.setValue.assert_called_with(4) + + def update_song_progress_test(self): + """ + Test the _update_song_progress() method + """ + # GIVEN: A SongSelect form + ssform = SongSelectForm(None, MagicMock(), MagicMock()) + + # WHEN: _update_song_progress() is called + with patch.object(ssform, 'song_progress_bar') as mocked_song_progress_bar: + mocked_song_progress_bar.value.return_value = 2 + ssform._update_song_progress() + + # THEN: The song progress bar should be updated + mocked_song_progress_bar.setValue.assert_called_with(3) + + def on_search_results_widget_double_clicked_test(self): + """ + Test that a song is retrieved when a song in the results list is double-clicked + """ + # GIVEN: A SongSelect form + ssform = SongSelectForm(None, MagicMock(), MagicMock()) + expected_song = {'title': 'Amazing Grace'} + + # WHEN: A song result is double-clicked + with patch.object(ssform, '_view_song') as mocked_view_song: + ssform.on_search_results_widget_double_clicked(expected_song) + + # THEN: The song is fetched and shown to the user + mocked_view_song.assert_called_with(expected_song) + + def on_view_button_clicked_test(self): + """ + Test that a song is retrieved when the view button is clicked + """ + # GIVEN: A SongSelect form + ssform = SongSelectForm(None, MagicMock(), MagicMock()) + expected_song = {'title': 'Amazing Grace'} + + # WHEN: A song result is double-clicked + with patch.object(ssform, '_view_song') as mocked_view_song, \ + patch.object(ssform, 'search_results_widget') as mocked_search_results_widget: + mocked_search_results_widget.currentItem.return_value = expected_song + ssform.on_view_button_clicked() + + # THEN: The song is fetched and shown to the user + mocked_view_song.assert_called_with(expected_song) + + def on_search_results_widget_selection_changed_test(self): + """ + Test that the view button is updated when the search results list is changed + """ + # GIVEN: A SongSelect form + ssform = SongSelectForm(None, MagicMock(), MagicMock()) + + # WHEN: There is at least 1 item selected + with patch.object(ssform, 'search_results_widget') as mocked_search_results_widget, \ + patch.object(ssform, 'view_button') as mocked_view_button: + mocked_search_results_widget.selectedItems.return_value = [1] + ssform.on_search_results_widget_selection_changed() + + # THEN: The view button should be enabled + mocked_view_button.setEnabled.assert_called_with(True) class TestSongSelectFileImport(TestCase, TestMixin): @@ -471,7 +635,6 @@ class TestSongSelectFileImport(TestCase, TestMixin): def setUp(self): """ Initial setups - :return: """ Registry.create() test_song_name = 'TestSong' @@ -481,54 +644,43 @@ class TestSongSelectFileImport(TestCase, TestMixin): self.authors = ['Author One', 'Author Two'] self.topics = ['Adoration', 'Praise'] - def tearDown(self): + def songselect_import_bin_file_test(self): """ - Test cleanups - :return: - """ - pass - - def songselect_import_usr_file_test(self): - """ - Verify import SongSelect USR file parses file properly - :return: + Verify import SongSelect BIN file parses file properly """ # GIVEN: Text file to import and mocks - copyright = '2011 OpenLP Programmer One (Admin. by OpenLP One) | ' \ - 'Openlp Programmer Two (Admin. by OpenLP Two)' - verses = [ + copyright_bin = '2011 OpenLP Programmer One (Admin. by OpenLP One) | ' \ + 'Openlp Programmer Two (Admin. by OpenLP Two)' + verses_bin = [ ['v1', 'Line One Verse One\nLine Two Verse One\nLine Three Verse One\nLine Four Verse One', None], ['v2', 'Line One Verse Two\nLine Two Verse Two\nLine Three Verse Two\nLine Four Verse Two', None] ] + song_import = CCLIFileImport(manager=None, filename=['{}.bin'.format(self.file_name)]) - song_import = CCLIFileImport(manager=None, filename=['{}.bin'.format(self.file_name)], ) with patch.object(song_import, 'import_wizard'), patch.object(song_import, 'finish'): - # WHEN: We call the song importer song_import.do_import() - print(song_import.verses) # THEN: Song values should be equal to test values in setUp self.assertEquals(song_import.title, self.title, 'Song title should match') self.assertEquals(song_import.ccli_number, self.ccli_number, 'CCLI Song Number should match') self.assertEquals(song_import.authors, self.authors, 'Author(s) should match') - self.assertEquals(song_import.copyright, self.copyright_usr, 'Copyright should match') + self.assertEquals(song_import.copyright, copyright_bin, 'Copyright should match') self.assertEquals(song_import.topics, self.topics, 'Theme(s) should match') - self.assertEquals(song_import.verses, self.verses, 'Verses should match with test verses') + self.assertEquals(song_import.verses, verses_bin, 'Verses should match with test verses') - def songselect_import_usr_file_test(self): + def songselect_import_text_file_test(self): """ - Verify import SongSelect USR file parses file properly - :return: + Verify import SongSelect TEXT file parses file properly """ # GIVEN: Text file to import and mocks - copyright = '© 2011 OpenLP Programmer One (Admin. by OpenLP One)' - verses = [ + copyright_txt = '© 2011 OpenLP Programmer One (Admin. by OpenLP One)' + verses_txt = [ ['v1', 'Line One Verse One\r\nLine Two Verse One\r\nLine Three Verse One\r\nLine Four Verse One', None], ['v2', 'Line One Verse Two\r\nLine Two Verse Two\r\nLine Three Verse Two\r\nLine Four Verse Two', None] ] - song_import = CCLIFileImport(manager=None, filename=['{}.txt'.format(self.file_name)], ) - with patch.object(song_import, 'import_wizard'), patch.object(song_import, 'finish'): + song_import = CCLIFileImport(manager=None, filename=['{}.txt'.format(self.file_name)]) + with patch.object(song_import, 'import_wizard'), patch.object(song_import, 'finish'): # WHEN: We call the song importer song_import.do_import() @@ -536,5 +688,87 @@ class TestSongSelectFileImport(TestCase, TestMixin): self.assertEquals(song_import.title, self.title, 'Song title should match') self.assertEquals(song_import.ccli_number, self.ccli_number, 'CCLI Song Number should match') self.assertEquals(song_import.authors, self.authors, 'Author(s) should match') - self.assertEquals(song_import.copyright, copyright, 'Copyright should match') - self.assertEquals(song_import.verses, verses, 'Verses should match with test verses') + self.assertEquals(song_import.copyright, copyright_txt, 'Copyright should match') + self.assertEquals(song_import.verses, verses_txt, 'Verses should match with test verses') + + +class TestSearchWorker(TestCase, TestMixin): + """ + Test the SearchWorker class + """ + def constructor_test(self): + """ + Test the SearchWorker constructor + """ + # GIVEN: An importer mock object and some search text + importer = MagicMock() + search_text = 'Jesus' + + # WHEN: The search worker is created + worker = SearchWorker(importer, search_text) + + # THEN: The correct values should be set + self.assertIs(importer, worker.importer, 'The importer should be the right object') + self.assertEqual(search_text, worker.search_text, 'The search text should be correct') + + def start_test(self): + """ + Test the start() method of the SearchWorker class + """ + # GIVEN: An importer mock object, some search text and an initialised SearchWorker + importer = MagicMock() + importer.search.return_value = ['song1', 'song2'] + search_text = 'Jesus' + worker = SearchWorker(importer, search_text) + + # WHEN: The start() method is called + with patch.object(worker, 'finished') as mocked_finished, patch.object(worker, 'quit') as mocked_quit: + worker.start() + + # THEN: The "finished" and "quit" signals should be emitted + importer.search.assert_called_with(search_text, 1000, worker._found_song_callback) + mocked_finished.emit.assert_called_with() + mocked_quit.emit.assert_called_with() + + @patch('openlp.plugins.songs.forms.songselectform.translate') + def start_over_1000_songs_test(self, mocked_translate): + """ + Test the start() method of the SearchWorker class when it finds over 1000 songs + """ + # GIVEN: An importer mock object, some search text and an initialised SearchWorker + mocked_translate.side_effect = lambda x, y: y + importer = MagicMock() + importer.search.return_value = ['song%s' % num for num in range(1050)] + search_text = 'Jesus' + worker = SearchWorker(importer, search_text) + + # WHEN: The start() method is called + with patch.object(worker, 'finished') as mocked_finished, patch.object(worker, 'quit') as mocked_quit, \ + patch.object(worker, 'show_info') as mocked_show_info: + worker.start() + + # THEN: The "finished" and "quit" signals should be emitted + importer.search.assert_called_with(search_text, 1000, worker._found_song_callback) + mocked_show_info.emit.assert_called_with('More than 1000 results', 'Your search has returned more than 1000 ' + 'results, it has been stopped. Please ' + 'refine your search to fetch better ' + 'results.') + mocked_finished.emit.assert_called_with() + mocked_quit.emit.assert_called_with() + + def found_song_callback_test(self): + """ + Test that when the _found_song_callback() function is called, the "found_song" signal is emitted + """ + # GIVEN: An importer mock object, some search text and an initialised SearchWorker + importer = MagicMock() + search_text = 'Jesus' + song = {'title': 'Amazing Grace'} + worker = SearchWorker(importer, search_text) + + # WHEN: The start() method is called + with patch.object(worker, 'found_song') as mocked_found_song: + worker._found_song_callback(song) + + # THEN: The "found_song" signal should have been emitted + mocked_found_song.emit.assert_called_with(song) diff --git a/tests/functional/test_init.py b/tests/functional/test_init.py index 62e25aab6..b0c289b54 100644 --- a/tests/functional/test_init.py +++ b/tests/functional/test_init.py @@ -22,17 +22,16 @@ """ Package to test the openlp.core.__init__ package. """ -from optparse import Values import os -import sys - from unittest import TestCase -from unittest.mock import MagicMock, patch + from PyQt4 import QtCore, QtGui from openlp.core import OpenLP, parse_options from openlp.core.common import Settings + from tests.helpers.testmixin import TestMixin +from tests.functional import MagicMock, patch, call TEST_PATH = os.path.abspath(os.path.join(os.path.dirname(__file__), '..', 'resources')) @@ -67,6 +66,25 @@ class TestInit(TestCase, TestMixin): mocked_file_method.assert_called_once_with() self.assertEqual(self.openlp.args[0], file_path, "The path should be in args.") + @patch('openlp.core.is_macosx') + def application_activate_event_test(self, mocked_is_macosx): + """ + Test that clicking on the dock icon on Mac OS X restores the main window if it is minimized + """ + # GIVEN: Mac OS X and an ApplicationActivate event + mocked_is_macosx.return_value = True + event = MagicMock() + event.type.return_value = QtCore.QEvent.ApplicationActivate + mocked_main_window = MagicMock() + self.openlp.main_window = mocked_main_window + + # WHEN: The icon in the dock is clicked + result = self.openlp.event(event) + + # THEN: + self.assertTrue(result, "The method should have returned True.") + # self.assertFalse(self.openlp.main_window.isMinimized()) + def backup_on_upgrade_first_install_test(self): """ Test that we don't try to backup on a new install @@ -115,31 +133,59 @@ class TestInit(TestCase, TestMixin): self.assertEqual(Settings().value('core/application version'), '2.2.0', 'Version should be upgraded!') self.assertEqual(mocked_question.call_count, 1, 'A question should have been asked!') - def parse_options_short_options_test(self): + @patch(u'openlp.core.OptionParser') + def parse_options_test(self, MockedOptionParser): """ - Test that parse_options parses short options correctly + Test that parse_options sets up OptionParser correctly and parses the options given """ - # GIVEN: A list of valid short options + # GIVEN: A list of valid options and a mocked out OptionParser object options = ['-e', '-l', 'debug', '-pd', '-s', 'style', 'extra', 'qt', 'args'] + mocked_parser = MagicMock() + MockedOptionParser.return_value = mocked_parser + expected_calls = [ + call('-e', '--no-error-form', dest='no_error_form', action='store_true', + help='Disable the error notification form.'), + call('-l', '--log-level', dest='loglevel', default='warning', metavar='LEVEL', + help='Set logging to LEVEL level. Valid values are "debug", "info", "warning".'), + call('-p', '--portable', dest='portable', action='store_true', + help='Specify if this should be run as a portable app, off a USB flash drive (not implemented).'), + call('-d', '--dev-version', dest='dev_version', action='store_true', + help='Ignore the version file and pull the version directly from Bazaar'), + call('-s', '--style', dest='style', help='Set the Qt4 style (passed directly to Qt4).') + ] # WHEN: Calling parse_options - results = parse_options(options) + parse_options(options) - # THEN: A tuple should be returned with the parsed options and left over args - self.assertEqual(results, (Values({'no_error_form': True, 'dev_version': True, 'portable': True, - 'style': 'style', 'loglevel': 'debug'}), ['extra', 'qt', 'args'])) + # THEN: A tuple should be returned with the parsed options and left over options + MockedOptionParser.assert_called_with(usage='Usage: %prog [options] [qt-options]') + self.assertEquals(expected_calls, mocked_parser.add_option.call_args_list) + mocked_parser.parse_args.assert_called_with(options) - def parse_options_valid_argv_short_options_test(self): + @patch(u'openlp.core.OptionParser') + def parse_options_from_sys_argv_test(self, MockedOptionParser): """ - Test that parse_options parses valid short options correctly when passed through sys.argv + Test that parse_options sets up OptionParser correctly and parses sys.argv """ - # GIVEN: A list of valid options - options = ['openlp.py', '-e', '-l', 'debug', '-pd', '-s', 'style', 'extra', 'qt', 'args'] + # GIVEN: A list of valid options and a mocked out OptionParser object + mocked_parser = MagicMock() + MockedOptionParser.return_value = mocked_parser + expected_calls = [ + call('-e', '--no-error-form', dest='no_error_form', action='store_true', + help='Disable the error notification form.'), + call('-l', '--log-level', dest='loglevel', default='warning', metavar='LEVEL', + help='Set logging to LEVEL level. Valid values are "debug", "info", "warning".'), + call('-p', '--portable', dest='portable', action='store_true', + help='Specify if this should be run as a portable app, off a USB flash drive (not implemented).'), + call('-d', '--dev-version', dest='dev_version', action='store_true', + help='Ignore the version file and pull the version directly from Bazaar'), + call('-s', '--style', dest='style', help='Set the Qt4 style (passed directly to Qt4).') + ] - # WHEN: Passing in the options through sys.argv and calling parse_args with None - with patch.object(sys, 'argv', options): - results = parse_options(None) + # WHEN: Calling parse_options + parse_options([]) - # THEN: parse_args should return a tuple of valid options and of left over options that OpenLP does not use - self.assertEqual(results, (Values({'no_error_form': True, 'dev_version': True, 'portable': True, - 'style': 'style', 'loglevel': 'debug'}), ['extra', 'qt', 'args'])) + # THEN: A tuple should be returned with the parsed options and left over options + MockedOptionParser.assert_called_with(usage='Usage: %prog [options] [qt-options]') + self.assertEquals(expected_calls, mocked_parser.add_option.call_args_list) + mocked_parser.parse_args.assert_called_with() diff --git a/tests/helpers/__init__.py b/tests/helpers/__init__.py index 072f42291..edf3104b5 100644 --- a/tests/helpers/__init__.py +++ b/tests/helpers/__init__.py @@ -22,3 +22,23 @@ """ The :mod:`~tests.helpers` module provides helper classes for use in the tests. """ +from datetime import datetime + + +class MockDateTime(object): + return_values = [datetime(2015, 4, 15, 18, 35, 21, 0)] + call_counter = 0 + + @classmethod + def revert(cls): + cls.return_values = [datetime(2015, 4, 15, 18, 35, 21, 0)] + cls.call_counter = 0 + + @classmethod + def now(cls): + if len(cls.return_values) > cls.call_counter: + mocked_datetime = cls.return_values[cls.call_counter] + else: + mocked_datetime = cls.return_values[-1] + cls.call_counter += 1 + return mocked_datetime diff --git a/tests/interfaces/openlp_core_ui/test_thememanager.py b/tests/interfaces/openlp_core_ui/test_thememanager.py index 38bbbb9d9..9a4c78362 100644 --- a/tests/interfaces/openlp_core_ui/test_thememanager.py +++ b/tests/interfaces/openlp_core_ui/test_thememanager.py @@ -25,7 +25,7 @@ Interface tests to test the themeManager class and related methods. from unittest import TestCase from openlp.core.common import Registry, Settings -from openlp.core.ui import ThemeManager +from openlp.core.ui import ThemeManager, ThemeForm, FileRenameForm from tests.functional import patch, MagicMock from tests.helpers.testmixin import TestMixin @@ -105,3 +105,20 @@ class TestThemeManager(TestCase, TestMixin): new_theme.trigger() assert mocked_event.call_count == 1, 'The on_add_theme method should have been called once' + + @patch('openlp.core.ui.themeform.ThemeForm._setup') + @patch('openlp.core.ui.filerenameform.FileRenameForm._setup') + def bootstrap_post_test(self, mocked_theme_form, mocked_rename_form): + """ + Test the functions of bootstrap_post_setup are called. + """ + # GIVEN: + self.theme_manager.load_themes = MagicMock() + self.theme_manager.path = MagicMock() + + # WHEN: + self.theme_manager.bootstrap_post_set_up() + + # THEN: + self.assertEqual(self.theme_manager.path, self.theme_manager.theme_form.path) + self.assertEqual(1, self.theme_manager.load_themes.call_count, "load_themes should have been called once") diff --git a/tests/interfaces/openlp_plugins/bibles/test_lib_http.py b/tests/interfaces/openlp_plugins/bibles/test_lib_http.py index 673fb4455..f7dc70d48 100644 --- a/tests/interfaces/openlp_plugins/bibles/test_lib_http.py +++ b/tests/interfaces/openlp_plugins/bibles/test_lib_http.py @@ -25,7 +25,7 @@ from unittest import TestCase from openlp.core.common import Registry -from openlp.plugins.bibles.lib.http import BGExtract, CWExtract +from openlp.plugins.bibles.lib.http import BGExtract, CWExtract, BSExtract from tests.interfaces import MagicMock @@ -116,3 +116,46 @@ class TestBibleHTTP(TestCase): # THEN: We should get back a valid service item assert len(results.verse_list) == 36, 'The book of John should not have had any verses added or removed' + + def bibleserver_get_bibles_test(self): + """ + Test getting list of bibles from BibleServer.com + """ + # GIVEN: A new Bible Server extraction class + handler = BSExtract() + + # WHEN: downloading bible list from bibleserver + bibles = handler.get_bibles_from_http() + + # THEN: The list should not be None, and some known bibles should be there + self.assertIsNotNone(bibles) + self.assertIn(('New Int. Readers Version', 'NIRV', 'en'), bibles) + self.assertIn(('Българската Библия', 'BLG', 'bg'), bibles) + + def biblegateway_get_bibles_test(self): + """ + Test getting list of bibles from BibleGateway.com + """ + # GIVEN: A new Bible Gateway extraction class + handler = BGExtract() + + # WHEN: downloading bible list from Crosswalk + bibles = handler.get_bibles_from_http() + + # THEN: The list should not be None, and some known bibles should be there + self.assertIsNotNone(bibles) + self.assertIn(('Holman Christian Standard Bible', 'HCSB', 'en'), bibles) + + def crosswalk_get_bibles_test(self): + """ + Test getting list of bibles from Crosswalk.com + """ + # GIVEN: A new Crosswalk extraction class + handler = CWExtract() + + # WHEN: downloading bible list from Crosswalk + bibles = handler.get_bibles_from_http() + + # THEN: The list should not be None, and some known bibles should be there + self.assertIsNotNone(bibles) + self.assertIn(('Giovanni Diodati 1649 (Italian)', 'gdb', 'it'), bibles) diff --git a/tests/interfaces/openlp_plugins/media/forms/test_mediaclipselectorform.py b/tests/interfaces/openlp_plugins/media/forms/test_mediaclipselectorform.py index 7f05eaa9b..0fc66d1cb 100644 --- a/tests/interfaces/openlp_plugins/media/forms/test_mediaclipselectorform.py +++ b/tests/interfaces/openlp_plugins/media/forms/test_mediaclipselectorform.py @@ -25,9 +25,9 @@ Module to test the MediaClipSelectorForm. import os from unittest import TestCase, SkipTest -from openlp.core.ui.media.vlcplayer import VLC_AVAILABLE +from openlp.core.ui.media.vlcplayer import get_vlc -if os.name == 'nt' and not VLC_AVAILABLE: +if os.name == 'nt' and not get_vlc(): raise SkipTest('Windows without VLC, skipping this test since it cannot run without vlc') from PyQt4 import QtGui, QtTest, QtCore diff --git a/tests/resources/bibles/dk1933-books.csv b/tests/resources/bibles/dk1933-books.csv new file mode 100644 index 000000000..43bd7e462 --- /dev/null +++ b/tests/resources/bibles/dk1933-books.csv @@ -0,0 +1,22 @@ +1,1,1. Mosebog,1Mos +2,1,2. Mosebog,2Mos +3,1,3. Mosebog,3Mos +4,1,4. Mosebog,4Mos +5,1,5. Mosebog,5Mos +6,1,Josvabogen,jos +7,1,Dommerbogen,dom +8,1,Ruths Bog,ruth +9,1,1. Samuelsbog,1Sam +10,1,2. Samuelsbog,2Sam +11,1,1. Kongebog,1kong +12,1,2. Kongebog,2kong +13,1,1. Krønikebog,1kron +14,1,2. Krønikebog,2kron +15,1,Ezras Bog,ezra +16,1,Nehemias' Bog,neh +17,1,Esters Bog,est +18,1,Jobs Bog,job +19,1,Salmernes Bog,sl +20,1,Ordsprogenes Bog,ordsp +21,1,Prædikerens Bog,prad +22,1,Højsangen,hojs diff --git a/tests/resources/bibles/dk1933-verses.csv b/tests/resources/bibles/dk1933-verses.csv new file mode 100644 index 000000000..bb065b177 --- /dev/null +++ b/tests/resources/bibles/dk1933-verses.csv @@ -0,0 +1,10 @@ +1,1,1,"I Begyndelsen skabte Gud Himmelen og Jorden." +1,1,2,"Og Jorden var øde og tom, og der var Mørke over Verdensdybet. Men Guds Ånd svævede over Vandene." +1,1,3,"Og Gud sagde: ""Der blive Lys!"" Og der blev Lys." +1,1,4,"Og Gud så, at Lyset var godt, og Gud satte Skel mellem Lyset og Mørket," +1,1,5,"og Gud kaldte Lyset Dag, og Mørket kaldte han Nat. Og det blev Aften, og det blev Morgen, første Dag." +1,1,6,"Derpå sagde Gud: ""Der blive en Hvælving midt i Vandene til at skille Vandene ad!""" +1,1,7,"Og således skete det: Gud gjorde Hvælvingen og skilte Vandet under Hvælvingen fra Vandet over Hvælvingen;" +1,1,8,"og Gud kaldte Hvælvingen Himmel. Og det blev Aften, og det blev Morgen, anden Dag." +1,1,9,"Derpå sagde Gud: ""Vandet under Himmelen samle sig på eet Sted, så det faste Land kommer til Syne!"" Og således skete det;" +1,1,10,"og Gud kaldte det faste Land Jord, og Stedet, hvor Vandet samlede sig, kaldte han Hav. Og Gud så, at det var godt." diff --git a/tests/resources/bibles/rst.json b/tests/resources/bibles/rst.json new file mode 100644 index 000000000..d8aca09ac --- /dev/null +++ b/tests/resources/bibles/rst.json @@ -0,0 +1,16 @@ +{ + "book": "Exodus", + "chapter": 1, + "verses": [ + [ "1", "Вот имена сынов Израилевых, которые вошли в Египет с Иаковом, вошли каждый с домом своим:" ], + [ "2", "Рувим, Симеон, Левий и Иуда," ], + [ "3", "Иссахар, Завулон и Вениамин," ], + [ "4", "Дан и Неффалим, Гад и Асир." ], + [ "5", "Всех же душ, происшедших от чресл Иакова, было семьдесят, а Иосиф был [уже] в Египте." ], + [ "6", "И умер Иосиф и все братья его и весь род их;" ], + [ "7", "а сыны Израилевы расплодились и размножились, и возросли и усилились чрезвычайно, и наполнилась ими земля та." ], + [ "8", "И восстал в Египте новый царь, который не знал Иосифа," ], + [ "9", "и сказал народу своему: вот, народ сынов Израилевых многочислен и сильнее нас;" ], + [ "10", "перехитрим же его, чтобы он не размножался; иначе, когда случится война, соединится и он с нашими неприятелями, и вооружится против нас, и выйдет из земли [нашей]." ] + ] +} diff --git a/tests/resources/bibles/zefania-rst.xml b/tests/resources/bibles/zefania-rst.xml new file mode 100644 index 000000000..72d1230a4 --- /dev/null +++ b/tests/resources/bibles/zefania-rst.xml @@ -0,0 +1,48 @@ + + + + + + + + Russian Synodal Translation + Zefania XML Bible Markup Language + 2009-01-20 + Jens Grabner + http://www.agape-biblia.org + http://www.crosswire.org/sword/modules/ + RUS + + RST + + 1876 Russian Synodal Translation, 1956 Edition + The text was supplied by "Light in East Germany". + + + + "Light in East Germany" Tel +49 711 83 30 57 + Postfach 1340 Fax +49 711 83 13 51 + 7015 Korntal + Munchingen 1 + Germany + + + + + + + + Вторая книга Моисеева. Исход + Вот имена сынов Израилевых, которые вошли в Египет с Иаковом, вошли каждый с домом своим: + Рувим, Симеон, Левий и Иуда, + Иссахар, Завулон и Вениамин, + Дан и Неффалим, Гад и Асир. + Всех же душ, происшедших от чресл Иакова, было семьдесят, а Иосиф был [уже] в Египте. + И умер Иосиф и все братья его и весь род их; + а сыны Израилевы расплодились и размножились, и возросли и усилились чрезвычайно, и наполнилась ими земля та. + И восстал в Египте новый царь, который не знал Иосифа, + и сказал народу своему: вот, народ сынов Израилевых многочислен и сильнее нас; + перехитрим же его, чтобы он не размножался; иначе, когда случится война, соединится и он с нашими неприятелями, и вооружится против нас, и выйдет из земли [нашей]. + + + diff --git a/tests/utils/test_bzr_tags.py b/tests/utils/test_bzr_tags.py index 737f2f531..0cd4b7d08 100644 --- a/tests/utils/test_bzr_tags.py +++ b/tests/utils/test_bzr_tags.py @@ -45,7 +45,9 @@ TAGS = [ ['2.0', '2118'], ['2.1.0', '2119'], ['2.1.1', '2438'], - ['2.1.2', '2488'] + ['2.1.2', '2488'], + ['2.1.3', '2513'], + ['2.1.4', '2532'] ] # Depending on the repository, we sometimes have the 2.0.x tags in the repo too. They come up with a revision number of # "?", which I suspect is due to the fact that we're using shared repositories. This regular expression matches all