From 0c93d6b032e0e7888c5935cdcf1eb89d98e80adb Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Thu, 15 Sep 2016 01:20:33 +0300 Subject: [PATCH 01/26] - Created a working "Full license" field for Bible editor. Problem: If metadata does not already have full_license field = traceback. --- openlp/plugins/bibles/forms/editbibledialog.py | 9 +++++++++ openlp/plugins/bibles/forms/editbibleform.py | 4 +++- openlp/plugins/bibles/lib/manager.py | 10 +++++----- 3 files changed, 17 insertions(+), 6 deletions(-) diff --git a/openlp/plugins/bibles/forms/editbibledialog.py b/openlp/plugins/bibles/forms/editbibledialog.py index f1e833637..58769014c 100644 --- a/openlp/plugins/bibles/forms/editbibledialog.py +++ b/openlp/plugins/bibles/forms/editbibledialog.py @@ -68,6 +68,14 @@ class Ui_EditBibleDialog(object): self.permissions_edit.setObjectName('permissions_edit') self.permissions_label.setBuddy(self.permissions_edit) self.license_details_layout.addRow(self.permissions_label, self.permissions_edit) + # QTextEdit + self.full_license_label = QtWidgets.QLabel(self.license_details_group_box) + self.full_license_label.setObjectName('full_license_label') + self.full_license_edit = QtWidgets.QPlainTextEdit(self.license_details_group_box) + self.full_license_edit.setObjectName('full_license_edit') + self.full_license_label.setBuddy(self.full_license_edit) + self.license_details_layout.addRow(self.full_license_label, self.full_license_edit) + self.meta_tab_layout.addWidget(self.license_details_group_box) self.language_selection_group_box = QtWidgets.QGroupBox(self.meta_tab) self.language_selection_group_box.setObjectName('language_selection_group_box') @@ -132,6 +140,7 @@ class Ui_EditBibleDialog(object): self.version_name_label.setText(translate('BiblesPlugin.EditBibleForm', 'Version name:')) self.copyright_label.setText(translate('BiblesPlugin.EditBibleForm', 'Copyright:')) self.permissions_label.setText(translate('BiblesPlugin.EditBibleForm', 'Permissions:')) + self.full_license_label.setText(translate('BiblesPlugin.EditBibleForm', 'Full license:')) self.language_selection_group_box.setTitle(translate('BiblesPlugin.EditBibleForm', 'Default Bible Language')) self.language_selection_label.setText( translate('BiblesPlugin.EditBibleForm', 'Book name language in search field, search results and ' diff --git a/openlp/plugins/bibles/forms/editbibleform.py b/openlp/plugins/bibles/forms/editbibleform.py index c6afbabb6..b3947c43a 100644 --- a/openlp/plugins/bibles/forms/editbibleform.py +++ b/openlp/plugins/bibles/forms/editbibleform.py @@ -64,6 +64,7 @@ class EditBibleForm(QtWidgets.QDialog, Ui_EditBibleDialog, RegistryProperties): self.version_name_edit.setText(self.manager.get_meta_data(self.bible, 'name').value) self.copyright_edit.setText(self.manager.get_meta_data(self.bible, 'copyright').value) self.permissions_edit.setText(self.manager.get_meta_data(self.bible, 'permissions').value) + self.full_license_edit.setPlainText(self.manager.get_meta_data(self.bible, 'full_license').value) book_name_language = self.manager.get_meta_data(self.bible, 'book_name_language') if book_name_language and book_name_language.value != 'None': self.language_selection_combo_box.setCurrentIndex(int(book_name_language.value) + 1) @@ -107,6 +108,7 @@ class EditBibleForm(QtWidgets.QDialog, Ui_EditBibleDialog, RegistryProperties): version = self.version_name_edit.text() copyright = self.copyright_edit.text() permissions = self.permissions_edit.text() + full_license = self.full_license_edit.toPlainText() book_name_language = self.language_selection_combo_box.currentIndex() - 1 if book_name_language == -1: book_name_language = None @@ -121,7 +123,7 @@ class EditBibleForm(QtWidgets.QDialog, Ui_EditBibleDialog, RegistryProperties): if not self.validate_book(custom_names[abbr], abbr): return self.application.set_busy_cursor() - self.manager.save_meta_data(self.bible, version, copyright, permissions, book_name_language) + self.manager.save_meta_data(self.bible, version, copyright, permissions, full_license, book_name_language) if not self.web_bible: for abbr, book in self.books.items(): if book: diff --git a/openlp/plugins/bibles/lib/manager.py b/openlp/plugins/bibles/lib/manager.py index d2286bed2..40eecf19f 100644 --- a/openlp/plugins/bibles/lib/manager.py +++ b/openlp/plugins/bibles/lib/manager.py @@ -376,17 +376,17 @@ class BibleManager(RegistryProperties): else: return None - def save_meta_data(self, bible, version, copyright, permissions, book_name_language=None): + def save_meta_data(self, bible, version, copyright, permissions, full_license, book_name_language=None): """ Saves the bibles meta data. """ - log.debug('save_meta data {bible}, {version}, {copyright}, {perms}'.format(bible=bible, - version=version, - copyright=copyright, - perms=permissions)) + log.debug('save_meta data {bible}, {version}, {copyright},' + ' {perms}, {full_license}'.format(bible=bible, version=version, copyright=copyright, + perms=permissions, full_license=full_license)) self.db_cache[bible].save_meta('name', version) self.db_cache[bible].save_meta('copyright', copyright) self.db_cache[bible].save_meta('permissions', permissions) + self.db_cache[bible].save_meta('full_license', full_license) self.db_cache[bible].save_meta('book_name_language', book_name_language) def get_meta_data(self, bible, key): From 7ba2bb6d82cedf86af7e5b67713da0c49c605ef7 Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Thu, 15 Sep 2016 02:53:04 +0300 Subject: [PATCH 02/26] - Fixed the missing field traceback - Created the field for import (This does not work, why?) --- .../plugins/bibles/forms/bibleimportform.py | 14 +++++++++++++- .../plugins/bibles/forms/editbibledialog.py | 2 -- openlp/plugins/bibles/forms/editbibleform.py | 19 ++++++++++++++----- 3 files changed, 27 insertions(+), 8 deletions(-) diff --git a/openlp/plugins/bibles/forms/bibleimportform.py b/openlp/plugins/bibles/forms/bibleimportform.py index 3d02228ca..b24bc6992 100644 --- a/openlp/plugins/bibles/forms/bibleimportform.py +++ b/openlp/plugins/bibles/forms/bibleimportform.py @@ -378,6 +378,12 @@ class BibleImportForm(OpenLPWizard): self.permissions_edit = QtWidgets.QLineEdit(self.license_details_page) self.permissions_edit.setObjectName('PermissionsEdit') self.license_details_layout.setWidget(2, QtWidgets.QFormLayout.FieldRole, self.permissions_edit) + self.full_license_label = QtWidgets.QLabel(self.license_details_page) + self.full_license_label.setObjectName('FullLicenseLabel') + self.license_details_layout.setWidget(3, QtWidgets.QFormLayout.LabelRole, self.full_license_label) + self.full_license_edit = QtWidgets.QPlainTextEdit(self.license_details_page) + self.full_license_edit.setObjectName('FullLicenseEdit') + self.license_details_layout.setWidget(3, QtWidgets.QFormLayout.FieldRole, self.full_license_edit) self.addPage(self.license_details_page) def retranslateUi(self): @@ -448,6 +454,7 @@ class BibleImportForm(OpenLPWizard): self.version_name_label.setText(translate('BiblesPlugin.ImportWizardForm', 'Version name:')) self.copyright_label.setText(translate('BiblesPlugin.ImportWizardForm', 'Copyright:')) self.permissions_label.setText(translate('BiblesPlugin.ImportWizardForm', 'Permissions:')) + self.full_license_label.setText(translate('BiblesPlugin.ImportWizardForm', 'Full license:')) self.progress_page.setTitle(WizardStrings.Importing) self.progress_page.setSubTitle(translate('BiblesPlugin.ImportWizardForm', 'Please wait while your Bible is imported.')) @@ -471,6 +478,7 @@ class BibleImportForm(OpenLPWizard): elif self.currentPage() == self.select_page: self.version_name_edit.clear() self.permissions_edit.clear() + self.full_license_edit.clear() self.copyright_edit.clear() if self.field('source_format') == BibleFormat.OSIS: if not self.field('osis_location'): @@ -715,6 +723,7 @@ class BibleImportForm(OpenLPWizard): self.license_details_page.registerField('license_version', self.version_name_edit) self.license_details_page.registerField('license_copyright', self.copyright_edit) self.license_details_page.registerField('license_permissions', self.permissions_edit) + self.license_details_page.registerField('license_full_license', self.full_license_edit) def set_defaults(self): """ @@ -741,6 +750,7 @@ class BibleImportForm(OpenLPWizard): self.setField('license_version', self.version_name_edit.text()) self.setField('license_copyright', self.copyright_edit.text()) self.setField('license_permissions', self.permissions_edit.text()) + self.setField('license_full_license', self.full_license_edit.toPlainText()) self.on_web_source_combo_box_index_changed(WebDownload.Crosswalk) settings.endGroup() @@ -764,6 +774,7 @@ class BibleImportForm(OpenLPWizard): license_version = self.field('license_version') license_copyright = self.field('license_copyright') license_permissions = self.field('license_permissions') + license_full_license = self.field('license_full_license') importer = None if bible_type == BibleFormat.OSIS: # Import an OSIS bible. @@ -810,7 +821,8 @@ class BibleImportForm(OpenLPWizard): sword_key=self.sword_zipbible_combo_box.itemData( self.sword_zipbible_combo_box.currentIndex())) if importer.do_import(license_version): - self.manager.save_meta_data(license_version, license_version, license_copyright, license_permissions) + self.manager.save_meta_data(license_version, license_version, + license_copyright, license_permissions, license_full_license) self.manager.reload_bibles() if bible_type == BibleFormat.WebDownload: self.progress_label.setText( diff --git a/openlp/plugins/bibles/forms/editbibledialog.py b/openlp/plugins/bibles/forms/editbibledialog.py index 58769014c..f326f2af0 100644 --- a/openlp/plugins/bibles/forms/editbibledialog.py +++ b/openlp/plugins/bibles/forms/editbibledialog.py @@ -68,14 +68,12 @@ class Ui_EditBibleDialog(object): self.permissions_edit.setObjectName('permissions_edit') self.permissions_label.setBuddy(self.permissions_edit) self.license_details_layout.addRow(self.permissions_label, self.permissions_edit) - # QTextEdit self.full_license_label = QtWidgets.QLabel(self.license_details_group_box) self.full_license_label.setObjectName('full_license_label') self.full_license_edit = QtWidgets.QPlainTextEdit(self.license_details_group_box) self.full_license_edit.setObjectName('full_license_edit') self.full_license_label.setBuddy(self.full_license_edit) self.license_details_layout.addRow(self.full_license_label, self.full_license_edit) - self.meta_tab_layout.addWidget(self.license_details_group_box) self.language_selection_group_box = QtWidgets.QGroupBox(self.meta_tab) self.language_selection_group_box.setObjectName('language_selection_group_box') diff --git a/openlp/plugins/bibles/forms/editbibleform.py b/openlp/plugins/bibles/forms/editbibleform.py index b3947c43a..58b764371 100644 --- a/openlp/plugins/bibles/forms/editbibleform.py +++ b/openlp/plugins/bibles/forms/editbibleform.py @@ -61,11 +61,20 @@ class EditBibleForm(QtWidgets.QDialog, Ui_EditBibleDialog, RegistryProperties): """ log.debug('Load Bible') self.bible = bible - self.version_name_edit.setText(self.manager.get_meta_data(self.bible, 'name').value) - self.copyright_edit.setText(self.manager.get_meta_data(self.bible, 'copyright').value) - self.permissions_edit.setText(self.manager.get_meta_data(self.bible, 'permissions').value) - self.full_license_edit.setPlainText(self.manager.get_meta_data(self.bible, 'full_license').value) - book_name_language = self.manager.get_meta_data(self.bible, 'book_name_language') + """ + Try loading the metadata, if the field does not exist in the metadata, continue executing the code, + missing fields will be created on "self.accept" (save). Also set "book_name_language", + there would otherwise be a traceback for reference before assignment. + """ + try: + self.version_name_edit.setText(self.manager.get_meta_data(self.bible, 'name').value) + self.copyright_edit.setText(self.manager.get_meta_data(self.bible, 'copyright').value) + self.permissions_edit.setText(self.manager.get_meta_data(self.bible, 'permissions').value) + self.full_license_edit.setPlainText(self.manager.get_meta_data(self.bible, 'full_license').value) + book_name_language = self.manager.get_meta_data(self.bible, 'book_name_language') + except AttributeError: + book_name_language = self.manager.get_meta_data(self.bible, 'book_name_language') + pass if book_name_language and book_name_language.value != 'None': self.language_selection_combo_box.setCurrentIndex(int(book_name_language.value) + 1) self.books = {} From 25631152ad84d83275aeb18efa58a6c6ead34a57 Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Thu, 15 Sep 2016 03:22:36 +0300 Subject: [PATCH 03/26] The import saves the value if we use QLineEdit instead of QPlainTextEdit... But why? --- openlp/plugins/bibles/forms/bibleimportform.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/openlp/plugins/bibles/forms/bibleimportform.py b/openlp/plugins/bibles/forms/bibleimportform.py index b24bc6992..df1df1bb5 100644 --- a/openlp/plugins/bibles/forms/bibleimportform.py +++ b/openlp/plugins/bibles/forms/bibleimportform.py @@ -381,7 +381,7 @@ class BibleImportForm(OpenLPWizard): self.full_license_label = QtWidgets.QLabel(self.license_details_page) self.full_license_label.setObjectName('FullLicenseLabel') self.license_details_layout.setWidget(3, QtWidgets.QFormLayout.LabelRole, self.full_license_label) - self.full_license_edit = QtWidgets.QPlainTextEdit(self.license_details_page) + self.full_license_edit = QtWidgets.QLineEdit(self.license_details_page) self.full_license_edit.setObjectName('FullLicenseEdit') self.license_details_layout.setWidget(3, QtWidgets.QFormLayout.FieldRole, self.full_license_edit) self.addPage(self.license_details_page) @@ -750,7 +750,7 @@ class BibleImportForm(OpenLPWizard): self.setField('license_version', self.version_name_edit.text()) self.setField('license_copyright', self.copyright_edit.text()) self.setField('license_permissions', self.permissions_edit.text()) - self.setField('license_full_license', self.full_license_edit.toPlainText()) + self.setField('license_full_license', self.full_license_edit.text()) self.on_web_source_combo_box_index_changed(WebDownload.Crosswalk) settings.endGroup() From a6f043ff206d7a9a476560d87dcc694f299af2ad Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Thu, 15 Sep 2016 21:32:25 +0300 Subject: [PATCH 04/26] - Wishlish fix: Make the song-footer text "Written by" optional --- openlp/plugins/songs/lib/mediaitem.py | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/openlp/plugins/songs/lib/mediaitem.py b/openlp/plugins/songs/lib/mediaitem.py index b89858019..87dadaae3 100644 --- a/openlp/plugins/songs/lib/mediaitem.py +++ b/openlp/plugins/songs/lib/mediaitem.py @@ -646,7 +646,10 @@ class SongMediaItem(MediaManagerItem): item.raw_footer = [] item.raw_footer.append(song.title) if authors_none: - item.raw_footer.append("{text}: {authors}".format(text=translate('OpenLP.Ui', 'Written by'), + if Settings().value('core/auto unblank'): + item.raw_footer.append("{authors}".format(authors=create_separated_list(authors_none))) + else: + item.raw_footer.append("{text}: {authors}".format(text=translate('OpenLP.Ui', 'Written by'), authors=create_separated_list(authors_none))) if authors_words_music: item.raw_footer.append("{text}: {authors}".format(text=AuthorType.Types[AuthorType.WordsAndMusic], From 093f379b6aa2f392a1cc0feef1f2343a350a1c49 Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Thu, 15 Sep 2016 22:03:17 +0300 Subject: [PATCH 05/26] - Added a new setting for controlling visibility of the "Written by:" (By default disabled) --- openlp/plugins/songs/lib/mediaitem.py | 8 +++++--- openlp/plugins/songs/lib/songstab.py | 12 ++++++++++++ openlp/plugins/songs/songsplugin.py | 1 + 3 files changed, 18 insertions(+), 3 deletions(-) diff --git a/openlp/plugins/songs/lib/mediaitem.py b/openlp/plugins/songs/lib/mediaitem.py index 87dadaae3..070018e73 100644 --- a/openlp/plugins/songs/lib/mediaitem.py +++ b/openlp/plugins/songs/lib/mediaitem.py @@ -126,6 +126,7 @@ class SongMediaItem(MediaManagerItem): self.update_service_on_edit = Settings().value(self.settings_section + '/update service on edit') self.add_song_from_service = Settings().value(self.settings_section + '/add song from service') self.display_songbook = Settings().value(self.settings_section + '/display songbook') + self.display_written_by_text = Settings().value(self.settings_section + '/display written by') self.display_copyright_symbol = Settings().value(self.settings_section + '/display copyright symbol') def retranslateUi(self): @@ -646,11 +647,12 @@ class SongMediaItem(MediaManagerItem): item.raw_footer = [] item.raw_footer.append(song.title) if authors_none: - if Settings().value('core/auto unblank'): - item.raw_footer.append("{authors}".format(authors=create_separated_list(authors_none))) - else: + if Settings().value('songs/display written by'): item.raw_footer.append("{text}: {authors}".format(text=translate('OpenLP.Ui', 'Written by'), authors=create_separated_list(authors_none))) + else: + item.raw_footer.append("{authors}".format(authors=create_separated_list(authors_none))) + if authors_words_music: item.raw_footer.append("{text}: {authors}".format(text=AuthorType.Types[AuthorType.WordsAndMusic], authors=create_separated_list(authors_words_music))) diff --git a/openlp/plugins/songs/lib/songstab.py b/openlp/plugins/songs/lib/songstab.py index 5f1419fda..5b2f073f0 100644 --- a/openlp/plugins/songs/lib/songstab.py +++ b/openlp/plugins/songs/lib/songstab.py @@ -53,6 +53,9 @@ class SongsTab(SettingsTab): self.display_songbook_check_box = QtWidgets.QCheckBox(self.mode_group_box) self.display_songbook_check_box.setObjectName('songbook_check_box') self.mode_layout.addWidget(self.display_songbook_check_box) + self.display_written_by_check_box = QtWidgets.QCheckBox(self.mode_group_box) + self.display_written_by_check_box.setObjectName('written_by_check_box') + self.mode_layout.addWidget(self.display_written_by_check_box) self.display_copyright_check_box = QtWidgets.QCheckBox(self.mode_group_box) self.display_copyright_check_box.setObjectName('copyright_check_box') self.mode_layout.addWidget(self.display_copyright_check_box) @@ -63,6 +66,7 @@ class SongsTab(SettingsTab): self.update_on_edit_check_box.stateChanged.connect(self.on_update_on_edit_check_box_changed) self.add_from_service_check_box.stateChanged.connect(self.on_add_from_service_check_box_changed) self.display_songbook_check_box.stateChanged.connect(self.on_songbook_check_box_changed) + self.display_written_by_check_box.stateChanged.connect(self.on_written_by_check_box_changed) self.display_copyright_check_box.stateChanged.connect(self.on_copyright_check_box_changed) def retranslateUi(self): @@ -73,6 +77,8 @@ class SongsTab(SettingsTab): self.add_from_service_check_box.setText(translate('SongsPlugin.SongsTab', 'Import missing songs from Service files')) self.display_songbook_check_box.setText(translate('SongsPlugin.SongsTab', 'Display songbook in footer')) + self.display_written_by_check_box.setText(translate( + 'SongsPlugin.SongsTab', 'Show "Written by:" in footer for unspecified authors')) self.display_copyright_check_box.setText(translate('SongsPlugin.SongsTab', 'Display "{symbol}" symbol before copyright ' 'info').format(symbol=SongStrings.CopyrightSymbol)) @@ -92,6 +98,9 @@ class SongsTab(SettingsTab): def on_songbook_check_box_changed(self, check_state): self.display_songbook = (check_state == QtCore.Qt.Checked) + def on_written_by_check_box_changed(self, check_state): + self.display_written_by = (check_state == QtCore.Qt.Checked) + def on_copyright_check_box_changed(self, check_state): self.display_copyright_symbol = (check_state == QtCore.Qt.Checked) @@ -102,11 +111,13 @@ class SongsTab(SettingsTab): self.update_edit = settings.value('update service on edit') self.update_load = settings.value('add song from service') self.display_songbook = settings.value('display songbook') + self.display_written_by = settings.value('display written by') self.display_copyright_symbol = settings.value('display copyright symbol') self.tool_bar_active_check_box.setChecked(self.tool_bar) self.update_on_edit_check_box.setChecked(self.update_edit) self.add_from_service_check_box.setChecked(self.update_load) self.display_songbook_check_box.setChecked(self.display_songbook) + self.display_written_by_check_box.setChecked(self.display_written_by) self.display_copyright_check_box.setChecked(self.display_copyright_symbol) settings.endGroup() @@ -117,6 +128,7 @@ class SongsTab(SettingsTab): settings.setValue('update service on edit', self.update_edit) settings.setValue('add song from service', self.update_load) settings.setValue('display songbook', self.display_songbook) + settings.setValue('display written by', self.display_written_by) settings.setValue('display copyright symbol', self.display_copyright_symbol) settings.endGroup() if self.tab_visited: diff --git a/openlp/plugins/songs/songsplugin.py b/openlp/plugins/songs/songsplugin.py index b2218f701..91f07814c 100644 --- a/openlp/plugins/songs/songsplugin.py +++ b/openlp/plugins/songs/songsplugin.py @@ -59,6 +59,7 @@ __default_settings__ = { 'songs/add song from service': True, 'songs/display songbar': True, 'songs/display songbook': False, + 'songs/display written by': False, 'songs/display copyright symbol': False, 'songs/last directory import': '', 'songs/last directory export': '', From 289deb46949d5e7ca912b2423179f345a5f6c98b Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Thu, 15 Sep 2016 22:06:01 +0300 Subject: [PATCH 06/26] Changed the settings title from: "Songs mode" to "Song related settings" --- openlp/plugins/songs/lib/songstab.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/openlp/plugins/songs/lib/songstab.py b/openlp/plugins/songs/lib/songstab.py index 5b2f073f0..6038e5e9e 100644 --- a/openlp/plugins/songs/lib/songstab.py +++ b/openlp/plugins/songs/lib/songstab.py @@ -70,7 +70,7 @@ class SongsTab(SettingsTab): self.display_copyright_check_box.stateChanged.connect(self.on_copyright_check_box_changed) def retranslateUi(self): - self.mode_group_box.setTitle(translate('SongsPlugin.SongsTab', 'Songs Mode')) + self.mode_group_box.setTitle(translate('SongsPlugin.SongsTab', 'Song related settings')) self.tool_bar_active_check_box.setText(translate('SongsPlugin.SongsTab', 'Enable "Go to verse" button in Live panel')) self.update_on_edit_check_box.setText(translate('SongsPlugin.SongsTab', 'Update service from song edit')) From 1838fca41ef25172e1e52196d63cc1f591225cde Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Fri, 16 Sep 2016 22:47:29 +0300 Subject: [PATCH 07/26] - Commit for merging trunk < Has some unfinished ui strings in Bible edit form. --- openlp/plugins/bibles/forms/editbibleform.py | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/openlp/plugins/bibles/forms/editbibleform.py b/openlp/plugins/bibles/forms/editbibleform.py index 58b764371..16b1b38f4 100644 --- a/openlp/plugins/bibles/forms/editbibleform.py +++ b/openlp/plugins/bibles/forms/editbibleform.py @@ -68,9 +68,13 @@ class EditBibleForm(QtWidgets.QDialog, Ui_EditBibleDialog, RegistryProperties): """ try: self.version_name_edit.setText(self.manager.get_meta_data(self.bible, 'name').value) + self.version_name_edit.setPlaceholderText('Required, this will be displayed in footer.') self.copyright_edit.setText(self.manager.get_meta_data(self.bible, 'copyright').value) + self.copyright_edit.setPlaceholderText('Required, this will be displayed in footer.') self.permissions_edit.setText(self.manager.get_meta_data(self.bible, 'permissions').value) + self.permissions_edit.setPlaceholderText('Optional, this will be displayed in footer.') self.full_license_edit.setPlainText(self.manager.get_meta_data(self.bible, 'full_license').value) + self.full_license_edit.setPlaceholderText('Optional, this won\'t be displayed in footer.') book_name_language = self.manager.get_meta_data(self.bible, 'book_name_language') except AttributeError: book_name_language = self.manager.get_meta_data(self.bible, 'book_name_language') From 173e7c78eab0eae96bf931caa4ea26f643114ebc Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Fri, 16 Sep 2016 23:48:56 +0300 Subject: [PATCH 08/26] - Fixed the multiline text input for Bible importer --- openlp/plugins/bibles/forms/bibleimportform.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/openlp/plugins/bibles/forms/bibleimportform.py b/openlp/plugins/bibles/forms/bibleimportform.py index 6cc701ff0..dd60b264a 100644 --- a/openlp/plugins/bibles/forms/bibleimportform.py +++ b/openlp/plugins/bibles/forms/bibleimportform.py @@ -383,7 +383,7 @@ class BibleImportForm(OpenLPWizard): self.full_license_label = QtWidgets.QLabel(self.license_details_page) self.full_license_label.setObjectName('FullLicenseLabel') self.license_details_layout.setWidget(3, QtWidgets.QFormLayout.LabelRole, self.full_license_label) - self.full_license_edit = QtWidgets.QLineEdit(self.license_details_page) + self.full_license_edit = QtWidgets.QPlainTextEdit(self.license_details_page) self.full_license_edit.setObjectName('FullLicenseEdit') self.license_details_layout.setWidget(3, QtWidgets.QFormLayout.FieldRole, self.full_license_edit) self.addPage(self.license_details_page) @@ -725,7 +725,7 @@ class BibleImportForm(OpenLPWizard): self.license_details_page.registerField('license_version', self.version_name_edit) self.license_details_page.registerField('license_copyright', self.copyright_edit) self.license_details_page.registerField('license_permissions', self.permissions_edit) - self.license_details_page.registerField('license_full_license', self.full_license_edit) + self.license_details_page.registerField("license_full_license", self.full_license_edit, "plainText") def set_defaults(self): """ @@ -752,7 +752,7 @@ class BibleImportForm(OpenLPWizard): self.setField('license_version', self.version_name_edit.text()) self.setField('license_copyright', self.copyright_edit.text()) self.setField('license_permissions', self.permissions_edit.text()) - self.setField('license_full_license', self.full_license_edit.text()) + self.setField('license_full_license', self.full_license_edit.toPlainText()) self.on_web_source_combo_box_index_changed(WebDownload.Crosswalk) settings.endGroup() From 2edf579ec346a9b6d9cb515c352f2400565f4ce5 Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Sat, 17 Sep 2016 01:24:27 +0300 Subject: [PATCH 09/26] - Added the placeholder texts to uistrings - Added placeholder texts for Bible importer & Edit. --- openlp/core/common/uistrings.py | 17 ++++++++++------- openlp/plugins/bibles/forms/bibleimportform.py | 4 ++++ openlp/plugins/bibles/forms/editbibleform.py | 8 ++++---- 3 files changed, 18 insertions(+), 11 deletions(-) diff --git a/openlp/core/common/uistrings.py b/openlp/core/common/uistrings.py index 3c8477864..25df5ac75 100644 --- a/openlp/core/common/uistrings.py +++ b/openlp/core/common/uistrings.py @@ -59,6 +59,13 @@ class UiStrings(object): self.Automatic = translate('OpenLP.Ui', 'Automatic') self.BackgroundColor = translate('OpenLP.Ui', 'Background Color') self.BackgroundColorColon = translate('OpenLP.Ui', 'Background color:') + self.BibleShortSearchTitle = translate('OpenLP.Ui', 'Search is Empty or too Short') + self.BibleShortSearch = translate('OpenLP.Ui', 'The search you have entered is empty or shorter ' + 'than 3 characters long.

Please try again with ' + 'a longer search.') + self.BibleNoBiblesTitle = translate('OpenLP.Ui', 'No Bibles Available') + self.BibleNoBibles = translate('OpenLP.Ui', 'There are no Bibles currently installed.

' + 'Please use the Import Wizard to install one or more Bibles.') self.Bottom = translate('OpenLP.Ui', 'Bottom') self.Browse = translate('OpenLP.Ui', 'Browse...') self.Cancel = translate('OpenLP.Ui', 'Cancel') @@ -117,6 +124,8 @@ class UiStrings(object): self.OLPV2x = "{name} {version}".format(name=self.OLP, version="2.4") self.OpenLPStart = translate('OpenLP.Ui', 'OpenLP is already running. Do you wish to continue?') self.OpenService = translate('OpenLP.Ui', 'Open service.') + self.OptionalShowInFooter = translate('OpenLP.Ui', 'Optional, this will be displayed in footer.') + self.OptionalHideInFooter = translate('OpenLP.Ui', 'Optional, this won\'t be displayed in footer.') self.PlaySlidesInLoop = translate('OpenLP.Ui', 'Play Slides in Loop') self.PlaySlidesToEnd = translate('OpenLP.Ui', 'Play Slides to End') self.Preview = translate('OpenLP.Ui', 'Preview') @@ -130,6 +139,7 @@ class UiStrings(object): 'player is disabled.') self.ResetBG = translate('OpenLP.Ui', 'Reset Background') self.ResetLiveBG = translate('OpenLP.Ui', 'Reset live background.') + self.RequiredShowInFooter = translate('OpenLP.Ui', 'Required, this will be displayed in footer.') self.Seconds = translate('OpenLP.Ui', 's', 'The abbreviated unit for seconds') self.SaveAndPreview = translate('OpenLP.Ui', 'Save && Preview') self.Search = translate('OpenLP.Ui', 'Search') @@ -157,13 +167,6 @@ class UiStrings(object): self.View = translate('OpenLP.Ui', 'View') self.ViewMode = translate('OpenLP.Ui', 'View Mode') self.Video = translate('OpenLP.Ui', 'Video') - self.BibleShortSearchTitle = translate('OpenLP.Ui', 'Search is Empty or too Short') - self.BibleShortSearch = translate('OpenLP.Ui', 'The search you have entered is empty or shorter ' - 'than 3 characters long.

Please try again with ' - 'a longer search.') - self.BibleNoBiblesTitle = translate('OpenLP.Ui', 'No Bibles Available') - self.BibleNoBibles = translate('OpenLP.Ui', 'There are no Bibles currently installed.

' - 'Please use the Import Wizard to install one or more Bibles.') book_chapter = translate('OpenLP.Ui', 'Book Chapter') chapter = translate('OpenLP.Ui', 'Chapter') verse = translate('OpenLP.Ui', 'Verse') diff --git a/openlp/plugins/bibles/forms/bibleimportform.py b/openlp/plugins/bibles/forms/bibleimportform.py index dd60b264a..dc794b58f 100644 --- a/openlp/plugins/bibles/forms/bibleimportform.py +++ b/openlp/plugins/bibles/forms/bibleimportform.py @@ -750,9 +750,13 @@ class BibleImportForm(OpenLPWizard): self.setField('proxy_username', settings.value('proxy username')) self.setField('proxy_password', settings.value('proxy password')) self.setField('license_version', self.version_name_edit.text()) + self.version_name_edit.setPlaceholderText(UiStrings().RequiredShowInFooter) self.setField('license_copyright', self.copyright_edit.text()) + self.copyright_edit.setPlaceholderText(UiStrings().RequiredShowInFooter) self.setField('license_permissions', self.permissions_edit.text()) + self.permissions_edit.setPlaceholderText(UiStrings().OptionalShowInFooter) self.setField('license_full_license', self.full_license_edit.toPlainText()) + self.full_license_edit.setPlaceholderText(UiStrings().OptionalHideInFooter) self.on_web_source_combo_box_index_changed(WebDownload.Crosswalk) settings.endGroup() diff --git a/openlp/plugins/bibles/forms/editbibleform.py b/openlp/plugins/bibles/forms/editbibleform.py index 16b1b38f4..fb11bf36a 100644 --- a/openlp/plugins/bibles/forms/editbibleform.py +++ b/openlp/plugins/bibles/forms/editbibleform.py @@ -68,13 +68,13 @@ class EditBibleForm(QtWidgets.QDialog, Ui_EditBibleDialog, RegistryProperties): """ try: self.version_name_edit.setText(self.manager.get_meta_data(self.bible, 'name').value) - self.version_name_edit.setPlaceholderText('Required, this will be displayed in footer.') + self.version_name_edit.setPlaceholderText(UiStrings().RequiredShowInFooter) self.copyright_edit.setText(self.manager.get_meta_data(self.bible, 'copyright').value) - self.copyright_edit.setPlaceholderText('Required, this will be displayed in footer.') + self.copyright_edit.setPlaceholderText(UiStrings().RequiredShowInFooter) self.permissions_edit.setText(self.manager.get_meta_data(self.bible, 'permissions').value) - self.permissions_edit.setPlaceholderText('Optional, this will be displayed in footer.') + self.permissions_edit.setPlaceholderText(UiStrings().OptionalShowInFooter) self.full_license_edit.setPlainText(self.manager.get_meta_data(self.bible, 'full_license').value) - self.full_license_edit.setPlaceholderText('Optional, this won\'t be displayed in footer.') + self.full_license_edit.setPlaceholderText(UiStrings().OptionalHideInFooter) book_name_language = self.manager.get_meta_data(self.bible, 'book_name_language') except AttributeError: book_name_language = self.manager.get_meta_data(self.bible, 'book_name_language') From 9222ccdcc5c35cc0bb5f9c84ba999492adfe37af Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Sat, 17 Sep 2016 01:32:12 +0300 Subject: [PATCH 10/26] - pep8 --- openlp/plugins/songs/lib/mediaitem.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/openlp/plugins/songs/lib/mediaitem.py b/openlp/plugins/songs/lib/mediaitem.py index 070018e73..3c728aadf 100644 --- a/openlp/plugins/songs/lib/mediaitem.py +++ b/openlp/plugins/songs/lib/mediaitem.py @@ -647,9 +647,10 @@ class SongMediaItem(MediaManagerItem): item.raw_footer = [] item.raw_footer.append(song.title) if authors_none: + # If the setting for showing "Written by:" is enabled, show it before unspecified authors. if Settings().value('songs/display written by'): item.raw_footer.append("{text}: {authors}".format(text=translate('OpenLP.Ui', 'Written by'), - authors=create_separated_list(authors_none))) + authors=create_separated_list(authors_none))) else: item.raw_footer.append("{authors}".format(authors=create_separated_list(authors_none))) From 2f8a5ba9066b9b9eca81a9e788db07faa69ff605 Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Sun, 18 Sep 2016 23:15:33 +0300 Subject: [PATCH 11/26] - Fixed the test --- openlp/plugins/songs/lib/mediaitem.py | 1 - .../functional/openlp_plugins/songs/test_mediaitem.py | 11 +++++++++-- 2 files changed, 9 insertions(+), 3 deletions(-) diff --git a/openlp/plugins/songs/lib/mediaitem.py b/openlp/plugins/songs/lib/mediaitem.py index 3c728aadf..4e048c6bb 100644 --- a/openlp/plugins/songs/lib/mediaitem.py +++ b/openlp/plugins/songs/lib/mediaitem.py @@ -653,7 +653,6 @@ class SongMediaItem(MediaManagerItem): authors=create_separated_list(authors_none))) else: item.raw_footer.append("{authors}".format(authors=create_separated_list(authors_none))) - if authors_words_music: item.raw_footer.append("{text}: {authors}".format(text=AuthorType.Types[AuthorType.WordsAndMusic], authors=create_separated_list(authors_words_music))) diff --git a/tests/functional/openlp_plugins/songs/test_mediaitem.py b/tests/functional/openlp_plugins/songs/test_mediaitem.py index 969c27ba1..89fc1ded6 100644 --- a/tests/functional/openlp_plugins/songs/test_mediaitem.py +++ b/tests/functional/openlp_plugins/songs/test_mediaitem.py @@ -295,11 +295,18 @@ class TestMediaItem(TestCase, TestMixin): mock_qlist_widget.setData.assert_called_once_with(MockedUserRole, mock_song.id) self.media_item.list_view.addItem.assert_called_once_with(mock_qlist_widget) - def test_build_song_footer_one_author(self): + @patch(u'openlp.plugins.songs.lib.mediaitem.Settings') + def test_build_song_footer_one_author_show_written_by(self, MockedSettings): """ Test build songs footer with basic song and one author """ - # GIVEN: A Song and a Service Item + # GIVEN: A Song and a Service Item, mocked settings: True for 'songs/display written by' + # and False for 'core/ccli number' (ccli will cause traceback if true) + + mocked_settings = MagicMock() + mocked_settings.value.side_effect = [True, False] + MockedSettings.return_value = mocked_settings + mock_song = MagicMock() mock_song.title = 'My Song' mock_song.authors_songs = [] From f45ee8ac174e84d7713581e62efb8c90cfaab5ca Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Sun, 4 Dec 2016 01:19:08 +0200 Subject: [PATCH 12/26] - Turned the one try statement into multiple so the existing data could be loaded if some fields were missing. --- openlp/plugins/bibles/forms/editbibleform.py | 30 +++++++++++++------- 1 file changed, 19 insertions(+), 11 deletions(-) diff --git a/openlp/plugins/bibles/forms/editbibleform.py b/openlp/plugins/bibles/forms/editbibleform.py index fb11bf36a..90efd035e 100644 --- a/openlp/plugins/bibles/forms/editbibleform.py +++ b/openlp/plugins/bibles/forms/editbibleform.py @@ -61,24 +61,32 @@ class EditBibleForm(QtWidgets.QDialog, Ui_EditBibleDialog, RegistryProperties): """ log.debug('Load Bible') self.bible = bible + book_name_language = self.manager.get_meta_data(self.bible, 'book_name_language') """ Try loading the metadata, if the field does not exist in the metadata, continue executing the code, - missing fields will be created on "self.accept" (save). Also set "book_name_language", - there would otherwise be a traceback for reference before assignment. + missing fields will be created on "self.accept" (save). """ try: self.version_name_edit.setText(self.manager.get_meta_data(self.bible, 'name').value) - self.version_name_edit.setPlaceholderText(UiStrings().RequiredShowInFooter) - self.copyright_edit.setText(self.manager.get_meta_data(self.bible, 'copyright').value) - self.copyright_edit.setPlaceholderText(UiStrings().RequiredShowInFooter) - self.permissions_edit.setText(self.manager.get_meta_data(self.bible, 'permissions').value) - self.permissions_edit.setPlaceholderText(UiStrings().OptionalShowInFooter) - self.full_license_edit.setPlainText(self.manager.get_meta_data(self.bible, 'full_license').value) - self.full_license_edit.setPlaceholderText(UiStrings().OptionalHideInFooter) - book_name_language = self.manager.get_meta_data(self.bible, 'book_name_language') except AttributeError: - book_name_language = self.manager.get_meta_data(self.bible, 'book_name_language') pass + try: + self.copyright_edit.setText(self.manager.get_meta_data(self.bible, 'copyright').value) + except AttributeError: + pass + try: + self.permissions_edit.setText(self.manager.get_meta_data(self.bible, 'permissions').value) + except AttributeError: + pass + try: + self.full_license_edit.setPlainText(self.manager.get_meta_data(self.bible, 'full_license').value) + except AttributeError: + pass + # Set placeholder texts for the fields. + self.version_name_edit.setPlaceholderText(UiStrings().RequiredShowInFooter) + self.copyright_edit.setPlaceholderText(UiStrings().RequiredShowInFooter) + self.permissions_edit.setPlaceholderText(UiStrings().OptionalShowInFooter) + self.full_license_edit.setPlaceholderText(UiStrings().OptionalHideInFooter) if book_name_language and book_name_language.value != 'None': self.language_selection_combo_box.setCurrentIndex(int(book_name_language.value) + 1) self.books = {} From 01029c8d652fd1d1f494a19513a8ab3f957a5791 Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Sun, 4 Dec 2016 05:08:56 +0200 Subject: [PATCH 13/26] - Added a test for checking hidden "Written by" text. --- openlp/plugins/bibles/lib/mediaitem.py | 2 +- .../openlp_plugins/songs/test_mediaitem.py | 33 +++++++++++++++++++ 2 files changed, 34 insertions(+), 1 deletion(-) diff --git a/openlp/plugins/bibles/lib/mediaitem.py b/openlp/plugins/bibles/lib/mediaitem.py index 9a04e5360..ddd2608ff 100644 --- a/openlp/plugins/bibles/lib/mediaitem.py +++ b/openlp/plugins/bibles/lib/mediaitem.py @@ -654,7 +654,7 @@ class BibleMediaItem(MediaManagerItem): self.application.process_events() bible = self.advancedVersionComboBox.currentText() second_bible = self.advancedSecondComboBox.currentText() - book = self.advanced_book_combo_box.currentText() + book = self.advanced_book_combo_box.currentTextå() book_ref_id = self.advanced_book_combo_box.itemData(int(self.advanced_book_combo_box.currentIndex())) chapter_from = self.advanced_from_chapter.currentText() chapter_to = self.advanced_to_chapter.currentText() diff --git a/tests/functional/openlp_plugins/songs/test_mediaitem.py b/tests/functional/openlp_plugins/songs/test_mediaitem.py index 89fc1ded6..f45b0a186 100644 --- a/tests/functional/openlp_plugins/songs/test_mediaitem.py +++ b/tests/functional/openlp_plugins/songs/test_mediaitem.py @@ -327,6 +327,39 @@ class TestMediaItem(TestCase, TestMixin): self.assertEqual(author_list, ['my author'], 'The author list should be returned correctly with one author') + @patch(u'openlp.plugins.songs.lib.mediaitem.Settings') + def test_build_song_footer_one_author_hide_written_by(self, MockedSettings): + """ + Test build songs footer with basic song and one author + """ + # GIVEN: A Song and a Service Item, mocked settings: False for 'songs/display written by' + # and False for 'core/ccli number' (ccli will cause traceback if true) + + mocked_settings = MagicMock() + mocked_settings.value.side_effect = [False, False] + MockedSettings.return_value = mocked_settings + + mock_song = MagicMock() + mock_song.title = 'My Song' + mock_song.authors_songs = [] + mock_author = MagicMock() + mock_author.display_name = 'my author' + mock_author_song = MagicMock() + mock_author_song.author = mock_author + mock_song.authors_songs.append(mock_author_song) + mock_song.copyright = 'My copyright' + service_item = ServiceItem(None) + + # WHEN: I generate the Footer with default settings + author_list = self.media_item.generate_footer(service_item, mock_song) + + # THEN: I get the following Array returned + self.assertEqual(service_item.raw_footer, ['My Song', 'my author', 'My copyright'], + 'The array should be returned correctly with a song, one author and copyright,' + 'text Written by should not be part of the text.') + self.assertEqual(author_list, ['my author'], + 'The author list should be returned correctly with one author') + def test_build_song_footer_two_authors(self): """ Test build songs footer with basic song and two authors From 8ae1c1f2765c50e2aec48ac43642647d4d950a27 Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Sun, 4 Dec 2016 05:21:56 +0200 Subject: [PATCH 14/26] =?UTF-8?q?-=20Removed=201=20"=C3=A5"=20that=20had?= =?UTF-8?q?=20slipped=20in=20to=20the=20code.?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- openlp/plugins/bibles/lib/mediaitem.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/openlp/plugins/bibles/lib/mediaitem.py b/openlp/plugins/bibles/lib/mediaitem.py index ddd2608ff..9a04e5360 100644 --- a/openlp/plugins/bibles/lib/mediaitem.py +++ b/openlp/plugins/bibles/lib/mediaitem.py @@ -654,7 +654,7 @@ class BibleMediaItem(MediaManagerItem): self.application.process_events() bible = self.advancedVersionComboBox.currentText() second_bible = self.advancedSecondComboBox.currentText() - book = self.advanced_book_combo_box.currentTextå() + book = self.advanced_book_combo_box.currentText() book_ref_id = self.advanced_book_combo_box.itemData(int(self.advanced_book_combo_box.currentIndex())) chapter_from = self.advanced_from_chapter.currentText() chapter_to = self.advanced_to_chapter.currentText() From 8eb35e3591475c444e0dd9f601ac173c191803e1 Mon Sep 17 00:00:00 2001 From: Olli Suutari Date: Sun, 18 Dec 2016 08:06:10 +0200 Subject: [PATCH 15/26] - Changed one pair of " to ' - Changed the code for checking Bible meta exists - Changed the default value for the new setting to "True" --- .../plugins/bibles/forms/bibleimportform.py | 2 +- openlp/plugins/bibles/forms/editbibleform.py | 28 ++++++++----------- openlp/plugins/songs/songsplugin.py | 2 +- 3 files changed, 14 insertions(+), 18 deletions(-) diff --git a/openlp/plugins/bibles/forms/bibleimportform.py b/openlp/plugins/bibles/forms/bibleimportform.py index dc794b58f..c41c53634 100644 --- a/openlp/plugins/bibles/forms/bibleimportform.py +++ b/openlp/plugins/bibles/forms/bibleimportform.py @@ -725,7 +725,7 @@ class BibleImportForm(OpenLPWizard): self.license_details_page.registerField('license_version', self.version_name_edit) self.license_details_page.registerField('license_copyright', self.copyright_edit) self.license_details_page.registerField('license_permissions', self.permissions_edit) - self.license_details_page.registerField("license_full_license", self.full_license_edit, "plainText") + self.license_details_page.registerField("license_full_license", self.full_license_edit, 'plainText') def set_defaults(self): """ diff --git a/openlp/plugins/bibles/forms/editbibleform.py b/openlp/plugins/bibles/forms/editbibleform.py index 90efd035e..1b15f9d48 100644 --- a/openlp/plugins/bibles/forms/editbibleform.py +++ b/openlp/plugins/bibles/forms/editbibleform.py @@ -66,22 +66,18 @@ class EditBibleForm(QtWidgets.QDialog, Ui_EditBibleDialog, RegistryProperties): Try loading the metadata, if the field does not exist in the metadata, continue executing the code, missing fields will be created on "self.accept" (save). """ - try: - self.version_name_edit.setText(self.manager.get_meta_data(self.bible, 'name').value) - except AttributeError: - pass - try: - self.copyright_edit.setText(self.manager.get_meta_data(self.bible, 'copyright').value) - except AttributeError: - pass - try: - self.permissions_edit.setText(self.manager.get_meta_data(self.bible, 'permissions').value) - except AttributeError: - pass - try: - self.full_license_edit.setPlainText(self.manager.get_meta_data(self.bible, 'full_license').value) - except AttributeError: - pass + meta = self.manager.get_meta_data(self.bible, 'name') + copyright = self.manager.get_meta_data(self.bible, 'copyright') + permission = self.manager.get_meta_data(self.bible, 'permissions') + full_license = self.manager.get_meta_data(self.bible, 'full_license') + if meta: + self.version_name_edit.setText(meta.value) + if copyright: + self.copyright_edit.setText(copyright.value) + if permission: + self.permissions_edit.setText(permission.value) + if full_license: + self.full_license_edit.setPlainText(full_license.value) # Set placeholder texts for the fields. self.version_name_edit.setPlaceholderText(UiStrings().RequiredShowInFooter) self.copyright_edit.setPlaceholderText(UiStrings().RequiredShowInFooter) diff --git a/openlp/plugins/songs/songsplugin.py b/openlp/plugins/songs/songsplugin.py index c76befeea..ddc918689 100644 --- a/openlp/plugins/songs/songsplugin.py +++ b/openlp/plugins/songs/songsplugin.py @@ -60,7 +60,7 @@ __default_settings__ = { 'songs/add song from service': True, 'songs/display songbar': True, 'songs/display songbook': False, - 'songs/display written by': False, + 'songs/display written by': True, 'songs/display copyright symbol': False, 'songs/last directory import': '', 'songs/last directory export': '', From 74ca42e220834264bb121c028ab25e5feb651776 Mon Sep 17 00:00:00 2001 From: Tim Bentley Date: Sat, 31 Dec 2016 11:01:36 +0000 Subject: [PATCH 16/26] Yet another year goes by --- copyright.txt | 2 +- openlp.py | 2 +- openlp/__init__.py | 2 +- openlp/core/__init__.py | 2 +- openlp/core/common/__init__.py | 2 +- openlp/core/common/actions.py | 2 +- openlp/core/common/applocation.py | 2 +- openlp/core/common/db.py | 2 +- openlp/core/common/httputils.py | 2 +- openlp/core/common/languagemanager.py | 2 +- openlp/core/common/languages.py | 2 +- openlp/core/common/openlpmixin.py | 2 +- openlp/core/common/registry.py | 2 +- openlp/core/common/registrymixin.py | 2 +- openlp/core/common/registryproperties.py | 2 +- openlp/core/common/settings.py | 2 +- openlp/core/common/uistrings.py | 2 +- openlp/core/lib/__init__.py | 2 +- openlp/core/lib/db.py | 2 +- openlp/core/lib/exceptions.py | 2 +- openlp/core/lib/filedialog.py | 2 +- openlp/core/lib/formattingtags.py | 2 +- openlp/core/lib/htmlbuilder.py | 2 +- openlp/core/lib/imagemanager.py | 2 +- openlp/core/lib/mediamanageritem.py | 2 +- openlp/core/lib/plugin.py | 2 +- openlp/core/lib/pluginmanager.py | 2 +- openlp/core/lib/projector/__init__.py | 2 +- openlp/core/lib/projector/constants.py | 2 +- openlp/core/lib/projector/db.py | 2 +- openlp/core/lib/projector/pjlink1.py | 2 +- openlp/core/lib/renderer.py | 2 +- openlp/core/lib/screen.py | 2 +- openlp/core/lib/searchedit.py | 2 +- openlp/core/lib/serviceitem.py | 2 +- openlp/core/lib/settingstab.py | 2 +- openlp/core/lib/theme.py | 2 +- openlp/core/lib/ui.py | 2 +- openlp/core/ui/__init__.py | 2 +- openlp/core/ui/aboutdialog.py | 2 +- openlp/core/ui/aboutform.py | 2 +- openlp/core/ui/advancedtab.py | 2 +- openlp/core/ui/exceptiondialog.py | 2 +- openlp/core/ui/exceptionform.py | 2 +- openlp/core/ui/filerenamedialog.py | 2 +- openlp/core/ui/filerenameform.py | 2 +- openlp/core/ui/firsttimeform.py | 2 +- openlp/core/ui/firsttimelanguagedialog.py | 2 +- openlp/core/ui/firsttimelanguageform.py | 2 +- openlp/core/ui/firsttimewizard.py | 2 +- openlp/core/ui/formattingtagcontroller.py | 2 +- openlp/core/ui/formattingtagdialog.py | 2 +- openlp/core/ui/formattingtagform.py | 2 +- openlp/core/ui/generaltab.py | 2 +- openlp/core/ui/lib/__init__.py | 2 +- openlp/core/ui/lib/colorbutton.py | 2 +- openlp/core/ui/lib/dockwidget.py | 2 +- openlp/core/ui/lib/historycombobox.py | 2 +- openlp/core/ui/lib/listpreviewwidget.py | 2 +- openlp/core/ui/lib/listwidgetwithdnd.py | 2 +- openlp/core/ui/lib/mediadockmanager.py | 2 +- openlp/core/ui/lib/spelltextedit.py | 2 +- openlp/core/ui/lib/toolbar.py | 2 +- openlp/core/ui/lib/treewidgetwithdnd.py | 2 +- openlp/core/ui/lib/wizard.py | 2 +- openlp/core/ui/maindisplay.py | 2 +- openlp/core/ui/mainwindow.py | 2 +- openlp/core/ui/media/__init__.py | 2 +- openlp/core/ui/media/mediacontroller.py | 2 +- openlp/core/ui/media/mediaplayer.py | 2 +- openlp/core/ui/media/playertab.py | 2 +- openlp/core/ui/media/systemplayer.py | 2 +- openlp/core/ui/media/vendor/__init__.py | 2 +- openlp/core/ui/media/vendor/mediainfoWrapper.py | 2 +- openlp/core/ui/media/vlcplayer.py | 2 +- openlp/core/ui/media/webkitplayer.py | 2 +- openlp/core/ui/plugindialog.py | 2 +- openlp/core/ui/pluginform.py | 2 +- openlp/core/ui/printservicedialog.py | 2 +- openlp/core/ui/printserviceform.py | 2 +- openlp/core/ui/projector/__init__.py | 2 +- openlp/core/ui/projector/editform.py | 2 +- openlp/core/ui/projector/manager.py | 2 +- openlp/core/ui/projector/sourceselectform.py | 2 +- openlp/core/ui/projector/tab.py | 2 +- openlp/core/ui/serviceitemeditdialog.py | 2 +- openlp/core/ui/serviceitemeditform.py | 2 +- openlp/core/ui/servicemanager.py | 2 +- openlp/core/ui/servicenoteform.py | 2 +- openlp/core/ui/settingsdialog.py | 2 +- openlp/core/ui/settingsform.py | 2 +- openlp/core/ui/shortcutlistdialog.py | 2 +- openlp/core/ui/shortcutlistform.py | 2 +- openlp/core/ui/slidecontroller.py | 2 +- openlp/core/ui/splashscreen.py | 2 +- openlp/core/ui/starttimedialog.py | 2 +- openlp/core/ui/starttimeform.py | 2 +- openlp/core/ui/themeform.py | 2 +- openlp/core/ui/themelayoutdialog.py | 2 +- openlp/core/ui/themelayoutform.py | 2 +- openlp/core/ui/thememanager.py | 2 +- openlp/core/ui/themestab.py | 2 +- openlp/core/ui/themewizard.py | 2 +- openlp/plugins/__init__.py | 2 +- openlp/plugins/alerts/__init__.py | 2 +- openlp/plugins/alerts/alertsplugin.py | 2 +- openlp/plugins/alerts/forms/__init__.py | 2 +- openlp/plugins/alerts/forms/alertdialog.py | 2 +- openlp/plugins/alerts/forms/alertform.py | 2 +- openlp/plugins/alerts/lib/__init__.py | 2 +- openlp/plugins/alerts/lib/alertsmanager.py | 2 +- openlp/plugins/alerts/lib/alertstab.py | 2 +- openlp/plugins/alerts/lib/db.py | 2 +- openlp/plugins/bibles/__init__.py | 2 +- openlp/plugins/bibles/bibleplugin.py | 2 +- openlp/plugins/bibles/forms/__init__.py | 2 +- openlp/plugins/bibles/forms/bibleimportform.py | 2 +- openlp/plugins/bibles/forms/booknamedialog.py | 2 +- openlp/plugins/bibles/forms/booknameform.py | 2 +- openlp/plugins/bibles/forms/editbibledialog.py | 2 +- openlp/plugins/bibles/forms/editbibleform.py | 2 +- openlp/plugins/bibles/forms/languagedialog.py | 2 +- openlp/plugins/bibles/forms/languageform.py | 2 +- openlp/plugins/bibles/lib/__init__.py | 2 +- openlp/plugins/bibles/lib/bibleimport.py | 2 +- openlp/plugins/bibles/lib/biblestab.py | 2 +- openlp/plugins/bibles/lib/db.py | 2 +- openlp/plugins/bibles/lib/importers/csvbible.py | 2 +- openlp/plugins/bibles/lib/importers/http.py | 2 +- openlp/plugins/bibles/lib/importers/opensong.py | 2 +- openlp/plugins/bibles/lib/importers/osis.py | 2 +- openlp/plugins/bibles/lib/importers/sword.py | 2 +- openlp/plugins/bibles/lib/importers/wordproject.py | 2 +- openlp/plugins/bibles/lib/importers/zefania.py | 2 +- openlp/plugins/bibles/lib/manager.py | 2 +- openlp/plugins/bibles/lib/mediaitem.py | 2 +- openlp/plugins/bibles/lib/upgrade.py | 2 +- openlp/plugins/bibles/lib/versereferencelist.py | 2 +- openlp/plugins/custom/__init__.py | 2 +- openlp/plugins/custom/customplugin.py | 2 +- openlp/plugins/custom/forms/__init__.py | 2 +- openlp/plugins/custom/forms/editcustomdialog.py | 2 +- openlp/plugins/custom/forms/editcustomform.py | 2 +- openlp/plugins/custom/forms/editcustomslidedialog.py | 2 +- openlp/plugins/custom/forms/editcustomslideform.py | 2 +- openlp/plugins/custom/lib/__init__.py | 2 +- openlp/plugins/custom/lib/customtab.py | 2 +- openlp/plugins/custom/lib/customxmlhandler.py | 2 +- openlp/plugins/custom/lib/db.py | 2 +- openlp/plugins/custom/lib/mediaitem.py | 2 +- openlp/plugins/images/__init__.py | 2 +- openlp/plugins/images/forms/__init__.py | 2 +- openlp/plugins/images/forms/addgroupdialog.py | 2 +- openlp/plugins/images/forms/addgroupform.py | 2 +- openlp/plugins/images/forms/choosegroupdialog.py | 2 +- openlp/plugins/images/forms/choosegroupform.py | 2 +- openlp/plugins/images/imageplugin.py | 2 +- openlp/plugins/images/lib/__init__.py | 2 +- openlp/plugins/images/lib/db.py | 2 +- openlp/plugins/images/lib/imagetab.py | 2 +- openlp/plugins/images/lib/mediaitem.py | 2 +- openlp/plugins/media/__init__.py | 2 +- openlp/plugins/media/forms/__init__.py | 2 +- openlp/plugins/media/forms/mediaclipselectordialog.py | 2 +- openlp/plugins/media/forms/mediaclipselectorform.py | 2 +- openlp/plugins/media/lib/__init__.py | 2 +- openlp/plugins/media/lib/mediaitem.py | 2 +- openlp/plugins/media/lib/mediatab.py | 2 +- openlp/plugins/media/mediaplugin.py | 2 +- openlp/plugins/presentations/__init__.py | 2 +- openlp/plugins/presentations/lib/__init__.py | 2 +- openlp/plugins/presentations/lib/impresscontroller.py | 2 +- openlp/plugins/presentations/lib/mediaitem.py | 2 +- openlp/plugins/presentations/lib/messagelistener.py | 2 +- openlp/plugins/presentations/lib/pdfcontroller.py | 2 +- openlp/plugins/presentations/lib/powerpointcontroller.py | 2 +- openlp/plugins/presentations/lib/pptviewcontroller.py | 2 +- openlp/plugins/presentations/lib/pptviewlib/README.TXT | 2 +- openlp/plugins/presentations/lib/pptviewlib/ppttest.py | 2 +- openlp/plugins/presentations/lib/pptviewlib/pptviewlib.cpp | 2 +- openlp/plugins/presentations/lib/pptviewlib/pptviewlib.h | 2 +- openlp/plugins/presentations/lib/presentationcontroller.py | 2 +- openlp/plugins/presentations/lib/presentationtab.py | 2 +- openlp/plugins/presentations/presentationplugin.py | 2 +- openlp/plugins/remotes/__init__.py | 2 +- openlp/plugins/remotes/html/css/main.css | 2 +- openlp/plugins/remotes/html/css/openlp.css | 2 +- openlp/plugins/remotes/html/css/stage.css | 2 +- openlp/plugins/remotes/html/index.html | 2 +- openlp/plugins/remotes/html/js/main.js | 2 +- openlp/plugins/remotes/html/js/openlp.js | 2 +- openlp/plugins/remotes/html/js/stage.js | 2 +- openlp/plugins/remotes/html/main.html | 2 +- openlp/plugins/remotes/html/stage.html | 2 +- openlp/plugins/remotes/lib/__init__.py | 2 +- openlp/plugins/remotes/lib/httprouter.py | 2 +- openlp/plugins/remotes/lib/httpserver.py | 2 +- openlp/plugins/remotes/lib/remotetab.py | 2 +- openlp/plugins/remotes/remoteplugin.py | 2 +- openlp/plugins/songs/__init__.py | 2 +- openlp/plugins/songs/forms/__init__.py | 2 +- openlp/plugins/songs/forms/authorsdialog.py | 2 +- openlp/plugins/songs/forms/authorsform.py | 2 +- openlp/plugins/songs/forms/duplicatesongremovalform.py | 2 +- openlp/plugins/songs/forms/editsongdialog.py | 2 +- openlp/plugins/songs/forms/editsongform.py | 2 +- openlp/plugins/songs/forms/editversedialog.py | 2 +- openlp/plugins/songs/forms/editverseform.py | 2 +- openlp/plugins/songs/forms/mediafilesdialog.py | 2 +- openlp/plugins/songs/forms/mediafilesform.py | 2 +- openlp/plugins/songs/forms/songbookdialog.py | 2 +- openlp/plugins/songs/forms/songbookform.py | 2 +- openlp/plugins/songs/forms/songexportform.py | 2 +- openlp/plugins/songs/forms/songimportform.py | 2 +- openlp/plugins/songs/forms/songmaintenancedialog.py | 2 +- openlp/plugins/songs/forms/songmaintenanceform.py | 2 +- openlp/plugins/songs/forms/songreviewwidget.py | 2 +- openlp/plugins/songs/forms/songselectdialog.py | 2 +- openlp/plugins/songs/forms/songselectform.py | 2 +- openlp/plugins/songs/forms/topicsdialog.py | 2 +- openlp/plugins/songs/forms/topicsform.py | 2 +- openlp/plugins/songs/lib/__init__.py | 2 +- openlp/plugins/songs/lib/db.py | 2 +- openlp/plugins/songs/lib/importer.py | 2 +- openlp/plugins/songs/lib/importers/__init__.py | 2 +- openlp/plugins/songs/lib/importers/cclifile.py | 2 +- openlp/plugins/songs/lib/importers/dreambeam.py | 2 +- openlp/plugins/songs/lib/importers/easyslides.py | 2 +- openlp/plugins/songs/lib/importers/easyworship.py | 2 +- openlp/plugins/songs/lib/importers/foilpresenter.py | 2 +- openlp/plugins/songs/lib/importers/lyrix.py | 2 +- openlp/plugins/songs/lib/importers/mediashout.py | 2 +- openlp/plugins/songs/lib/importers/openlp.py | 2 +- openlp/plugins/songs/lib/importers/openlyrics.py | 2 +- openlp/plugins/songs/lib/importers/openoffice.py | 2 +- openlp/plugins/songs/lib/importers/opensong.py | 2 +- openlp/plugins/songs/lib/importers/opspro.py | 2 +- openlp/plugins/songs/lib/importers/powerpraise.py | 2 +- openlp/plugins/songs/lib/importers/powersong.py | 2 +- openlp/plugins/songs/lib/importers/presentationmanager.py | 2 +- openlp/plugins/songs/lib/importers/propresenter.py | 2 +- openlp/plugins/songs/lib/importers/songbeamer.py | 2 +- openlp/plugins/songs/lib/importers/songimport.py | 2 +- openlp/plugins/songs/lib/importers/songpro.py | 2 +- openlp/plugins/songs/lib/importers/songshowplus.py | 2 +- openlp/plugins/songs/lib/importers/songsoffellowship.py | 2 +- openlp/plugins/songs/lib/importers/sundayplus.py | 2 +- openlp/plugins/songs/lib/importers/videopsalm.py | 2 +- openlp/plugins/songs/lib/importers/wordsofworship.py | 2 +- openlp/plugins/songs/lib/importers/worshipassistant.py | 2 +- openlp/plugins/songs/lib/importers/worshipcenterpro.py | 2 +- openlp/plugins/songs/lib/importers/zionworx.py | 2 +- openlp/plugins/songs/lib/mediaitem.py | 2 +- openlp/plugins/songs/lib/openlyricsexport.py | 2 +- openlp/plugins/songs/lib/openlyricsxml.py | 2 +- openlp/plugins/songs/lib/songcompare.py | 2 +- openlp/plugins/songs/lib/songselect.py | 2 +- openlp/plugins/songs/lib/songstab.py | 2 +- openlp/plugins/songs/lib/ui.py | 2 +- openlp/plugins/songs/lib/upgrade.py | 2 +- openlp/plugins/songs/reporting.py | 2 +- openlp/plugins/songs/songsplugin.py | 2 +- openlp/plugins/songusage/__init__.py | 2 +- openlp/plugins/songusage/forms/__init__.py | 2 +- openlp/plugins/songusage/forms/songusagedeletedialog.py | 2 +- openlp/plugins/songusage/forms/songusagedeleteform.py | 2 +- openlp/plugins/songusage/forms/songusagedetaildialog.py | 2 +- openlp/plugins/songusage/forms/songusagedetailform.py | 2 +- openlp/plugins/songusage/lib/__init__.py | 2 +- openlp/plugins/songusage/lib/db.py | 2 +- openlp/plugins/songusage/lib/upgrade.py | 2 +- openlp/plugins/songusage/songusageplugin.py | 2 +- scripts/appveyor-webhook.py | 2 +- scripts/check_dependencies.py | 2 +- scripts/clean_up_resources.py | 2 +- scripts/generate_resources.sh | 2 +- scripts/jenkins_script.py | 2 +- scripts/lp-merge.py | 2 +- scripts/resources.patch | 2 +- scripts/translation_utils.py | 2 +- setup.py | 2 +- tests/__init__.py | 2 +- tests/functional/__init__.py | 2 +- tests/functional/openlp_core/test_init.py | 2 +- tests/functional/openlp_core_common/__init__.py | 2 +- tests/functional/openlp_core_common/test_actions.py | 2 +- tests/functional/openlp_core_common/test_applocation.py | 2 +- tests/functional/openlp_core_common/test_common.py | 2 +- tests/functional/openlp_core_common/test_db.py | 2 +- tests/functional/openlp_core_common/test_httputils.py | 2 +- tests/functional/openlp_core_common/test_init.py | 2 +- tests/functional/openlp_core_common/test_languagemanager.py | 2 +- tests/functional/openlp_core_common/test_languages.py | 2 +- tests/functional/openlp_core_common/test_projector_utilities.py | 2 +- tests/functional/openlp_core_common/test_registry.py | 2 +- tests/functional/openlp_core_common/test_registrymixin.py | 2 +- tests/functional/openlp_core_common/test_registryproperties.py | 2 +- tests/functional/openlp_core_common/test_settings.py | 2 +- tests/functional/openlp_core_common/test_uistrings.py | 2 +- tests/functional/openlp_core_common/test_versionchecker.py | 2 +- tests/functional/openlp_core_lib/__init__.py | 2 +- tests/functional/openlp_core_lib/test_db.py | 2 +- tests/functional/openlp_core_lib/test_formattingtags.py | 2 +- tests/functional/openlp_core_lib/test_image_manager.py | 2 +- tests/functional/openlp_core_lib/test_lib.py | 2 +- tests/functional/openlp_core_lib/test_mediamanageritem.py | 2 +- tests/functional/openlp_core_lib/test_pluginmanager.py | 2 +- tests/functional/openlp_core_lib/test_projectordb.py | 2 +- tests/functional/openlp_core_lib/test_renderer.py | 2 +- tests/functional/openlp_core_lib/test_screen.py | 2 +- tests/functional/openlp_core_lib/test_serviceitem.py | 2 +- tests/functional/openlp_core_lib/test_theme.py | 2 +- tests/functional/openlp_core_lib/test_ui.py | 2 +- tests/functional/openlp_core_ui/__init__.py | 2 +- tests/functional/openlp_core_ui/test_aboutform.py | 2 +- tests/functional/openlp_core_ui/test_advancedtab.py | 2 +- tests/functional/openlp_core_ui/test_exceptionform.py | 2 +- tests/functional/openlp_core_ui/test_first_time.py | 2 +- tests/functional/openlp_core_ui/test_firsttimeform.py | 2 +- .../functional/openlp_core_ui/test_formattingtagscontroller.py | 2 +- tests/functional/openlp_core_ui/test_formattingtagsform.py | 2 +- tests/functional/openlp_core_ui/test_maindisplay.py | 2 +- tests/functional/openlp_core_ui/test_mainwindow.py | 2 +- tests/functional/openlp_core_ui/test_media.py | 2 +- tests/functional/openlp_core_ui/test_servicemanager.py | 2 +- tests/functional/openlp_core_ui/test_settingsform.py | 2 +- tests/functional/openlp_core_ui/test_shortcutlistdialog.py | 2 +- tests/functional/openlp_core_ui/test_slidecontroller.py | 2 +- tests/functional/openlp_core_ui/test_themeform.py | 2 +- tests/functional/openlp_core_ui/test_thememanager.py | 2 +- tests/functional/openlp_core_ui/test_themetab.py | 2 +- tests/functional/openlp_core_ui_lib/test_color_button.py | 2 +- tests/functional/openlp_core_ui_lib/test_listpreviewwidget.py | 2 +- tests/functional/openlp_core_ui_lib/test_listwidgetwithdnd.py | 2 +- tests/functional/openlp_core_ui_media/__init__.py | 2 +- tests/functional/openlp_core_ui_media/test_mediacontroller.py | 2 +- tests/functional/openlp_core_ui_media/test_systemplayer.py | 2 +- tests/functional/openlp_core_ui_media/test_vlcplayer.py | 2 +- tests/functional/openlp_core_ui_media/test_webkitplayer.py | 2 +- tests/functional/openlp_plugins/__init__.py | 2 +- tests/functional/openlp_plugins/alerts/__init__.py | 2 +- tests/functional/openlp_plugins/alerts/test_manager.py | 2 +- tests/functional/openlp_plugins/bibles/__init__.py | 2 +- tests/functional/openlp_plugins/bibles/test_bibleserver.py | 2 +- tests/functional/openlp_plugins/bibles/test_csvimport.py | 2 +- tests/functional/openlp_plugins/bibles/test_db.py | 2 +- tests/functional/openlp_plugins/bibles/test_lib.py | 2 +- tests/functional/openlp_plugins/bibles/test_manager.py | 2 +- tests/functional/openlp_plugins/bibles/test_mediaitem.py | 2 +- tests/functional/openlp_plugins/bibles/test_opensongimport.py | 2 +- tests/functional/openlp_plugins/bibles/test_osisimport.py | 2 +- tests/functional/openlp_plugins/bibles/test_swordimport.py | 2 +- .../functional/openlp_plugins/bibles/test_versereferencelist.py | 2 +- .../functional/openlp_plugins/bibles/test_wordprojectimport.py | 2 +- tests/functional/openlp_plugins/bibles/test_zefaniaimport.py | 2 +- tests/functional/openlp_plugins/custom/__init__.py | 2 +- tests/functional/openlp_plugins/images/__init__.py | 2 +- tests/functional/openlp_plugins/images/test_imagetab.py | 2 +- tests/functional/openlp_plugins/images/test_lib.py | 2 +- tests/functional/openlp_plugins/media/test_mediaitem.py | 2 +- tests/functional/openlp_plugins/media/test_mediaplugin.py | 2 +- tests/functional/openlp_plugins/presentations/__init__.py | 2 +- .../openlp_plugins/presentations/test_impresscontroller.py | 2 +- tests/functional/openlp_plugins/presentations/test_mediaitem.py | 2 +- .../openlp_plugins/presentations/test_messagelistener.py | 2 +- .../openlp_plugins/presentations/test_pdfcontroller.py | 2 +- .../openlp_plugins/presentations/test_powerpointcontroller.py | 2 +- .../openlp_plugins/presentations/test_pptviewcontroller.py | 2 +- .../openlp_plugins/presentations/test_presentationcontroller.py | 2 +- tests/functional/openlp_plugins/remotes/__init__.py | 2 +- tests/functional/openlp_plugins/remotes/test_remotetab.py | 2 +- tests/functional/openlp_plugins/remotes/test_router.py | 2 +- tests/functional/openlp_plugins/songs/__init__.py | 2 +- tests/functional/openlp_plugins/songs/test_db.py | 2 +- tests/functional/openlp_plugins/songs/test_easyslidesimport.py | 2 +- tests/functional/openlp_plugins/songs/test_editsongform.py | 2 +- tests/functional/openlp_plugins/songs/test_editverseform.py | 2 +- tests/functional/openlp_plugins/songs/test_ewimport.py | 2 +- .../functional/openlp_plugins/songs/test_foilpresenterimport.py | 2 +- tests/functional/openlp_plugins/songs/test_lib.py | 2 +- tests/functional/openlp_plugins/songs/test_lyriximport.py | 2 +- tests/functional/openlp_plugins/songs/test_mediaitem.py | 2 +- tests/functional/openlp_plugins/songs/test_mediashout.py | 2 +- tests/functional/openlp_plugins/songs/test_openlpimporter.py | 2 +- tests/functional/openlp_plugins/songs/test_openlyricsexport.py | 2 +- tests/functional/openlp_plugins/songs/test_openlyricsimport.py | 2 +- tests/functional/openlp_plugins/songs/test_openoffice.py | 2 +- tests/functional/openlp_plugins/songs/test_opensongimport.py | 2 +- tests/functional/openlp_plugins/songs/test_opsproimport.py | 2 +- tests/functional/openlp_plugins/songs/test_powerpraiseimport.py | 2 +- .../openlp_plugins/songs/test_presentationmanagerimport.py | 2 +- .../functional/openlp_plugins/songs/test_propresenterimport.py | 2 +- tests/functional/openlp_plugins/songs/test_songbeamerimport.py | 2 +- tests/functional/openlp_plugins/songs/test_songproimport.py | 2 +- tests/functional/openlp_plugins/songs/test_songselect.py | 2 +- .../functional/openlp_plugins/songs/test_songshowplusimport.py | 2 +- tests/functional/openlp_plugins/songs/test_sundayplusimport.py | 2 +- tests/functional/openlp_plugins/songs/test_videopsalm.py | 2 +- .../openlp_plugins/songs/test_wordsofworshipimport.py | 2 +- .../openlp_plugins/songs/test_worshipassistantimport.py | 2 +- .../openlp_plugins/songs/test_worshipcenterproimport.py | 2 +- tests/functional/openlp_plugins/songs/test_zionworximport.py | 2 +- tests/functional/openlp_plugins/songusage/__init__.py | 2 +- tests/functional/openlp_plugins/songusage/test_songusage.py | 2 +- tests/functional/test_init.py | 2 +- tests/helpers/__init__.py | 2 +- tests/helpers/songfileimport.py | 2 +- tests/helpers/testmixin.py | 2 +- tests/interfaces/__init__.py | 2 +- tests/interfaces/openlp_core_common/__init__.py | 2 +- tests/interfaces/openlp_core_common/test_utils.py | 2 +- tests/interfaces/openlp_core_lib/__init__.py | 2 +- tests/interfaces/openlp_core_lib/test_pluginmanager.py | 2 +- tests/interfaces/openlp_core_lib/test_searchedit.py | 2 +- tests/interfaces/openlp_core_ui/__init__.py | 2 +- tests/interfaces/openlp_core_ui/test_filerenamedialog.py | 2 +- tests/interfaces/openlp_core_ui/test_mainwindow.py | 2 +- tests/interfaces/openlp_core_ui/test_projectoreditform.py | 2 +- tests/interfaces/openlp_core_ui/test_projectormanager.py | 2 +- tests/interfaces/openlp_core_ui/test_projectorsourceform.py | 2 +- tests/interfaces/openlp_core_ui/test_servicemanager.py | 2 +- tests/interfaces/openlp_core_ui/test_servicenotedialog.py | 2 +- tests/interfaces/openlp_core_ui/test_settings_form.py | 2 +- tests/interfaces/openlp_core_ui/test_shortcutlistform.py | 2 +- tests/interfaces/openlp_core_ui/test_starttimedialog.py | 2 +- tests/interfaces/openlp_core_ui/test_thememanager.py | 2 +- tests/interfaces/openlp_core_ui_lib/__init__.py | 2 +- tests/interfaces/openlp_core_ui_lib/test_historycombobox.py | 2 +- tests/interfaces/openlp_core_ui_lib/test_listpreviewwidget.py | 2 +- tests/interfaces/openlp_core_ul_media_vendor/__init__.py | 2 +- .../openlp_core_ul_media_vendor/test_mediainfoWrapper.py | 2 +- tests/interfaces/openlp_plugins/__init__.py | 2 +- tests/interfaces/openlp_plugins/bibles/__init__.py | 2 +- .../openlp_plugins/bibles/forms/test_bibleimportform.py | 2 +- tests/interfaces/openlp_plugins/bibles/test_lib_http.py | 2 +- tests/interfaces/openlp_plugins/bibles/test_lib_manager.py | 2 +- .../openlp_plugins/bibles/test_lib_parse_reference.py | 2 +- tests/interfaces/openlp_plugins/custom/__init__.py | 2 +- tests/interfaces/openlp_plugins/custom/forms/__init__.py | 2 +- tests/interfaces/openlp_plugins/custom/forms/test_customform.py | 2 +- .../openlp_plugins/custom/forms/test_customslideform.py | 2 +- tests/interfaces/openlp_plugins/media/__init__.py | 2 +- tests/interfaces/openlp_plugins/media/forms/__init__.py | 2 +- .../openlp_plugins/media/forms/test_mediaclipselectorform.py | 2 +- tests/interfaces/openlp_plugins/remotes/__init__.py | 2 +- tests/interfaces/openlp_plugins/songs/__init__.py | 2 +- tests/interfaces/openlp_plugins/songs/forms/__init__.py | 2 +- tests/interfaces/openlp_plugins/songs/forms/test_authorsform.py | 2 +- .../interfaces/openlp_plugins/songs/forms/test_editsongform.py | 2 +- .../interfaces/openlp_plugins/songs/forms/test_editverseform.py | 2 +- tests/interfaces/openlp_plugins/songs/forms/test_topicsform.py | 2 +- tests/resources/projector/data.py | 2 +- tests/utils/__init__.py | 2 +- tests/utils/osdinteraction.py | 2 +- tests/utils/test_bzr_tags.py | 2 +- tests/utils/test_pylint.py | 2 +- 456 files changed, 456 insertions(+), 456 deletions(-) diff --git a/copyright.txt b/copyright.txt index 02bded5b0..ea62548f4 100644 --- a/copyright.txt +++ b/copyright.txt @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp.py b/openlp.py index e3023e536..7ede25519 100755 --- a/openlp.py +++ b/openlp.py @@ -5,7 +5,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/__init__.py b/openlp/__init__.py index a78a2bebb..16d57e9af 100644 --- a/openlp/__init__.py +++ b/openlp/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/__init__.py b/openlp/core/__init__.py index ad06f3629..e035c6dda 100644 --- a/openlp/core/__init__.py +++ b/openlp/core/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/__init__.py b/openlp/core/common/__init__.py index 41d446399..b7d38ad4f 100644 --- a/openlp/core/common/__init__.py +++ b/openlp/core/common/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/actions.py b/openlp/core/common/actions.py index 5e5dd2e05..c39cbc824 100644 --- a/openlp/core/common/actions.py +++ b/openlp/core/common/actions.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/applocation.py b/openlp/core/common/applocation.py index 35fcd73d8..126014014 100644 --- a/openlp/core/common/applocation.py +++ b/openlp/core/common/applocation.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/db.py b/openlp/core/common/db.py index 1fd7a6521..a88577932 100644 --- a/openlp/core/common/db.py +++ b/openlp/core/common/db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/httputils.py b/openlp/core/common/httputils.py index b3cb50ef3..fb82913e1 100644 --- a/openlp/core/common/httputils.py +++ b/openlp/core/common/httputils.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/languagemanager.py b/openlp/core/common/languagemanager.py index 099e84af6..0e1787d2e 100644 --- a/openlp/core/common/languagemanager.py +++ b/openlp/core/common/languagemanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/languages.py b/openlp/core/common/languages.py index 18235ac10..77d0b1558 100644 --- a/openlp/core/common/languages.py +++ b/openlp/core/common/languages.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/openlpmixin.py b/openlp/core/common/openlpmixin.py index 2f1d5bbba..0e63a339c 100644 --- a/openlp/core/common/openlpmixin.py +++ b/openlp/core/common/openlpmixin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/registry.py b/openlp/core/common/registry.py index 85fca6912..95f1ce721 100644 --- a/openlp/core/common/registry.py +++ b/openlp/core/common/registry.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/registrymixin.py b/openlp/core/common/registrymixin.py index b46aa93a7..ffc1f9264 100644 --- a/openlp/core/common/registrymixin.py +++ b/openlp/core/common/registrymixin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/registryproperties.py b/openlp/core/common/registryproperties.py index ce138d5f6..29bd3b2ce 100644 --- a/openlp/core/common/registryproperties.py +++ b/openlp/core/common/registryproperties.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/settings.py b/openlp/core/common/settings.py index 132e9652a..14629d885 100644 --- a/openlp/core/common/settings.py +++ b/openlp/core/common/settings.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/common/uistrings.py b/openlp/core/common/uistrings.py index e23fc3f40..465c7c43f 100644 --- a/openlp/core/common/uistrings.py +++ b/openlp/core/common/uistrings.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/__init__.py b/openlp/core/lib/__init__.py index 49365600d..caaa0ff57 100644 --- a/openlp/core/lib/__init__.py +++ b/openlp/core/lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/db.py b/openlp/core/lib/db.py index f42c3b5fc..0627259eb 100644 --- a/openlp/core/lib/db.py +++ b/openlp/core/lib/db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/exceptions.py b/openlp/core/lib/exceptions.py index b01e3b621..8e1645fae 100644 --- a/openlp/core/lib/exceptions.py +++ b/openlp/core/lib/exceptions.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/filedialog.py b/openlp/core/lib/filedialog.py index 457bd663c..5fd8015e3 100644 --- a/openlp/core/lib/filedialog.py +++ b/openlp/core/lib/filedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/formattingtags.py b/openlp/core/lib/formattingtags.py index 9a3b0a8c9..de16bbc7b 100644 --- a/openlp/core/lib/formattingtags.py +++ b/openlp/core/lib/formattingtags.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/htmlbuilder.py b/openlp/core/lib/htmlbuilder.py index 456925d5a..69ae6402d 100644 --- a/openlp/core/lib/htmlbuilder.py +++ b/openlp/core/lib/htmlbuilder.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/imagemanager.py b/openlp/core/lib/imagemanager.py index 7e0cd3212..c0b4e58de 100644 --- a/openlp/core/lib/imagemanager.py +++ b/openlp/core/lib/imagemanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/mediamanageritem.py b/openlp/core/lib/mediamanageritem.py index 25de144ad..88177ad21 100644 --- a/openlp/core/lib/mediamanageritem.py +++ b/openlp/core/lib/mediamanageritem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/plugin.py b/openlp/core/lib/plugin.py index 9df77760b..b06e0fbd4 100644 --- a/openlp/core/lib/plugin.py +++ b/openlp/core/lib/plugin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/pluginmanager.py b/openlp/core/lib/pluginmanager.py index 98f49a2c6..3c17a7d7f 100644 --- a/openlp/core/lib/pluginmanager.py +++ b/openlp/core/lib/pluginmanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/projector/__init__.py b/openlp/core/lib/projector/__init__.py index 0175a2749..dc7d2c89d 100644 --- a/openlp/core/lib/projector/__init__.py +++ b/openlp/core/lib/projector/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/projector/constants.py b/openlp/core/lib/projector/constants.py index 748163493..95ae9b2b2 100644 --- a/openlp/core/lib/projector/constants.py +++ b/openlp/core/lib/projector/constants.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/projector/db.py b/openlp/core/lib/projector/db.py index 9d223b0e1..bff1be00e 100644 --- a/openlp/core/lib/projector/db.py +++ b/openlp/core/lib/projector/db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/projector/pjlink1.py b/openlp/core/lib/projector/pjlink1.py index 555c2f5be..e13be94a9 100644 --- a/openlp/core/lib/projector/pjlink1.py +++ b/openlp/core/lib/projector/pjlink1.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/renderer.py b/openlp/core/lib/renderer.py index 32696a71d..0bc9fbae6 100644 --- a/openlp/core/lib/renderer.py +++ b/openlp/core/lib/renderer.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/screen.py b/openlp/core/lib/screen.py index 31ff3d725..2e642f497 100644 --- a/openlp/core/lib/screen.py +++ b/openlp/core/lib/screen.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/searchedit.py b/openlp/core/lib/searchedit.py index 1fcc0e618..52baf0d2c 100644 --- a/openlp/core/lib/searchedit.py +++ b/openlp/core/lib/searchedit.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/serviceitem.py b/openlp/core/lib/serviceitem.py index 1344bfeea..27378d9ce 100644 --- a/openlp/core/lib/serviceitem.py +++ b/openlp/core/lib/serviceitem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/settingstab.py b/openlp/core/lib/settingstab.py index a236dbdf9..7eb4a6877 100644 --- a/openlp/core/lib/settingstab.py +++ b/openlp/core/lib/settingstab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/theme.py b/openlp/core/lib/theme.py index e3b05c3b5..421086e2b 100644 --- a/openlp/core/lib/theme.py +++ b/openlp/core/lib/theme.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/lib/ui.py b/openlp/core/lib/ui.py index d36512d1a..8cd68384f 100644 --- a/openlp/core/lib/ui.py +++ b/openlp/core/lib/ui.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/__init__.py b/openlp/core/ui/__init__.py index 599efd8e7..1b71229b5 100644 --- a/openlp/core/ui/__init__.py +++ b/openlp/core/ui/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/aboutdialog.py b/openlp/core/ui/aboutdialog.py index 3f9034dcb..1178f2c70 100644 --- a/openlp/core/ui/aboutdialog.py +++ b/openlp/core/ui/aboutdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/aboutform.py b/openlp/core/ui/aboutform.py index 3b509bdbd..f4f9b06a0 100644 --- a/openlp/core/ui/aboutform.py +++ b/openlp/core/ui/aboutform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/advancedtab.py b/openlp/core/ui/advancedtab.py index fed712ed2..f3afead76 100644 --- a/openlp/core/ui/advancedtab.py +++ b/openlp/core/ui/advancedtab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/exceptiondialog.py b/openlp/core/ui/exceptiondialog.py index 36e039cee..ab001f3e1 100644 --- a/openlp/core/ui/exceptiondialog.py +++ b/openlp/core/ui/exceptiondialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/exceptionform.py b/openlp/core/ui/exceptionform.py index 9e58ac8b2..349352d92 100644 --- a/openlp/core/ui/exceptionform.py +++ b/openlp/core/ui/exceptionform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/filerenamedialog.py b/openlp/core/ui/filerenamedialog.py index cc4574279..ea6a8593f 100644 --- a/openlp/core/ui/filerenamedialog.py +++ b/openlp/core/ui/filerenamedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/filerenameform.py b/openlp/core/ui/filerenameform.py index 3ab82cc12..0fb9c8668 100644 --- a/openlp/core/ui/filerenameform.py +++ b/openlp/core/ui/filerenameform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/firsttimeform.py b/openlp/core/ui/firsttimeform.py index 8fd7a4f52..43f9186cb 100644 --- a/openlp/core/ui/firsttimeform.py +++ b/openlp/core/ui/firsttimeform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/firsttimelanguagedialog.py b/openlp/core/ui/firsttimelanguagedialog.py index f32ec9076..2a177f918 100644 --- a/openlp/core/ui/firsttimelanguagedialog.py +++ b/openlp/core/ui/firsttimelanguagedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/firsttimelanguageform.py b/openlp/core/ui/firsttimelanguageform.py index 4058612fb..9e9d664ca 100644 --- a/openlp/core/ui/firsttimelanguageform.py +++ b/openlp/core/ui/firsttimelanguageform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/firsttimewizard.py b/openlp/core/ui/firsttimewizard.py index 63937ebb2..b7ca28778 100644 --- a/openlp/core/ui/firsttimewizard.py +++ b/openlp/core/ui/firsttimewizard.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/formattingtagcontroller.py b/openlp/core/ui/formattingtagcontroller.py index 5a0511842..62e1833d4 100644 --- a/openlp/core/ui/formattingtagcontroller.py +++ b/openlp/core/ui/formattingtagcontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/formattingtagdialog.py b/openlp/core/ui/formattingtagdialog.py index 83ec18115..c6e173128 100644 --- a/openlp/core/ui/formattingtagdialog.py +++ b/openlp/core/ui/formattingtagdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/formattingtagform.py b/openlp/core/ui/formattingtagform.py index 658653875..1aeda9bc3 100644 --- a/openlp/core/ui/formattingtagform.py +++ b/openlp/core/ui/formattingtagform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/generaltab.py b/openlp/core/ui/generaltab.py index 629e55e0f..84d6e3c58 100644 --- a/openlp/core/ui/generaltab.py +++ b/openlp/core/ui/generaltab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/lib/__init__.py b/openlp/core/ui/lib/__init__.py index ae81b10ad..e159944c0 100644 --- a/openlp/core/ui/lib/__init__.py +++ b/openlp/core/ui/lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/lib/colorbutton.py b/openlp/core/ui/lib/colorbutton.py index ebb093581..2c2a478b0 100644 --- a/openlp/core/ui/lib/colorbutton.py +++ b/openlp/core/ui/lib/colorbutton.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/lib/dockwidget.py b/openlp/core/ui/lib/dockwidget.py index 4a8217af0..d8bcab0fa 100644 --- a/openlp/core/ui/lib/dockwidget.py +++ b/openlp/core/ui/lib/dockwidget.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/lib/historycombobox.py b/openlp/core/ui/lib/historycombobox.py index 23e05e76e..6320bc383 100644 --- a/openlp/core/ui/lib/historycombobox.py +++ b/openlp/core/ui/lib/historycombobox.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/lib/listpreviewwidget.py b/openlp/core/ui/lib/listpreviewwidget.py index 2ea004160..142034785 100644 --- a/openlp/core/ui/lib/listpreviewwidget.py +++ b/openlp/core/ui/lib/listpreviewwidget.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/lib/listwidgetwithdnd.py b/openlp/core/ui/lib/listwidgetwithdnd.py index de601fa13..41f6a7641 100644 --- a/openlp/core/ui/lib/listwidgetwithdnd.py +++ b/openlp/core/ui/lib/listwidgetwithdnd.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/lib/mediadockmanager.py b/openlp/core/ui/lib/mediadockmanager.py index 1a7676465..8fee1d55d 100644 --- a/openlp/core/ui/lib/mediadockmanager.py +++ b/openlp/core/ui/lib/mediadockmanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/lib/spelltextedit.py b/openlp/core/ui/lib/spelltextedit.py index 5fd983128..41e28a7e5 100644 --- a/openlp/core/ui/lib/spelltextedit.py +++ b/openlp/core/ui/lib/spelltextedit.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/lib/toolbar.py b/openlp/core/ui/lib/toolbar.py index d6f896a17..68343889f 100644 --- a/openlp/core/ui/lib/toolbar.py +++ b/openlp/core/ui/lib/toolbar.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/lib/treewidgetwithdnd.py b/openlp/core/ui/lib/treewidgetwithdnd.py index f410e453a..fe45666f5 100644 --- a/openlp/core/ui/lib/treewidgetwithdnd.py +++ b/openlp/core/ui/lib/treewidgetwithdnd.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/lib/wizard.py b/openlp/core/ui/lib/wizard.py index 06225a376..088bc3c1f 100644 --- a/openlp/core/ui/lib/wizard.py +++ b/openlp/core/ui/lib/wizard.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/maindisplay.py b/openlp/core/ui/maindisplay.py index ff5acb975..6b4359b74 100644 --- a/openlp/core/ui/maindisplay.py +++ b/openlp/core/ui/maindisplay.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/mainwindow.py b/openlp/core/ui/mainwindow.py index ec585790c..52c91c97a 100644 --- a/openlp/core/ui/mainwindow.py +++ b/openlp/core/ui/mainwindow.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/media/__init__.py b/openlp/core/ui/media/__init__.py index b51391583..ba5c6c733 100644 --- a/openlp/core/ui/media/__init__.py +++ b/openlp/core/ui/media/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/media/mediacontroller.py b/openlp/core/ui/media/mediacontroller.py index d404ee02e..5a0dfb042 100644 --- a/openlp/core/ui/media/mediacontroller.py +++ b/openlp/core/ui/media/mediacontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/media/mediaplayer.py b/openlp/core/ui/media/mediaplayer.py index d9c7ad321..edf08608b 100644 --- a/openlp/core/ui/media/mediaplayer.py +++ b/openlp/core/ui/media/mediaplayer.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/media/playertab.py b/openlp/core/ui/media/playertab.py index 44944ca32..da8386734 100644 --- a/openlp/core/ui/media/playertab.py +++ b/openlp/core/ui/media/playertab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/media/systemplayer.py b/openlp/core/ui/media/systemplayer.py index e632f9b7b..6209e218a 100644 --- a/openlp/core/ui/media/systemplayer.py +++ b/openlp/core/ui/media/systemplayer.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/media/vendor/__init__.py b/openlp/core/ui/media/vendor/__init__.py index e71278465..2b8cd2dd2 100644 --- a/openlp/core/ui/media/vendor/__init__.py +++ b/openlp/core/ui/media/vendor/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/media/vendor/mediainfoWrapper.py b/openlp/core/ui/media/vendor/mediainfoWrapper.py index 35f16667d..6f270d46e 100644 --- a/openlp/core/ui/media/vendor/mediainfoWrapper.py +++ b/openlp/core/ui/media/vendor/mediainfoWrapper.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/media/vlcplayer.py b/openlp/core/ui/media/vlcplayer.py index 48b0602fe..8d330f683 100644 --- a/openlp/core/ui/media/vlcplayer.py +++ b/openlp/core/ui/media/vlcplayer.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/media/webkitplayer.py b/openlp/core/ui/media/webkitplayer.py index 5cd982951..571f21e48 100644 --- a/openlp/core/ui/media/webkitplayer.py +++ b/openlp/core/ui/media/webkitplayer.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/plugindialog.py b/openlp/core/ui/plugindialog.py index cd41d77a8..a89b0ab6a 100644 --- a/openlp/core/ui/plugindialog.py +++ b/openlp/core/ui/plugindialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/pluginform.py b/openlp/core/ui/pluginform.py index 75bf9652d..69b96a7ac 100644 --- a/openlp/core/ui/pluginform.py +++ b/openlp/core/ui/pluginform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/printservicedialog.py b/openlp/core/ui/printservicedialog.py index f82bfecd4..fba7771ba 100644 --- a/openlp/core/ui/printservicedialog.py +++ b/openlp/core/ui/printservicedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/printserviceform.py b/openlp/core/ui/printserviceform.py index 2d5b3d554..0b2eaefc6 100644 --- a/openlp/core/ui/printserviceform.py +++ b/openlp/core/ui/printserviceform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/projector/__init__.py b/openlp/core/ui/projector/__init__.py index 75d639df3..eb20e9232 100644 --- a/openlp/core/ui/projector/__init__.py +++ b/openlp/core/ui/projector/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/projector/editform.py b/openlp/core/ui/projector/editform.py index f15d5b550..eec7a19de 100644 --- a/openlp/core/ui/projector/editform.py +++ b/openlp/core/ui/projector/editform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/projector/manager.py b/openlp/core/ui/projector/manager.py index bfb58232f..06ddd9dee 100644 --- a/openlp/core/ui/projector/manager.py +++ b/openlp/core/ui/projector/manager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/projector/sourceselectform.py b/openlp/core/ui/projector/sourceselectform.py index 62b0a2158..c9fe4e1f1 100644 --- a/openlp/core/ui/projector/sourceselectform.py +++ b/openlp/core/ui/projector/sourceselectform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/projector/tab.py b/openlp/core/ui/projector/tab.py index ff4bdee17..06d9e53a7 100644 --- a/openlp/core/ui/projector/tab.py +++ b/openlp/core/ui/projector/tab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/serviceitemeditdialog.py b/openlp/core/ui/serviceitemeditdialog.py index 6dc45a847..be5da152a 100644 --- a/openlp/core/ui/serviceitemeditdialog.py +++ b/openlp/core/ui/serviceitemeditdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/serviceitemeditform.py b/openlp/core/ui/serviceitemeditform.py index e7e2d9e6e..dead6160a 100644 --- a/openlp/core/ui/serviceitemeditform.py +++ b/openlp/core/ui/serviceitemeditform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/servicemanager.py b/openlp/core/ui/servicemanager.py index b0f023286..a5da351c7 100644 --- a/openlp/core/ui/servicemanager.py +++ b/openlp/core/ui/servicemanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/servicenoteform.py b/openlp/core/ui/servicenoteform.py index 383c47048..dd1f42674 100644 --- a/openlp/core/ui/servicenoteform.py +++ b/openlp/core/ui/servicenoteform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/settingsdialog.py b/openlp/core/ui/settingsdialog.py index 97c4c7233..7ceece699 100644 --- a/openlp/core/ui/settingsdialog.py +++ b/openlp/core/ui/settingsdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/settingsform.py b/openlp/core/ui/settingsform.py index 42558b830..119fd875f 100644 --- a/openlp/core/ui/settingsform.py +++ b/openlp/core/ui/settingsform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/shortcutlistdialog.py b/openlp/core/ui/shortcutlistdialog.py index 4de2d4861..f47b79eb4 100644 --- a/openlp/core/ui/shortcutlistdialog.py +++ b/openlp/core/ui/shortcutlistdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/shortcutlistform.py b/openlp/core/ui/shortcutlistform.py index eb91313c9..a42600193 100644 --- a/openlp/core/ui/shortcutlistform.py +++ b/openlp/core/ui/shortcutlistform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/slidecontroller.py b/openlp/core/ui/slidecontroller.py index 01bc2bd0f..163cea658 100644 --- a/openlp/core/ui/slidecontroller.py +++ b/openlp/core/ui/slidecontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/splashscreen.py b/openlp/core/ui/splashscreen.py index adfa3ec4a..dd9764a2e 100644 --- a/openlp/core/ui/splashscreen.py +++ b/openlp/core/ui/splashscreen.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/starttimedialog.py b/openlp/core/ui/starttimedialog.py index e20d625d0..256bf8f55 100644 --- a/openlp/core/ui/starttimedialog.py +++ b/openlp/core/ui/starttimedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/starttimeform.py b/openlp/core/ui/starttimeform.py index 386608970..1b453a9c2 100644 --- a/openlp/core/ui/starttimeform.py +++ b/openlp/core/ui/starttimeform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/themeform.py b/openlp/core/ui/themeform.py index 072204e89..9d7058eb5 100644 --- a/openlp/core/ui/themeform.py +++ b/openlp/core/ui/themeform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/themelayoutdialog.py b/openlp/core/ui/themelayoutdialog.py index 119611f33..dc48234da 100644 --- a/openlp/core/ui/themelayoutdialog.py +++ b/openlp/core/ui/themelayoutdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/themelayoutform.py b/openlp/core/ui/themelayoutform.py index 6fc01a6a5..2b4b114f6 100644 --- a/openlp/core/ui/themelayoutform.py +++ b/openlp/core/ui/themelayoutform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/thememanager.py b/openlp/core/ui/thememanager.py index e9cb154b4..f5eca3656 100644 --- a/openlp/core/ui/thememanager.py +++ b/openlp/core/ui/thememanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/themestab.py b/openlp/core/ui/themestab.py index a953ae013..f3b5bbb71 100644 --- a/openlp/core/ui/themestab.py +++ b/openlp/core/ui/themestab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/core/ui/themewizard.py b/openlp/core/ui/themewizard.py index 7eac787d9..7db90c7b2 100644 --- a/openlp/core/ui/themewizard.py +++ b/openlp/core/ui/themewizard.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/__init__.py b/openlp/plugins/__init__.py index 6de0f581a..a4aa03078 100644 --- a/openlp/plugins/__init__.py +++ b/openlp/plugins/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/alerts/__init__.py b/openlp/plugins/alerts/__init__.py index 9e56dbc1f..4b28c04f7 100644 --- a/openlp/plugins/alerts/__init__.py +++ b/openlp/plugins/alerts/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/alerts/alertsplugin.py b/openlp/plugins/alerts/alertsplugin.py index 828b0c566..83544bd99 100644 --- a/openlp/plugins/alerts/alertsplugin.py +++ b/openlp/plugins/alerts/alertsplugin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/alerts/forms/__init__.py b/openlp/plugins/alerts/forms/__init__.py index 168ccfff8..e390edf32 100644 --- a/openlp/plugins/alerts/forms/__init__.py +++ b/openlp/plugins/alerts/forms/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/alerts/forms/alertdialog.py b/openlp/plugins/alerts/forms/alertdialog.py index 83df7a09c..e6e97d467 100644 --- a/openlp/plugins/alerts/forms/alertdialog.py +++ b/openlp/plugins/alerts/forms/alertdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/alerts/forms/alertform.py b/openlp/plugins/alerts/forms/alertform.py index cb711b410..88f44210e 100644 --- a/openlp/plugins/alerts/forms/alertform.py +++ b/openlp/plugins/alerts/forms/alertform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/alerts/lib/__init__.py b/openlp/plugins/alerts/lib/__init__.py index 4e353a786..6add50bd2 100644 --- a/openlp/plugins/alerts/lib/__init__.py +++ b/openlp/plugins/alerts/lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/alerts/lib/alertsmanager.py b/openlp/plugins/alerts/lib/alertsmanager.py index 1bc3413f9..9b1abd226 100644 --- a/openlp/plugins/alerts/lib/alertsmanager.py +++ b/openlp/plugins/alerts/lib/alertsmanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/alerts/lib/alertstab.py b/openlp/plugins/alerts/lib/alertstab.py index ef1a66cc9..f3808dc31 100644 --- a/openlp/plugins/alerts/lib/alertstab.py +++ b/openlp/plugins/alerts/lib/alertstab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/alerts/lib/db.py b/openlp/plugins/alerts/lib/db.py index 34eb4a940..ab33f43ee 100644 --- a/openlp/plugins/alerts/lib/db.py +++ b/openlp/plugins/alerts/lib/db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/__init__.py b/openlp/plugins/bibles/__init__.py index a9ce1a4cf..64fae038b 100644 --- a/openlp/plugins/bibles/__init__.py +++ b/openlp/plugins/bibles/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/bibleplugin.py b/openlp/plugins/bibles/bibleplugin.py index e9168d695..79aa21123 100644 --- a/openlp/plugins/bibles/bibleplugin.py +++ b/openlp/plugins/bibles/bibleplugin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/forms/__init__.py b/openlp/plugins/bibles/forms/__init__.py index c116766ae..1b0055d67 100644 --- a/openlp/plugins/bibles/forms/__init__.py +++ b/openlp/plugins/bibles/forms/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/forms/bibleimportform.py b/openlp/plugins/bibles/forms/bibleimportform.py index ae39d821b..f336705c6 100644 --- a/openlp/plugins/bibles/forms/bibleimportform.py +++ b/openlp/plugins/bibles/forms/bibleimportform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/forms/booknamedialog.py b/openlp/plugins/bibles/forms/booknamedialog.py index 18adde74b..6118ac293 100644 --- a/openlp/plugins/bibles/forms/booknamedialog.py +++ b/openlp/plugins/bibles/forms/booknamedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/forms/booknameform.py b/openlp/plugins/bibles/forms/booknameform.py index 67565c915..0a2411131 100644 --- a/openlp/plugins/bibles/forms/booknameform.py +++ b/openlp/plugins/bibles/forms/booknameform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/forms/editbibledialog.py b/openlp/plugins/bibles/forms/editbibledialog.py index 73ff81239..8f2282de0 100644 --- a/openlp/plugins/bibles/forms/editbibledialog.py +++ b/openlp/plugins/bibles/forms/editbibledialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/forms/editbibleform.py b/openlp/plugins/bibles/forms/editbibleform.py index c6afbabb6..2d515f6de 100644 --- a/openlp/plugins/bibles/forms/editbibleform.py +++ b/openlp/plugins/bibles/forms/editbibleform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/forms/languagedialog.py b/openlp/plugins/bibles/forms/languagedialog.py index 554c7e35d..f51bc79fc 100644 --- a/openlp/plugins/bibles/forms/languagedialog.py +++ b/openlp/plugins/bibles/forms/languagedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/forms/languageform.py b/openlp/plugins/bibles/forms/languageform.py index 1ba71ad6e..46571e262 100644 --- a/openlp/plugins/bibles/forms/languageform.py +++ b/openlp/plugins/bibles/forms/languageform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/__init__.py b/openlp/plugins/bibles/lib/__init__.py index e730009e7..d6d0aa2f9 100644 --- a/openlp/plugins/bibles/lib/__init__.py +++ b/openlp/plugins/bibles/lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/bibleimport.py b/openlp/plugins/bibles/lib/bibleimport.py index 5eb22e47d..00c7262a0 100644 --- a/openlp/plugins/bibles/lib/bibleimport.py +++ b/openlp/plugins/bibles/lib/bibleimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/biblestab.py b/openlp/plugins/bibles/lib/biblestab.py index 0b6641015..1420dcc33 100644 --- a/openlp/plugins/bibles/lib/biblestab.py +++ b/openlp/plugins/bibles/lib/biblestab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/db.py b/openlp/plugins/bibles/lib/db.py index 3a0a89757..f61c0e506 100644 --- a/openlp/plugins/bibles/lib/db.py +++ b/openlp/plugins/bibles/lib/db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/importers/csvbible.py b/openlp/plugins/bibles/lib/importers/csvbible.py index d9edd6cc7..caf6e0216 100644 --- a/openlp/plugins/bibles/lib/importers/csvbible.py +++ b/openlp/plugins/bibles/lib/importers/csvbible.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/importers/http.py b/openlp/plugins/bibles/lib/importers/http.py index 071ab0119..76daa8e25 100644 --- a/openlp/plugins/bibles/lib/importers/http.py +++ b/openlp/plugins/bibles/lib/importers/http.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/importers/opensong.py b/openlp/plugins/bibles/lib/importers/opensong.py index d75f37e03..2ac72503d 100644 --- a/openlp/plugins/bibles/lib/importers/opensong.py +++ b/openlp/plugins/bibles/lib/importers/opensong.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/importers/osis.py b/openlp/plugins/bibles/lib/importers/osis.py index 3c799daa3..f10e084bc 100644 --- a/openlp/plugins/bibles/lib/importers/osis.py +++ b/openlp/plugins/bibles/lib/importers/osis.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/importers/sword.py b/openlp/plugins/bibles/lib/importers/sword.py index 00313f344..e01783087 100644 --- a/openlp/plugins/bibles/lib/importers/sword.py +++ b/openlp/plugins/bibles/lib/importers/sword.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/importers/wordproject.py b/openlp/plugins/bibles/lib/importers/wordproject.py index f48749fc6..bf5c5fc75 100644 --- a/openlp/plugins/bibles/lib/importers/wordproject.py +++ b/openlp/plugins/bibles/lib/importers/wordproject.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/importers/zefania.py b/openlp/plugins/bibles/lib/importers/zefania.py index 5d8bddf4e..221d57cb3 100644 --- a/openlp/plugins/bibles/lib/importers/zefania.py +++ b/openlp/plugins/bibles/lib/importers/zefania.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/manager.py b/openlp/plugins/bibles/lib/manager.py index 084e24270..cced41c95 100644 --- a/openlp/plugins/bibles/lib/manager.py +++ b/openlp/plugins/bibles/lib/manager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/mediaitem.py b/openlp/plugins/bibles/lib/mediaitem.py index c9b5c6b1e..35f9b437e 100644 --- a/openlp/plugins/bibles/lib/mediaitem.py +++ b/openlp/plugins/bibles/lib/mediaitem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/upgrade.py b/openlp/plugins/bibles/lib/upgrade.py index 9907c71cc..24f613b2d 100644 --- a/openlp/plugins/bibles/lib/upgrade.py +++ b/openlp/plugins/bibles/lib/upgrade.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/bibles/lib/versereferencelist.py b/openlp/plugins/bibles/lib/versereferencelist.py index e46b8b357..d41eeadf1 100644 --- a/openlp/plugins/bibles/lib/versereferencelist.py +++ b/openlp/plugins/bibles/lib/versereferencelist.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/custom/__init__.py b/openlp/plugins/custom/__init__.py index 958c70ad3..a3cf0b4c1 100644 --- a/openlp/plugins/custom/__init__.py +++ b/openlp/plugins/custom/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/custom/customplugin.py b/openlp/plugins/custom/customplugin.py index 5c0de049c..b38f52023 100644 --- a/openlp/plugins/custom/customplugin.py +++ b/openlp/plugins/custom/customplugin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/custom/forms/__init__.py b/openlp/plugins/custom/forms/__init__.py index 02bded5b0..ea62548f4 100644 --- a/openlp/plugins/custom/forms/__init__.py +++ b/openlp/plugins/custom/forms/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/custom/forms/editcustomdialog.py b/openlp/plugins/custom/forms/editcustomdialog.py index d25ff337b..c71ac3d70 100644 --- a/openlp/plugins/custom/forms/editcustomdialog.py +++ b/openlp/plugins/custom/forms/editcustomdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/custom/forms/editcustomform.py b/openlp/plugins/custom/forms/editcustomform.py index b639c2692..993acc688 100644 --- a/openlp/plugins/custom/forms/editcustomform.py +++ b/openlp/plugins/custom/forms/editcustomform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/custom/forms/editcustomslidedialog.py b/openlp/plugins/custom/forms/editcustomslidedialog.py index d08679eee..ede46a6ee 100644 --- a/openlp/plugins/custom/forms/editcustomslidedialog.py +++ b/openlp/plugins/custom/forms/editcustomslidedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/custom/forms/editcustomslideform.py b/openlp/plugins/custom/forms/editcustomslideform.py index c57715adb..b3c77e859 100644 --- a/openlp/plugins/custom/forms/editcustomslideform.py +++ b/openlp/plugins/custom/forms/editcustomslideform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/custom/lib/__init__.py b/openlp/plugins/custom/lib/__init__.py index ea719915a..6ecd423b3 100644 --- a/openlp/plugins/custom/lib/__init__.py +++ b/openlp/plugins/custom/lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/custom/lib/customtab.py b/openlp/plugins/custom/lib/customtab.py index 8350e1c06..4ae1dab5b 100644 --- a/openlp/plugins/custom/lib/customtab.py +++ b/openlp/plugins/custom/lib/customtab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/custom/lib/customxmlhandler.py b/openlp/plugins/custom/lib/customxmlhandler.py index a540e9ace..a205b1d6a 100644 --- a/openlp/plugins/custom/lib/customxmlhandler.py +++ b/openlp/plugins/custom/lib/customxmlhandler.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/custom/lib/db.py b/openlp/plugins/custom/lib/db.py index 62ec1f408..b1e42e3d9 100644 --- a/openlp/plugins/custom/lib/db.py +++ b/openlp/plugins/custom/lib/db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/custom/lib/mediaitem.py b/openlp/plugins/custom/lib/mediaitem.py index eacc5a8f5..c9a8aa046 100644 --- a/openlp/plugins/custom/lib/mediaitem.py +++ b/openlp/plugins/custom/lib/mediaitem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/images/__init__.py b/openlp/plugins/images/__init__.py index 8af64695d..cf47999d2 100644 --- a/openlp/plugins/images/__init__.py +++ b/openlp/plugins/images/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/images/forms/__init__.py b/openlp/plugins/images/forms/__init__.py index 04a893461..babff4678 100644 --- a/openlp/plugins/images/forms/__init__.py +++ b/openlp/plugins/images/forms/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/images/forms/addgroupdialog.py b/openlp/plugins/images/forms/addgroupdialog.py index 7f69fc3e0..233bfef31 100644 --- a/openlp/plugins/images/forms/addgroupdialog.py +++ b/openlp/plugins/images/forms/addgroupdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/images/forms/addgroupform.py b/openlp/plugins/images/forms/addgroupform.py index 309f6c518..3ea91c29e 100644 --- a/openlp/plugins/images/forms/addgroupform.py +++ b/openlp/plugins/images/forms/addgroupform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/images/forms/choosegroupdialog.py b/openlp/plugins/images/forms/choosegroupdialog.py index 2d67fbcd2..f71a74e70 100644 --- a/openlp/plugins/images/forms/choosegroupdialog.py +++ b/openlp/plugins/images/forms/choosegroupdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/images/forms/choosegroupform.py b/openlp/plugins/images/forms/choosegroupform.py index dd1751092..88f4e72de 100644 --- a/openlp/plugins/images/forms/choosegroupform.py +++ b/openlp/plugins/images/forms/choosegroupform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/images/imageplugin.py b/openlp/plugins/images/imageplugin.py index bf4c04e40..c86cf0a5b 100644 --- a/openlp/plugins/images/imageplugin.py +++ b/openlp/plugins/images/imageplugin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/images/lib/__init__.py b/openlp/plugins/images/lib/__init__.py index da9c44c6d..aa49ec62e 100644 --- a/openlp/plugins/images/lib/__init__.py +++ b/openlp/plugins/images/lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/images/lib/db.py b/openlp/plugins/images/lib/db.py index eaa049156..feb1174a8 100644 --- a/openlp/plugins/images/lib/db.py +++ b/openlp/plugins/images/lib/db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/images/lib/imagetab.py b/openlp/plugins/images/lib/imagetab.py index 97a237367..bacf03ce6 100644 --- a/openlp/plugins/images/lib/imagetab.py +++ b/openlp/plugins/images/lib/imagetab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/images/lib/mediaitem.py b/openlp/plugins/images/lib/mediaitem.py index 94675a140..e3f39143b 100644 --- a/openlp/plugins/images/lib/mediaitem.py +++ b/openlp/plugins/images/lib/mediaitem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/media/__init__.py b/openlp/plugins/media/__init__.py index b3fab35d3..6d87bbe3b 100644 --- a/openlp/plugins/media/__init__.py +++ b/openlp/plugins/media/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/media/forms/__init__.py b/openlp/plugins/media/forms/__init__.py index 02bded5b0..ea62548f4 100644 --- a/openlp/plugins/media/forms/__init__.py +++ b/openlp/plugins/media/forms/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/media/forms/mediaclipselectordialog.py b/openlp/plugins/media/forms/mediaclipselectordialog.py index 5fd969f66..82e9a77b5 100644 --- a/openlp/plugins/media/forms/mediaclipselectordialog.py +++ b/openlp/plugins/media/forms/mediaclipselectordialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/media/forms/mediaclipselectorform.py b/openlp/plugins/media/forms/mediaclipselectorform.py index 0f3d1c7db..c02e79232 100644 --- a/openlp/plugins/media/forms/mediaclipselectorform.py +++ b/openlp/plugins/media/forms/mediaclipselectorform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/media/lib/__init__.py b/openlp/plugins/media/lib/__init__.py index de455862a..4b5b36f57 100644 --- a/openlp/plugins/media/lib/__init__.py +++ b/openlp/plugins/media/lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/media/lib/mediaitem.py b/openlp/plugins/media/lib/mediaitem.py index 00fccb657..b52fa4134 100644 --- a/openlp/plugins/media/lib/mediaitem.py +++ b/openlp/plugins/media/lib/mediaitem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/media/lib/mediatab.py b/openlp/plugins/media/lib/mediatab.py index 0e00ec82b..a4f2652f6 100644 --- a/openlp/plugins/media/lib/mediatab.py +++ b/openlp/plugins/media/lib/mediatab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/media/mediaplugin.py b/openlp/plugins/media/mediaplugin.py index 2efbfb595..8bd7882dd 100644 --- a/openlp/plugins/media/mediaplugin.py +++ b/openlp/plugins/media/mediaplugin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/presentations/__init__.py b/openlp/plugins/presentations/__init__.py index f3b812dd8..5de863e21 100644 --- a/openlp/plugins/presentations/__init__.py +++ b/openlp/plugins/presentations/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/presentations/lib/__init__.py b/openlp/plugins/presentations/lib/__init__.py index e357c1ad8..40565539c 100644 --- a/openlp/plugins/presentations/lib/__init__.py +++ b/openlp/plugins/presentations/lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/presentations/lib/impresscontroller.py b/openlp/plugins/presentations/lib/impresscontroller.py index e9d048e45..57828f4db 100644 --- a/openlp/plugins/presentations/lib/impresscontroller.py +++ b/openlp/plugins/presentations/lib/impresscontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/presentations/lib/mediaitem.py b/openlp/plugins/presentations/lib/mediaitem.py index f9788d180..9e2921667 100644 --- a/openlp/plugins/presentations/lib/mediaitem.py +++ b/openlp/plugins/presentations/lib/mediaitem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/presentations/lib/messagelistener.py b/openlp/plugins/presentations/lib/messagelistener.py index c12f1b0fb..8e5de3e2d 100644 --- a/openlp/plugins/presentations/lib/messagelistener.py +++ b/openlp/plugins/presentations/lib/messagelistener.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/presentations/lib/pdfcontroller.py b/openlp/plugins/presentations/lib/pdfcontroller.py index 6045d5326..47d7e3161 100644 --- a/openlp/plugins/presentations/lib/pdfcontroller.py +++ b/openlp/plugins/presentations/lib/pdfcontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/presentations/lib/powerpointcontroller.py b/openlp/plugins/presentations/lib/powerpointcontroller.py index 346fb5513..08dcc4165 100644 --- a/openlp/plugins/presentations/lib/powerpointcontroller.py +++ b/openlp/plugins/presentations/lib/powerpointcontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/presentations/lib/pptviewcontroller.py b/openlp/plugins/presentations/lib/pptviewcontroller.py index 43eb69454..aafe37121 100644 --- a/openlp/plugins/presentations/lib/pptviewcontroller.py +++ b/openlp/plugins/presentations/lib/pptviewcontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/presentations/lib/pptviewlib/README.TXT b/openlp/plugins/presentations/lib/pptviewlib/README.TXT index 1c5fe5d28..fe5b4669d 100644 --- a/openlp/plugins/presentations/lib/pptviewlib/README.TXT +++ b/openlp/plugins/presentations/lib/pptviewlib/README.TXT @@ -1,6 +1,6 @@ PPTVIEWLIB - Control PowerPoint Viewer 2003/2007 (for openlp.org) -Copyright (C) 2008-2016 Jonathan Corwin (j@corwin.co.uk) +Copyright (C) 2008-2017 Jonathan Corwin (j@corwin.co.uk) This library wrappers the free Microsoft PowerPoint Viewer (2003/2007) program, allowing it to be more easily controlled from another program. diff --git a/openlp/plugins/presentations/lib/pptviewlib/ppttest.py b/openlp/plugins/presentations/lib/pptviewlib/ppttest.py index 3d777b9e7..612206f5d 100644 --- a/openlp/plugins/presentations/lib/pptviewlib/ppttest.py +++ b/openlp/plugins/presentations/lib/pptviewlib/ppttest.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.cpp b/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.cpp index 22b46f760..c357303cf 100644 --- a/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.cpp +++ b/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.cpp @@ -1,7 +1,7 @@ /****************************************************************************** * OpenLP - Open Source Lyrics Projection * * --------------------------------------------------------------------------- * -* Copyright (c) 2008-2016 OpenLP Developers * +* Copyright (c) 2008-2017 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 * diff --git a/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.h b/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.h index e54c95537..1854ab06a 100644 --- a/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.h +++ b/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.h @@ -1,7 +1,7 @@ /****************************************************************************** * OpenLP - Open Source Lyrics Projection * * --------------------------------------------------------------------------- * -* Copyright (c) 2008-2016 OpenLP Developers * +* Copyright (c) 2008-2017 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 * diff --git a/openlp/plugins/presentations/lib/presentationcontroller.py b/openlp/plugins/presentations/lib/presentationcontroller.py index 7c26462fd..74028c983 100644 --- a/openlp/plugins/presentations/lib/presentationcontroller.py +++ b/openlp/plugins/presentations/lib/presentationcontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/presentations/lib/presentationtab.py b/openlp/plugins/presentations/lib/presentationtab.py index 6a0aab211..f8d4b935b 100644 --- a/openlp/plugins/presentations/lib/presentationtab.py +++ b/openlp/plugins/presentations/lib/presentationtab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/presentations/presentationplugin.py b/openlp/plugins/presentations/presentationplugin.py index ca0ecba82..91b98d801 100644 --- a/openlp/plugins/presentations/presentationplugin.py +++ b/openlp/plugins/presentations/presentationplugin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/remotes/__init__.py b/openlp/plugins/remotes/__init__.py index c64704074..ff8c56640 100644 --- a/openlp/plugins/remotes/__init__.py +++ b/openlp/plugins/remotes/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/remotes/html/css/main.css b/openlp/plugins/remotes/html/css/main.css index 0ca1a0d02..0a04dcfc8 100644 --- a/openlp/plugins/remotes/html/css/main.css +++ b/openlp/plugins/remotes/html/css/main.css @@ -1,7 +1,7 @@ /****************************************************************************** * OpenLP - Open Source Lyrics Projection * * --------------------------------------------------------------------------- * -* Copyright (c) 2008-2016 OpenLP Developers * +* Copyright (c) 2008-2017 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 * diff --git a/openlp/plugins/remotes/html/css/openlp.css b/openlp/plugins/remotes/html/css/openlp.css index a8b8cbd93..7819568b5 100644 --- a/openlp/plugins/remotes/html/css/openlp.css +++ b/openlp/plugins/remotes/html/css/openlp.css @@ -1,7 +1,7 @@ /****************************************************************************** * OpenLP - Open Source Lyrics Projection * * --------------------------------------------------------------------------- * -* Copyright (c) 2008-2016 OpenLP Developers * +* Copyright (c) 2008-2017 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 * diff --git a/openlp/plugins/remotes/html/css/stage.css b/openlp/plugins/remotes/html/css/stage.css index a0da64ff3..c18242b02 100644 --- a/openlp/plugins/remotes/html/css/stage.css +++ b/openlp/plugins/remotes/html/css/stage.css @@ -1,7 +1,7 @@ /****************************************************************************** * OpenLP - Open Source Lyrics Projection * * --------------------------------------------------------------------------- * -* Copyright (c) 2008-2016 OpenLP Developers * +* Copyright (c) 2008-2017 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 * diff --git a/openlp/plugins/remotes/html/index.html b/openlp/plugins/remotes/html/index.html index 81170ee02..970164fde 100644 --- a/openlp/plugins/remotes/html/index.html +++ b/openlp/plugins/remotes/html/index.html @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/remotes/html/js/main.js b/openlp/plugins/remotes/html/js/main.js index 614db4bd1..557201862 100644 --- a/openlp/plugins/remotes/html/js/main.js +++ b/openlp/plugins/remotes/html/js/main.js @@ -1,7 +1,7 @@ /****************************************************************************** * OpenLP - Open Source Lyrics Projection * * --------------------------------------------------------------------------- * - * Copyright (c) 2008-2016 OpenLP Developers * + * Copyright (c) 2008-2017 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 * diff --git a/openlp/plugins/remotes/html/js/openlp.js b/openlp/plugins/remotes/html/js/openlp.js index 128c78cb6..759cb15e4 100644 --- a/openlp/plugins/remotes/html/js/openlp.js +++ b/openlp/plugins/remotes/html/js/openlp.js @@ -1,7 +1,7 @@ /****************************************************************************** * OpenLP - Open Source Lyrics Projection * * --------------------------------------------------------------------------- * - * Copyright (c) 2008-2016 OpenLP Developers * + * Copyright (c) 2008-2017 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 * diff --git a/openlp/plugins/remotes/html/js/stage.js b/openlp/plugins/remotes/html/js/stage.js index df26dbd3f..3eb5bed08 100644 --- a/openlp/plugins/remotes/html/js/stage.js +++ b/openlp/plugins/remotes/html/js/stage.js @@ -1,7 +1,7 @@ /****************************************************************************** * OpenLP - Open Source Lyrics Projection * * --------------------------------------------------------------------------- * - * Copyright (c) 2008-2016 OpenLP Developers * + * Copyright (c) 2008-2017 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 * diff --git a/openlp/plugins/remotes/html/main.html b/openlp/plugins/remotes/html/main.html index 7ac566603..0fdb5dc60 100644 --- a/openlp/plugins/remotes/html/main.html +++ b/openlp/plugins/remotes/html/main.html @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/remotes/html/stage.html b/openlp/plugins/remotes/html/stage.html index e0ef27575..9cbd248e2 100644 --- a/openlp/plugins/remotes/html/stage.html +++ b/openlp/plugins/remotes/html/stage.html @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/remotes/lib/__init__.py b/openlp/plugins/remotes/lib/__init__.py index f2407bb92..51b604afd 100644 --- a/openlp/plugins/remotes/lib/__init__.py +++ b/openlp/plugins/remotes/lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/remotes/lib/httprouter.py b/openlp/plugins/remotes/lib/httprouter.py index 174dc570a..ea5b79655 100644 --- a/openlp/plugins/remotes/lib/httprouter.py +++ b/openlp/plugins/remotes/lib/httprouter.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/remotes/lib/httpserver.py b/openlp/plugins/remotes/lib/httpserver.py index 7cc90fc07..c8366927a 100644 --- a/openlp/plugins/remotes/lib/httpserver.py +++ b/openlp/plugins/remotes/lib/httpserver.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/remotes/lib/remotetab.py b/openlp/plugins/remotes/lib/remotetab.py index 45a1533af..73874ae25 100644 --- a/openlp/plugins/remotes/lib/remotetab.py +++ b/openlp/plugins/remotes/lib/remotetab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/remotes/remoteplugin.py b/openlp/plugins/remotes/remoteplugin.py index 0d093fab5..6c8f10dd1 100644 --- a/openlp/plugins/remotes/remoteplugin.py +++ b/openlp/plugins/remotes/remoteplugin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/__init__.py b/openlp/plugins/songs/__init__.py index fbbb39221..fe3be1376 100644 --- a/openlp/plugins/songs/__init__.py +++ b/openlp/plugins/songs/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/__init__.py b/openlp/plugins/songs/forms/__init__.py index 9b9cc7574..066c8780d 100644 --- a/openlp/plugins/songs/forms/__init__.py +++ b/openlp/plugins/songs/forms/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/authorsdialog.py b/openlp/plugins/songs/forms/authorsdialog.py index 7b2995480..45b94daec 100644 --- a/openlp/plugins/songs/forms/authorsdialog.py +++ b/openlp/plugins/songs/forms/authorsdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/authorsform.py b/openlp/plugins/songs/forms/authorsform.py index 0d8fbf036..bec967561 100644 --- a/openlp/plugins/songs/forms/authorsform.py +++ b/openlp/plugins/songs/forms/authorsform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/duplicatesongremovalform.py b/openlp/plugins/songs/forms/duplicatesongremovalform.py index ee048855f..dbebf19bc 100644 --- a/openlp/plugins/songs/forms/duplicatesongremovalform.py +++ b/openlp/plugins/songs/forms/duplicatesongremovalform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/editsongdialog.py b/openlp/plugins/songs/forms/editsongdialog.py index b23fe1189..46f9b899c 100644 --- a/openlp/plugins/songs/forms/editsongdialog.py +++ b/openlp/plugins/songs/forms/editsongdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/editsongform.py b/openlp/plugins/songs/forms/editsongform.py index 271dadce7..ba79654f4 100644 --- a/openlp/plugins/songs/forms/editsongform.py +++ b/openlp/plugins/songs/forms/editsongform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/editversedialog.py b/openlp/plugins/songs/forms/editversedialog.py index 13dce97fb..957d97adf 100644 --- a/openlp/plugins/songs/forms/editversedialog.py +++ b/openlp/plugins/songs/forms/editversedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/editverseform.py b/openlp/plugins/songs/forms/editverseform.py index 454fdb71e..226647adc 100644 --- a/openlp/plugins/songs/forms/editverseform.py +++ b/openlp/plugins/songs/forms/editverseform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/mediafilesdialog.py b/openlp/plugins/songs/forms/mediafilesdialog.py index 2b9bcceab..4f9ec4f27 100644 --- a/openlp/plugins/songs/forms/mediafilesdialog.py +++ b/openlp/plugins/songs/forms/mediafilesdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/mediafilesform.py b/openlp/plugins/songs/forms/mediafilesform.py index 9593976fd..0839b273e 100644 --- a/openlp/plugins/songs/forms/mediafilesform.py +++ b/openlp/plugins/songs/forms/mediafilesform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/songbookdialog.py b/openlp/plugins/songs/forms/songbookdialog.py index 10ed154b4..1242803b7 100644 --- a/openlp/plugins/songs/forms/songbookdialog.py +++ b/openlp/plugins/songs/forms/songbookdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/songbookform.py b/openlp/plugins/songs/forms/songbookform.py index 5571ac2b7..132611d65 100644 --- a/openlp/plugins/songs/forms/songbookform.py +++ b/openlp/plugins/songs/forms/songbookform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/songexportform.py b/openlp/plugins/songs/forms/songexportform.py index b0d044b2d..1780e7c7c 100644 --- a/openlp/plugins/songs/forms/songexportform.py +++ b/openlp/plugins/songs/forms/songexportform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/songimportform.py b/openlp/plugins/songs/forms/songimportform.py index b25021ca9..253702b56 100644 --- a/openlp/plugins/songs/forms/songimportform.py +++ b/openlp/plugins/songs/forms/songimportform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/songmaintenancedialog.py b/openlp/plugins/songs/forms/songmaintenancedialog.py index c0c532688..2ed284298 100644 --- a/openlp/plugins/songs/forms/songmaintenancedialog.py +++ b/openlp/plugins/songs/forms/songmaintenancedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/songmaintenanceform.py b/openlp/plugins/songs/forms/songmaintenanceform.py index a9b871c7e..5ee6f561a 100644 --- a/openlp/plugins/songs/forms/songmaintenanceform.py +++ b/openlp/plugins/songs/forms/songmaintenanceform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/songreviewwidget.py b/openlp/plugins/songs/forms/songreviewwidget.py index 2e5814626..960e8ebec 100644 --- a/openlp/plugins/songs/forms/songreviewwidget.py +++ b/openlp/plugins/songs/forms/songreviewwidget.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/songselectdialog.py b/openlp/plugins/songs/forms/songselectdialog.py index 9ad07d50a..512e7b26d 100644 --- a/openlp/plugins/songs/forms/songselectdialog.py +++ b/openlp/plugins/songs/forms/songselectdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/songselectform.py b/openlp/plugins/songs/forms/songselectform.py index 57bdefdeb..1169cb672 100755 --- a/openlp/plugins/songs/forms/songselectform.py +++ b/openlp/plugins/songs/forms/songselectform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/topicsdialog.py b/openlp/plugins/songs/forms/topicsdialog.py index 90c19238d..4cc32d245 100644 --- a/openlp/plugins/songs/forms/topicsdialog.py +++ b/openlp/plugins/songs/forms/topicsdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/forms/topicsform.py b/openlp/plugins/songs/forms/topicsform.py index dd2c5eb5c..a811b277a 100644 --- a/openlp/plugins/songs/forms/topicsform.py +++ b/openlp/plugins/songs/forms/topicsform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/__init__.py b/openlp/plugins/songs/lib/__init__.py index 662172374..145f4879e 100644 --- a/openlp/plugins/songs/lib/__init__.py +++ b/openlp/plugins/songs/lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/db.py b/openlp/plugins/songs/lib/db.py index 24b9fe880..ccfab466a 100644 --- a/openlp/plugins/songs/lib/db.py +++ b/openlp/plugins/songs/lib/db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importer.py b/openlp/plugins/songs/lib/importer.py index 8f7654161..577d580f5 100644 --- a/openlp/plugins/songs/lib/importer.py +++ b/openlp/plugins/songs/lib/importer.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/__init__.py b/openlp/plugins/songs/lib/importers/__init__.py index 37d627ba6..42de076d0 100644 --- a/openlp/plugins/songs/lib/importers/__init__.py +++ b/openlp/plugins/songs/lib/importers/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/cclifile.py b/openlp/plugins/songs/lib/importers/cclifile.py index 58ceefebc..75f86b07d 100644 --- a/openlp/plugins/songs/lib/importers/cclifile.py +++ b/openlp/plugins/songs/lib/importers/cclifile.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/dreambeam.py b/openlp/plugins/songs/lib/importers/dreambeam.py index 8c435bfd5..1854a5978 100644 --- a/openlp/plugins/songs/lib/importers/dreambeam.py +++ b/openlp/plugins/songs/lib/importers/dreambeam.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/easyslides.py b/openlp/plugins/songs/lib/importers/easyslides.py index 2ae489208..528b4ba7e 100644 --- a/openlp/plugins/songs/lib/importers/easyslides.py +++ b/openlp/plugins/songs/lib/importers/easyslides.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/easyworship.py b/openlp/plugins/songs/lib/importers/easyworship.py index 9db30838f..59620cea5 100644 --- a/openlp/plugins/songs/lib/importers/easyworship.py +++ b/openlp/plugins/songs/lib/importers/easyworship.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/foilpresenter.py b/openlp/plugins/songs/lib/importers/foilpresenter.py index 011dece24..7a8146aa4 100644 --- a/openlp/plugins/songs/lib/importers/foilpresenter.py +++ b/openlp/plugins/songs/lib/importers/foilpresenter.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/lyrix.py b/openlp/plugins/songs/lib/importers/lyrix.py index 387213f57..6bb8717a2 100644 --- a/openlp/plugins/songs/lib/importers/lyrix.py +++ b/openlp/plugins/songs/lib/importers/lyrix.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/mediashout.py b/openlp/plugins/songs/lib/importers/mediashout.py index 9b916cd43..c3d42681b 100644 --- a/openlp/plugins/songs/lib/importers/mediashout.py +++ b/openlp/plugins/songs/lib/importers/mediashout.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/openlp.py b/openlp/plugins/songs/lib/importers/openlp.py index 0bc1655a9..1a3a62112 100644 --- a/openlp/plugins/songs/lib/importers/openlp.py +++ b/openlp/plugins/songs/lib/importers/openlp.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/openlyrics.py b/openlp/plugins/songs/lib/importers/openlyrics.py index fcbe8fbfb..fbdfd7b67 100644 --- a/openlp/plugins/songs/lib/importers/openlyrics.py +++ b/openlp/plugins/songs/lib/importers/openlyrics.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/openoffice.py b/openlp/plugins/songs/lib/importers/openoffice.py index c1a949d1e..af32dd3fa 100644 --- a/openlp/plugins/songs/lib/importers/openoffice.py +++ b/openlp/plugins/songs/lib/importers/openoffice.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/opensong.py b/openlp/plugins/songs/lib/importers/opensong.py index 161f8cd68..9cbbc50cf 100644 --- a/openlp/plugins/songs/lib/importers/opensong.py +++ b/openlp/plugins/songs/lib/importers/opensong.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/opspro.py b/openlp/plugins/songs/lib/importers/opspro.py index 03c5001c6..dd6082778 100644 --- a/openlp/plugins/songs/lib/importers/opspro.py +++ b/openlp/plugins/songs/lib/importers/opspro.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/powerpraise.py b/openlp/plugins/songs/lib/importers/powerpraise.py index b11ac0dda..358f01e10 100644 --- a/openlp/plugins/songs/lib/importers/powerpraise.py +++ b/openlp/plugins/songs/lib/importers/powerpraise.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/powersong.py b/openlp/plugins/songs/lib/importers/powersong.py index be40bf873..ca5947021 100644 --- a/openlp/plugins/songs/lib/importers/powersong.py +++ b/openlp/plugins/songs/lib/importers/powersong.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/presentationmanager.py b/openlp/plugins/songs/lib/importers/presentationmanager.py index f10bd0ed6..8d43e4633 100644 --- a/openlp/plugins/songs/lib/importers/presentationmanager.py +++ b/openlp/plugins/songs/lib/importers/presentationmanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/propresenter.py b/openlp/plugins/songs/lib/importers/propresenter.py index 02d9fa73b..f1401c8a0 100644 --- a/openlp/plugins/songs/lib/importers/propresenter.py +++ b/openlp/plugins/songs/lib/importers/propresenter.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/songbeamer.py b/openlp/plugins/songs/lib/importers/songbeamer.py index 71d047ab5..f85f5d361 100644 --- a/openlp/plugins/songs/lib/importers/songbeamer.py +++ b/openlp/plugins/songs/lib/importers/songbeamer.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/songimport.py b/openlp/plugins/songs/lib/importers/songimport.py index c8648db85..b6a8a6a59 100644 --- a/openlp/plugins/songs/lib/importers/songimport.py +++ b/openlp/plugins/songs/lib/importers/songimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/songpro.py b/openlp/plugins/songs/lib/importers/songpro.py index 90fe34492..30f19128a 100644 --- a/openlp/plugins/songs/lib/importers/songpro.py +++ b/openlp/plugins/songs/lib/importers/songpro.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/songshowplus.py b/openlp/plugins/songs/lib/importers/songshowplus.py index 4d9096c93..edb16c74e 100644 --- a/openlp/plugins/songs/lib/importers/songshowplus.py +++ b/openlp/plugins/songs/lib/importers/songshowplus.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/songsoffellowship.py b/openlp/plugins/songs/lib/importers/songsoffellowship.py index 911eee1a7..13e073cc1 100644 --- a/openlp/plugins/songs/lib/importers/songsoffellowship.py +++ b/openlp/plugins/songs/lib/importers/songsoffellowship.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/sundayplus.py b/openlp/plugins/songs/lib/importers/sundayplus.py index c79006fff..caa92abf4 100644 --- a/openlp/plugins/songs/lib/importers/sundayplus.py +++ b/openlp/plugins/songs/lib/importers/sundayplus.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/videopsalm.py b/openlp/plugins/songs/lib/importers/videopsalm.py index b536dd678..8976326a6 100644 --- a/openlp/plugins/songs/lib/importers/videopsalm.py +++ b/openlp/plugins/songs/lib/importers/videopsalm.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/wordsofworship.py b/openlp/plugins/songs/lib/importers/wordsofworship.py index 43d84179e..4ab362214 100644 --- a/openlp/plugins/songs/lib/importers/wordsofworship.py +++ b/openlp/plugins/songs/lib/importers/wordsofworship.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/worshipassistant.py b/openlp/plugins/songs/lib/importers/worshipassistant.py index 2374131c9..35a555e53 100644 --- a/openlp/plugins/songs/lib/importers/worshipassistant.py +++ b/openlp/plugins/songs/lib/importers/worshipassistant.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/worshipcenterpro.py b/openlp/plugins/songs/lib/importers/worshipcenterpro.py index 3d5cbe9ba..426e8c153 100644 --- a/openlp/plugins/songs/lib/importers/worshipcenterpro.py +++ b/openlp/plugins/songs/lib/importers/worshipcenterpro.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/importers/zionworx.py b/openlp/plugins/songs/lib/importers/zionworx.py index 30ac8c250..6bf7c8b01 100644 --- a/openlp/plugins/songs/lib/importers/zionworx.py +++ b/openlp/plugins/songs/lib/importers/zionworx.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/mediaitem.py b/openlp/plugins/songs/lib/mediaitem.py index e313f9822..3ff6e80d0 100644 --- a/openlp/plugins/songs/lib/mediaitem.py +++ b/openlp/plugins/songs/lib/mediaitem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/openlyricsexport.py b/openlp/plugins/songs/lib/openlyricsexport.py index db1d02265..9239bd567 100644 --- a/openlp/plugins/songs/lib/openlyricsexport.py +++ b/openlp/plugins/songs/lib/openlyricsexport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/openlyricsxml.py b/openlp/plugins/songs/lib/openlyricsxml.py index 52b57302f..868e74840 100644 --- a/openlp/plugins/songs/lib/openlyricsxml.py +++ b/openlp/plugins/songs/lib/openlyricsxml.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/songcompare.py b/openlp/plugins/songs/lib/songcompare.py index 1d19deaaa..06314cac0 100644 --- a/openlp/plugins/songs/lib/songcompare.py +++ b/openlp/plugins/songs/lib/songcompare.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/songselect.py b/openlp/plugins/songs/lib/songselect.py index e24a5a0c9..6fc8d35ef 100644 --- a/openlp/plugins/songs/lib/songselect.py +++ b/openlp/plugins/songs/lib/songselect.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/songstab.py b/openlp/plugins/songs/lib/songstab.py index 5f1419fda..b9987f13e 100644 --- a/openlp/plugins/songs/lib/songstab.py +++ b/openlp/plugins/songs/lib/songstab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/ui.py b/openlp/plugins/songs/lib/ui.py index 3eba97f29..977c94f68 100644 --- a/openlp/plugins/songs/lib/ui.py +++ b/openlp/plugins/songs/lib/ui.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/lib/upgrade.py b/openlp/plugins/songs/lib/upgrade.py index 19a67caa4..c8fbd8d02 100644 --- a/openlp/plugins/songs/lib/upgrade.py +++ b/openlp/plugins/songs/lib/upgrade.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/reporting.py b/openlp/plugins/songs/reporting.py index 98b6713fe..fc1a5f3f5 100644 --- a/openlp/plugins/songs/reporting.py +++ b/openlp/plugins/songs/reporting.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songs/songsplugin.py b/openlp/plugins/songs/songsplugin.py index d7eca6b3d..af37501a2 100644 --- a/openlp/plugins/songs/songsplugin.py +++ b/openlp/plugins/songs/songsplugin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songusage/__init__.py b/openlp/plugins/songusage/__init__.py index 0aab02cb0..3847c7d97 100644 --- a/openlp/plugins/songusage/__init__.py +++ b/openlp/plugins/songusage/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songusage/forms/__init__.py b/openlp/plugins/songusage/forms/__init__.py index 8fdf5ea86..17252dcf5 100644 --- a/openlp/plugins/songusage/forms/__init__.py +++ b/openlp/plugins/songusage/forms/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songusage/forms/songusagedeletedialog.py b/openlp/plugins/songusage/forms/songusagedeletedialog.py index 6f3f72651..6a65e3650 100644 --- a/openlp/plugins/songusage/forms/songusagedeletedialog.py +++ b/openlp/plugins/songusage/forms/songusagedeletedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songusage/forms/songusagedeleteform.py b/openlp/plugins/songusage/forms/songusagedeleteform.py index b97649fd9..108ccb438 100644 --- a/openlp/plugins/songusage/forms/songusagedeleteform.py +++ b/openlp/plugins/songusage/forms/songusagedeleteform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songusage/forms/songusagedetaildialog.py b/openlp/plugins/songusage/forms/songusagedetaildialog.py index e9e4a6bbe..7b242b981 100644 --- a/openlp/plugins/songusage/forms/songusagedetaildialog.py +++ b/openlp/plugins/songusage/forms/songusagedetaildialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songusage/forms/songusagedetailform.py b/openlp/plugins/songusage/forms/songusagedetailform.py index 541c139c7..d826ce7f3 100644 --- a/openlp/plugins/songusage/forms/songusagedetailform.py +++ b/openlp/plugins/songusage/forms/songusagedetailform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songusage/lib/__init__.py b/openlp/plugins/songusage/lib/__init__.py index 15809022b..a3365baed 100644 --- a/openlp/plugins/songusage/lib/__init__.py +++ b/openlp/plugins/songusage/lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songusage/lib/db.py b/openlp/plugins/songusage/lib/db.py index bdbee1fa1..0a06f640a 100644 --- a/openlp/plugins/songusage/lib/db.py +++ b/openlp/plugins/songusage/lib/db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songusage/lib/upgrade.py b/openlp/plugins/songusage/lib/upgrade.py index 65d0b790a..377cc8a6d 100644 --- a/openlp/plugins/songusage/lib/upgrade.py +++ b/openlp/plugins/songusage/lib/upgrade.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/openlp/plugins/songusage/songusageplugin.py b/openlp/plugins/songusage/songusageplugin.py index 9fca21b75..705d86f5d 100644 --- a/openlp/plugins/songusage/songusageplugin.py +++ b/openlp/plugins/songusage/songusageplugin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/scripts/appveyor-webhook.py b/scripts/appveyor-webhook.py index 45438645d..fc844e265 100755 --- a/scripts/appveyor-webhook.py +++ b/scripts/appveyor-webhook.py @@ -5,7 +5,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/scripts/check_dependencies.py b/scripts/check_dependencies.py index fb0d024ae..bba9adc4b 100755 --- a/scripts/check_dependencies.py +++ b/scripts/check_dependencies.py @@ -5,7 +5,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/scripts/clean_up_resources.py b/scripts/clean_up_resources.py index ce4cc8f6d..77fddc47a 100755 --- a/scripts/clean_up_resources.py +++ b/scripts/clean_up_resources.py @@ -5,7 +5,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/scripts/generate_resources.sh b/scripts/generate_resources.sh index 4aa772bf2..84d345756 100755 --- a/scripts/generate_resources.sh +++ b/scripts/generate_resources.sh @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/scripts/jenkins_script.py b/scripts/jenkins_script.py index 0711d1257..a11225f15 100755 --- a/scripts/jenkins_script.py +++ b/scripts/jenkins_script.py @@ -5,7 +5,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/scripts/lp-merge.py b/scripts/lp-merge.py index 70d5ee9a4..1743c4a14 100755 --- a/scripts/lp-merge.py +++ b/scripts/lp-merge.py @@ -5,7 +5,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/scripts/resources.patch b/scripts/resources.patch index 5b922897d..11fa85531 100644 --- a/scripts/resources.patch +++ b/scripts/resources.patch @@ -14,7 +14,7 @@ +############################################################################### +# OpenLP - Open Source Lyrics Projection # +# --------------------------------------------------------------------------- # -+# Copyright (c) 2008-2016 OpenLP Developers # ++# Copyright (c) 2008-2017 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 # diff --git a/scripts/translation_utils.py b/scripts/translation_utils.py index a82ac44cf..0489eec23 100755 --- a/scripts/translation_utils.py +++ b/scripts/translation_utils.py @@ -5,7 +5,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/setup.py b/setup.py index 78f2692b1..24a4d15db 100755 --- a/setup.py +++ b/setup.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/__init__.py b/tests/__init__.py index 380fcca6e..051801ce1 100644 --- a/tests/__init__.py +++ b/tests/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/__init__.py b/tests/functional/__init__.py index 33a4ee96b..e9d536412 100644 --- a/tests/functional/__init__.py +++ b/tests/functional/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core/test_init.py b/tests/functional/openlp_core/test_init.py index 53c88d62f..2d833772f 100644 --- a/tests/functional/openlp_core/test_init.py +++ b/tests/functional/openlp_core/test_init.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/__init__.py b/tests/functional/openlp_core_common/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/functional/openlp_core_common/__init__.py +++ b/tests/functional/openlp_core_common/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_actions.py b/tests/functional/openlp_core_common/test_actions.py index cf7d4d9e0..a6ab62c5c 100644 --- a/tests/functional/openlp_core_common/test_actions.py +++ b/tests/functional/openlp_core_common/test_actions.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_applocation.py b/tests/functional/openlp_core_common/test_applocation.py index 68e94b11e..28fbf6fba 100644 --- a/tests/functional/openlp_core_common/test_applocation.py +++ b/tests/functional/openlp_core_common/test_applocation.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_common.py b/tests/functional/openlp_core_common/test_common.py index 7fb3fb276..a2e03333a 100644 --- a/tests/functional/openlp_core_common/test_common.py +++ b/tests/functional/openlp_core_common/test_common.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_db.py b/tests/functional/openlp_core_common/test_db.py index e750a6260..75bdde228 100644 --- a/tests/functional/openlp_core_common/test_db.py +++ b/tests/functional/openlp_core_common/test_db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_httputils.py b/tests/functional/openlp_core_common/test_httputils.py index 98b24a994..e99c925cf 100644 --- a/tests/functional/openlp_core_common/test_httputils.py +++ b/tests/functional/openlp_core_common/test_httputils.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_init.py b/tests/functional/openlp_core_common/test_init.py index 98d7aa2fc..1a87f0889 100644 --- a/tests/functional/openlp_core_common/test_init.py +++ b/tests/functional/openlp_core_common/test_init.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_languagemanager.py b/tests/functional/openlp_core_common/test_languagemanager.py index 53949464a..ccec091a7 100644 --- a/tests/functional/openlp_core_common/test_languagemanager.py +++ b/tests/functional/openlp_core_common/test_languagemanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_languages.py b/tests/functional/openlp_core_common/test_languages.py index fa6756d08..c49233551 100644 --- a/tests/functional/openlp_core_common/test_languages.py +++ b/tests/functional/openlp_core_common/test_languages.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_projector_utilities.py b/tests/functional/openlp_core_common/test_projector_utilities.py index 75ecd582a..cbdfec238 100644 --- a/tests/functional/openlp_core_common/test_projector_utilities.py +++ b/tests/functional/openlp_core_common/test_projector_utilities.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_registry.py b/tests/functional/openlp_core_common/test_registry.py index faa9b4cbc..aa4f0efb0 100644 --- a/tests/functional/openlp_core_common/test_registry.py +++ b/tests/functional/openlp_core_common/test_registry.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_registrymixin.py b/tests/functional/openlp_core_common/test_registrymixin.py index b8ac13742..4681d9bdb 100644 --- a/tests/functional/openlp_core_common/test_registrymixin.py +++ b/tests/functional/openlp_core_common/test_registrymixin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_registryproperties.py b/tests/functional/openlp_core_common/test_registryproperties.py index 38ae6471b..cbfaa9239 100644 --- a/tests/functional/openlp_core_common/test_registryproperties.py +++ b/tests/functional/openlp_core_common/test_registryproperties.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_settings.py b/tests/functional/openlp_core_common/test_settings.py index e2e84997d..a1c5ee6b3 100644 --- a/tests/functional/openlp_core_common/test_settings.py +++ b/tests/functional/openlp_core_common/test_settings.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_uistrings.py b/tests/functional/openlp_core_common/test_uistrings.py index 0a83e9c92..dce3756a4 100644 --- a/tests/functional/openlp_core_common/test_uistrings.py +++ b/tests/functional/openlp_core_common/test_uistrings.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_common/test_versionchecker.py b/tests/functional/openlp_core_common/test_versionchecker.py index 8654be5d0..3f51e0018 100644 --- a/tests/functional/openlp_core_common/test_versionchecker.py +++ b/tests/functional/openlp_core_common/test_versionchecker.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/__init__.py b/tests/functional/openlp_core_lib/__init__.py index 2b1b9c60a..7efaa18af 100644 --- a/tests/functional/openlp_core_lib/__init__.py +++ b/tests/functional/openlp_core_lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/test_db.py b/tests/functional/openlp_core_lib/test_db.py index 77495466d..3d2c88200 100644 --- a/tests/functional/openlp_core_lib/test_db.py +++ b/tests/functional/openlp_core_lib/test_db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/test_formattingtags.py b/tests/functional/openlp_core_lib/test_formattingtags.py index c12fab6f0..e0e668e63 100644 --- a/tests/functional/openlp_core_lib/test_formattingtags.py +++ b/tests/functional/openlp_core_lib/test_formattingtags.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/test_image_manager.py b/tests/functional/openlp_core_lib/test_image_manager.py index 7fc639508..d2b9b4229 100644 --- a/tests/functional/openlp_core_lib/test_image_manager.py +++ b/tests/functional/openlp_core_lib/test_image_manager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/test_lib.py b/tests/functional/openlp_core_lib/test_lib.py index fdab52e93..c08262506 100644 --- a/tests/functional/openlp_core_lib/test_lib.py +++ b/tests/functional/openlp_core_lib/test_lib.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/test_mediamanageritem.py b/tests/functional/openlp_core_lib/test_mediamanageritem.py index b943d9a7d..e6b18b753 100644 --- a/tests/functional/openlp_core_lib/test_mediamanageritem.py +++ b/tests/functional/openlp_core_lib/test_mediamanageritem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/test_pluginmanager.py b/tests/functional/openlp_core_lib/test_pluginmanager.py index 1fd8b7a68..82a65c3fd 100644 --- a/tests/functional/openlp_core_lib/test_pluginmanager.py +++ b/tests/functional/openlp_core_lib/test_pluginmanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/test_projectordb.py b/tests/functional/openlp_core_lib/test_projectordb.py index 0b780acd2..463dd146e 100644 --- a/tests/functional/openlp_core_lib/test_projectordb.py +++ b/tests/functional/openlp_core_lib/test_projectordb.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/test_renderer.py b/tests/functional/openlp_core_lib/test_renderer.py index ebc95adc3..a2a156094 100644 --- a/tests/functional/openlp_core_lib/test_renderer.py +++ b/tests/functional/openlp_core_lib/test_renderer.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/test_screen.py b/tests/functional/openlp_core_lib/test_screen.py index 763662c13..02df4a1c3 100644 --- a/tests/functional/openlp_core_lib/test_screen.py +++ b/tests/functional/openlp_core_lib/test_screen.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/test_serviceitem.py b/tests/functional/openlp_core_lib/test_serviceitem.py index d18a4d049..aea81bf73 100644 --- a/tests/functional/openlp_core_lib/test_serviceitem.py +++ b/tests/functional/openlp_core_lib/test_serviceitem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/test_theme.py b/tests/functional/openlp_core_lib/test_theme.py index db6b78d02..7401698d9 100644 --- a/tests/functional/openlp_core_lib/test_theme.py +++ b/tests/functional/openlp_core_lib/test_theme.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_lib/test_ui.py b/tests/functional/openlp_core_lib/test_ui.py index dfd74233b..40ea642e1 100644 --- a/tests/functional/openlp_core_lib/test_ui.py +++ b/tests/functional/openlp_core_lib/test_ui.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/__init__.py b/tests/functional/openlp_core_ui/__init__.py index 7e12f1c3b..d71f37e90 100644 --- a/tests/functional/openlp_core_ui/__init__.py +++ b/tests/functional/openlp_core_ui/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_aboutform.py b/tests/functional/openlp_core_ui/test_aboutform.py index 47a685f9d..8423ca656 100644 --- a/tests/functional/openlp_core_ui/test_aboutform.py +++ b/tests/functional/openlp_core_ui/test_aboutform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_advancedtab.py b/tests/functional/openlp_core_ui/test_advancedtab.py index ff0d3f4bb..a1e8157da 100644 --- a/tests/functional/openlp_core_ui/test_advancedtab.py +++ b/tests/functional/openlp_core_ui/test_advancedtab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_exceptionform.py b/tests/functional/openlp_core_ui/test_exceptionform.py index 493b2baeb..31be2efb5 100644 --- a/tests/functional/openlp_core_ui/test_exceptionform.py +++ b/tests/functional/openlp_core_ui/test_exceptionform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_first_time.py b/tests/functional/openlp_core_ui/test_first_time.py index f23bf4db6..606b1cb7d 100644 --- a/tests/functional/openlp_core_ui/test_first_time.py +++ b/tests/functional/openlp_core_ui/test_first_time.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_firsttimeform.py b/tests/functional/openlp_core_ui/test_firsttimeform.py index ec26f60fe..0710389d1 100644 --- a/tests/functional/openlp_core_ui/test_firsttimeform.py +++ b/tests/functional/openlp_core_ui/test_firsttimeform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_formattingtagscontroller.py b/tests/functional/openlp_core_ui/test_formattingtagscontroller.py index b869f5e80..dfd05bcf0 100644 --- a/tests/functional/openlp_core_ui/test_formattingtagscontroller.py +++ b/tests/functional/openlp_core_ui/test_formattingtagscontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_formattingtagsform.py b/tests/functional/openlp_core_ui/test_formattingtagsform.py index 3dbd52f66..0e7979bfb 100644 --- a/tests/functional/openlp_core_ui/test_formattingtagsform.py +++ b/tests/functional/openlp_core_ui/test_formattingtagsform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_maindisplay.py b/tests/functional/openlp_core_ui/test_maindisplay.py index 8b10f6e0f..467464962 100644 --- a/tests/functional/openlp_core_ui/test_maindisplay.py +++ b/tests/functional/openlp_core_ui/test_maindisplay.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_mainwindow.py b/tests/functional/openlp_core_ui/test_mainwindow.py index 341e74eb8..940ab7053 100644 --- a/tests/functional/openlp_core_ui/test_mainwindow.py +++ b/tests/functional/openlp_core_ui/test_mainwindow.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_media.py b/tests/functional/openlp_core_ui/test_media.py index 893cbc2dd..b19cd894f 100644 --- a/tests/functional/openlp_core_ui/test_media.py +++ b/tests/functional/openlp_core_ui/test_media.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_servicemanager.py b/tests/functional/openlp_core_ui/test_servicemanager.py index e0366c7d2..c5610d638 100644 --- a/tests/functional/openlp_core_ui/test_servicemanager.py +++ b/tests/functional/openlp_core_ui/test_servicemanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_settingsform.py b/tests/functional/openlp_core_ui/test_settingsform.py index 3f6f0aaad..f936f0583 100644 --- a/tests/functional/openlp_core_ui/test_settingsform.py +++ b/tests/functional/openlp_core_ui/test_settingsform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_shortcutlistdialog.py b/tests/functional/openlp_core_ui/test_shortcutlistdialog.py index 2f39cb34a..55ecf39cb 100644 --- a/tests/functional/openlp_core_ui/test_shortcutlistdialog.py +++ b/tests/functional/openlp_core_ui/test_shortcutlistdialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_slidecontroller.py b/tests/functional/openlp_core_ui/test_slidecontroller.py index b93952097..7cc6559e3 100644 --- a/tests/functional/openlp_core_ui/test_slidecontroller.py +++ b/tests/functional/openlp_core_ui/test_slidecontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_themeform.py b/tests/functional/openlp_core_ui/test_themeform.py index d4189d879..fcb5313dc 100644 --- a/tests/functional/openlp_core_ui/test_themeform.py +++ b/tests/functional/openlp_core_ui/test_themeform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_thememanager.py b/tests/functional/openlp_core_ui/test_thememanager.py index e6bca75a1..264a9f3ce 100644 --- a/tests/functional/openlp_core_ui/test_thememanager.py +++ b/tests/functional/openlp_core_ui/test_thememanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui/test_themetab.py b/tests/functional/openlp_core_ui/test_themetab.py index c3bb6282d..6acc3fdf8 100644 --- a/tests/functional/openlp_core_ui/test_themetab.py +++ b/tests/functional/openlp_core_ui/test_themetab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui_lib/test_color_button.py b/tests/functional/openlp_core_ui_lib/test_color_button.py index b8743a6c2..798adaabc 100644 --- a/tests/functional/openlp_core_ui_lib/test_color_button.py +++ b/tests/functional/openlp_core_ui_lib/test_color_button.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui_lib/test_listpreviewwidget.py b/tests/functional/openlp_core_ui_lib/test_listpreviewwidget.py index b0279cece..54d254d80 100644 --- a/tests/functional/openlp_core_ui_lib/test_listpreviewwidget.py +++ b/tests/functional/openlp_core_ui_lib/test_listpreviewwidget.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui_lib/test_listwidgetwithdnd.py b/tests/functional/openlp_core_ui_lib/test_listwidgetwithdnd.py index f6cc8b446..4c1585f76 100644 --- a/tests/functional/openlp_core_ui_lib/test_listwidgetwithdnd.py +++ b/tests/functional/openlp_core_ui_lib/test_listwidgetwithdnd.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui_media/__init__.py b/tests/functional/openlp_core_ui_media/__init__.py index dfe2725d8..c43523cae 100644 --- a/tests/functional/openlp_core_ui_media/__init__.py +++ b/tests/functional/openlp_core_ui_media/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui_media/test_mediacontroller.py b/tests/functional/openlp_core_ui_media/test_mediacontroller.py index 749dd0c2c..f6b9c017b 100644 --- a/tests/functional/openlp_core_ui_media/test_mediacontroller.py +++ b/tests/functional/openlp_core_ui_media/test_mediacontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui_media/test_systemplayer.py b/tests/functional/openlp_core_ui_media/test_systemplayer.py index 2bac0089b..a4b2f7cd2 100644 --- a/tests/functional/openlp_core_ui_media/test_systemplayer.py +++ b/tests/functional/openlp_core_ui_media/test_systemplayer.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui_media/test_vlcplayer.py b/tests/functional/openlp_core_ui_media/test_vlcplayer.py index 285418c7d..a1ebb0afe 100644 --- a/tests/functional/openlp_core_ui_media/test_vlcplayer.py +++ b/tests/functional/openlp_core_ui_media/test_vlcplayer.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_core_ui_media/test_webkitplayer.py b/tests/functional/openlp_core_ui_media/test_webkitplayer.py index f74460d3c..bf9f1f22e 100644 --- a/tests/functional/openlp_core_ui_media/test_webkitplayer.py +++ b/tests/functional/openlp_core_ui_media/test_webkitplayer.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/__init__.py b/tests/functional/openlp_plugins/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/functional/openlp_plugins/__init__.py +++ b/tests/functional/openlp_plugins/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/alerts/__init__.py b/tests/functional/openlp_plugins/alerts/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/functional/openlp_plugins/alerts/__init__.py +++ b/tests/functional/openlp_plugins/alerts/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/alerts/test_manager.py b/tests/functional/openlp_plugins/alerts/test_manager.py index 5cca7a0ba..045f44f47 100644 --- a/tests/functional/openlp_plugins/alerts/test_manager.py +++ b/tests/functional/openlp_plugins/alerts/test_manager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/__init__.py b/tests/functional/openlp_plugins/bibles/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/functional/openlp_plugins/bibles/__init__.py +++ b/tests/functional/openlp_plugins/bibles/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/test_bibleserver.py b/tests/functional/openlp_plugins/bibles/test_bibleserver.py index 839c81008..cd996e84d 100644 --- a/tests/functional/openlp_plugins/bibles/test_bibleserver.py +++ b/tests/functional/openlp_plugins/bibles/test_bibleserver.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/test_csvimport.py b/tests/functional/openlp_plugins/bibles/test_csvimport.py index 8eff7274e..446ac433a 100644 --- a/tests/functional/openlp_plugins/bibles/test_csvimport.py +++ b/tests/functional/openlp_plugins/bibles/test_csvimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/test_db.py b/tests/functional/openlp_plugins/bibles/test_db.py index 75e008953..7a65fcdd3 100644 --- a/tests/functional/openlp_plugins/bibles/test_db.py +++ b/tests/functional/openlp_plugins/bibles/test_db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/test_lib.py b/tests/functional/openlp_plugins/bibles/test_lib.py index 27d7f5e51..8aa79d810 100644 --- a/tests/functional/openlp_plugins/bibles/test_lib.py +++ b/tests/functional/openlp_plugins/bibles/test_lib.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/test_manager.py b/tests/functional/openlp_plugins/bibles/test_manager.py index d18d3cfc6..03ae6185a 100644 --- a/tests/functional/openlp_plugins/bibles/test_manager.py +++ b/tests/functional/openlp_plugins/bibles/test_manager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/test_mediaitem.py b/tests/functional/openlp_plugins/bibles/test_mediaitem.py index d4a6eee39..1f5a7737e 100644 --- a/tests/functional/openlp_plugins/bibles/test_mediaitem.py +++ b/tests/functional/openlp_plugins/bibles/test_mediaitem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/test_opensongimport.py b/tests/functional/openlp_plugins/bibles/test_opensongimport.py index 68ebdd37c..20d408e09 100644 --- a/tests/functional/openlp_plugins/bibles/test_opensongimport.py +++ b/tests/functional/openlp_plugins/bibles/test_opensongimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/test_osisimport.py b/tests/functional/openlp_plugins/bibles/test_osisimport.py index 18f591faf..58aace669 100644 --- a/tests/functional/openlp_plugins/bibles/test_osisimport.py +++ b/tests/functional/openlp_plugins/bibles/test_osisimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/test_swordimport.py b/tests/functional/openlp_plugins/bibles/test_swordimport.py index 14480bdd1..5aa807e79 100644 --- a/tests/functional/openlp_plugins/bibles/test_swordimport.py +++ b/tests/functional/openlp_plugins/bibles/test_swordimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/test_versereferencelist.py b/tests/functional/openlp_plugins/bibles/test_versereferencelist.py index 3b3642590..b40db5076 100644 --- a/tests/functional/openlp_plugins/bibles/test_versereferencelist.py +++ b/tests/functional/openlp_plugins/bibles/test_versereferencelist.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/test_wordprojectimport.py b/tests/functional/openlp_plugins/bibles/test_wordprojectimport.py index 622f83fa8..ad24dbcf6 100644 --- a/tests/functional/openlp_plugins/bibles/test_wordprojectimport.py +++ b/tests/functional/openlp_plugins/bibles/test_wordprojectimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/bibles/test_zefaniaimport.py b/tests/functional/openlp_plugins/bibles/test_zefaniaimport.py index 510961a65..b97cff57b 100644 --- a/tests/functional/openlp_plugins/bibles/test_zefaniaimport.py +++ b/tests/functional/openlp_plugins/bibles/test_zefaniaimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/custom/__init__.py b/tests/functional/openlp_plugins/custom/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/functional/openlp_plugins/custom/__init__.py +++ b/tests/functional/openlp_plugins/custom/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/images/__init__.py b/tests/functional/openlp_plugins/images/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/functional/openlp_plugins/images/__init__.py +++ b/tests/functional/openlp_plugins/images/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/images/test_imagetab.py b/tests/functional/openlp_plugins/images/test_imagetab.py index c17519a15..74a1fd9ab 100644 --- a/tests/functional/openlp_plugins/images/test_imagetab.py +++ b/tests/functional/openlp_plugins/images/test_imagetab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/images/test_lib.py b/tests/functional/openlp_plugins/images/test_lib.py index f010a9db9..3f0c4e621 100644 --- a/tests/functional/openlp_plugins/images/test_lib.py +++ b/tests/functional/openlp_plugins/images/test_lib.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/media/test_mediaitem.py b/tests/functional/openlp_plugins/media/test_mediaitem.py index 47bc42d86..49771241b 100644 --- a/tests/functional/openlp_plugins/media/test_mediaitem.py +++ b/tests/functional/openlp_plugins/media/test_mediaitem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/media/test_mediaplugin.py b/tests/functional/openlp_plugins/media/test_mediaplugin.py index 2d747b295..ba1e0c30c 100644 --- a/tests/functional/openlp_plugins/media/test_mediaplugin.py +++ b/tests/functional/openlp_plugins/media/test_mediaplugin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/presentations/__init__.py b/tests/functional/openlp_plugins/presentations/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/functional/openlp_plugins/presentations/__init__.py +++ b/tests/functional/openlp_plugins/presentations/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/presentations/test_impresscontroller.py b/tests/functional/openlp_plugins/presentations/test_impresscontroller.py index ecb84edce..b2ec83a35 100644 --- a/tests/functional/openlp_plugins/presentations/test_impresscontroller.py +++ b/tests/functional/openlp_plugins/presentations/test_impresscontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/presentations/test_mediaitem.py b/tests/functional/openlp_plugins/presentations/test_mediaitem.py index aad7ce4d7..e477ad704 100644 --- a/tests/functional/openlp_plugins/presentations/test_mediaitem.py +++ b/tests/functional/openlp_plugins/presentations/test_mediaitem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/presentations/test_messagelistener.py b/tests/functional/openlp_plugins/presentations/test_messagelistener.py index d3dd1537f..39238bdd6 100644 --- a/tests/functional/openlp_plugins/presentations/test_messagelistener.py +++ b/tests/functional/openlp_plugins/presentations/test_messagelistener.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/presentations/test_pdfcontroller.py b/tests/functional/openlp_plugins/presentations/test_pdfcontroller.py index e7bbcc6bc..9e5b4c2cd 100644 --- a/tests/functional/openlp_plugins/presentations/test_pdfcontroller.py +++ b/tests/functional/openlp_plugins/presentations/test_pdfcontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/presentations/test_powerpointcontroller.py b/tests/functional/openlp_plugins/presentations/test_powerpointcontroller.py index 824951a66..739556eaa 100644 --- a/tests/functional/openlp_plugins/presentations/test_powerpointcontroller.py +++ b/tests/functional/openlp_plugins/presentations/test_powerpointcontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/presentations/test_pptviewcontroller.py b/tests/functional/openlp_plugins/presentations/test_pptviewcontroller.py index 3127b2954..4e97a554b 100644 --- a/tests/functional/openlp_plugins/presentations/test_pptviewcontroller.py +++ b/tests/functional/openlp_plugins/presentations/test_pptviewcontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/presentations/test_presentationcontroller.py b/tests/functional/openlp_plugins/presentations/test_presentationcontroller.py index 0c2d84086..815a9d10a 100644 --- a/tests/functional/openlp_plugins/presentations/test_presentationcontroller.py +++ b/tests/functional/openlp_plugins/presentations/test_presentationcontroller.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/remotes/__init__.py b/tests/functional/openlp_plugins/remotes/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/functional/openlp_plugins/remotes/__init__.py +++ b/tests/functional/openlp_plugins/remotes/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/remotes/test_remotetab.py b/tests/functional/openlp_plugins/remotes/test_remotetab.py index dfd86bd66..6965503a2 100644 --- a/tests/functional/openlp_plugins/remotes/test_remotetab.py +++ b/tests/functional/openlp_plugins/remotes/test_remotetab.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/remotes/test_router.py b/tests/functional/openlp_plugins/remotes/test_router.py index e43401f42..6f1f27740 100644 --- a/tests/functional/openlp_plugins/remotes/test_router.py +++ b/tests/functional/openlp_plugins/remotes/test_router.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/__init__.py b/tests/functional/openlp_plugins/songs/__init__.py index ed2a3590c..8e4693e5e 100644 --- a/tests/functional/openlp_plugins/songs/__init__.py +++ b/tests/functional/openlp_plugins/songs/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_db.py b/tests/functional/openlp_plugins/songs/test_db.py index b2955b87e..9528d0f23 100644 --- a/tests/functional/openlp_plugins/songs/test_db.py +++ b/tests/functional/openlp_plugins/songs/test_db.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_easyslidesimport.py b/tests/functional/openlp_plugins/songs/test_easyslidesimport.py index fa2391bbb..9e5468a5b 100644 --- a/tests/functional/openlp_plugins/songs/test_easyslidesimport.py +++ b/tests/functional/openlp_plugins/songs/test_easyslidesimport.py @@ -3,7 +3,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_editsongform.py b/tests/functional/openlp_plugins/songs/test_editsongform.py index ba53fa525..ba020541b 100644 --- a/tests/functional/openlp_plugins/songs/test_editsongform.py +++ b/tests/functional/openlp_plugins/songs/test_editsongform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_editverseform.py b/tests/functional/openlp_plugins/songs/test_editverseform.py index 18a43ab7a..96ce672df 100644 --- a/tests/functional/openlp_plugins/songs/test_editverseform.py +++ b/tests/functional/openlp_plugins/songs/test_editverseform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_ewimport.py b/tests/functional/openlp_plugins/songs/test_ewimport.py index f3f278cb4..2f5ed0939 100644 --- a/tests/functional/openlp_plugins/songs/test_ewimport.py +++ b/tests/functional/openlp_plugins/songs/test_ewimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_foilpresenterimport.py b/tests/functional/openlp_plugins/songs/test_foilpresenterimport.py index 279c0e71b..cd7c5d047 100644 --- a/tests/functional/openlp_plugins/songs/test_foilpresenterimport.py +++ b/tests/functional/openlp_plugins/songs/test_foilpresenterimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_lib.py b/tests/functional/openlp_plugins/songs/test_lib.py index 6141d4e8c..baa817f13 100644 --- a/tests/functional/openlp_plugins/songs/test_lib.py +++ b/tests/functional/openlp_plugins/songs/test_lib.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_lyriximport.py b/tests/functional/openlp_plugins/songs/test_lyriximport.py index a84ae92f6..b81cc7ce8 100644 --- a/tests/functional/openlp_plugins/songs/test_lyriximport.py +++ b/tests/functional/openlp_plugins/songs/test_lyriximport.py @@ -3,7 +3,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_mediaitem.py b/tests/functional/openlp_plugins/songs/test_mediaitem.py index 969c27ba1..37ae8d0e5 100644 --- a/tests/functional/openlp_plugins/songs/test_mediaitem.py +++ b/tests/functional/openlp_plugins/songs/test_mediaitem.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_mediashout.py b/tests/functional/openlp_plugins/songs/test_mediashout.py index c08b04df7..e2c080652 100644 --- a/tests/functional/openlp_plugins/songs/test_mediashout.py +++ b/tests/functional/openlp_plugins/songs/test_mediashout.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_openlpimporter.py b/tests/functional/openlp_plugins/songs/test_openlpimporter.py index 07d0f9f4a..0af67e7b2 100644 --- a/tests/functional/openlp_plugins/songs/test_openlpimporter.py +++ b/tests/functional/openlp_plugins/songs/test_openlpimporter.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_openlyricsexport.py b/tests/functional/openlp_plugins/songs/test_openlyricsexport.py index 15921d4e1..cd7f69a17 100644 --- a/tests/functional/openlp_plugins/songs/test_openlyricsexport.py +++ b/tests/functional/openlp_plugins/songs/test_openlyricsexport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_openlyricsimport.py b/tests/functional/openlp_plugins/songs/test_openlyricsimport.py index 654aeee51..d7e274018 100644 --- a/tests/functional/openlp_plugins/songs/test_openlyricsimport.py +++ b/tests/functional/openlp_plugins/songs/test_openlyricsimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_openoffice.py b/tests/functional/openlp_plugins/songs/test_openoffice.py index 5f4aef247..305ef8638 100644 --- a/tests/functional/openlp_plugins/songs/test_openoffice.py +++ b/tests/functional/openlp_plugins/songs/test_openoffice.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_opensongimport.py b/tests/functional/openlp_plugins/songs/test_opensongimport.py index d1386005f..21af57918 100644 --- a/tests/functional/openlp_plugins/songs/test_opensongimport.py +++ b/tests/functional/openlp_plugins/songs/test_opensongimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_opsproimport.py b/tests/functional/openlp_plugins/songs/test_opsproimport.py index 8db69b609..f480c141b 100644 --- a/tests/functional/openlp_plugins/songs/test_opsproimport.py +++ b/tests/functional/openlp_plugins/songs/test_opsproimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_powerpraiseimport.py b/tests/functional/openlp_plugins/songs/test_powerpraiseimport.py index 88fab601a..d85506d9c 100644 --- a/tests/functional/openlp_plugins/songs/test_powerpraiseimport.py +++ b/tests/functional/openlp_plugins/songs/test_powerpraiseimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_presentationmanagerimport.py b/tests/functional/openlp_plugins/songs/test_presentationmanagerimport.py index ce9fd71b7..c8c496dde 100644 --- a/tests/functional/openlp_plugins/songs/test_presentationmanagerimport.py +++ b/tests/functional/openlp_plugins/songs/test_presentationmanagerimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_propresenterimport.py b/tests/functional/openlp_plugins/songs/test_propresenterimport.py index 79735cdfe..777ff9e58 100644 --- a/tests/functional/openlp_plugins/songs/test_propresenterimport.py +++ b/tests/functional/openlp_plugins/songs/test_propresenterimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_songbeamerimport.py b/tests/functional/openlp_plugins/songs/test_songbeamerimport.py index 40730e80a..48de3a755 100644 --- a/tests/functional/openlp_plugins/songs/test_songbeamerimport.py +++ b/tests/functional/openlp_plugins/songs/test_songbeamerimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_songproimport.py b/tests/functional/openlp_plugins/songs/test_songproimport.py index 5fedeeb74..b41ae7b0e 100644 --- a/tests/functional/openlp_plugins/songs/test_songproimport.py +++ b/tests/functional/openlp_plugins/songs/test_songproimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_songselect.py b/tests/functional/openlp_plugins/songs/test_songselect.py index 70c0d40fc..28ec24fe8 100644 --- a/tests/functional/openlp_plugins/songs/test_songselect.py +++ b/tests/functional/openlp_plugins/songs/test_songselect.py @@ -5,7 +5,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_songshowplusimport.py b/tests/functional/openlp_plugins/songs/test_songshowplusimport.py index e611089cc..0579f6b11 100644 --- a/tests/functional/openlp_plugins/songs/test_songshowplusimport.py +++ b/tests/functional/openlp_plugins/songs/test_songshowplusimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_sundayplusimport.py b/tests/functional/openlp_plugins/songs/test_sundayplusimport.py index 2e03d2886..a50bf7b01 100644 --- a/tests/functional/openlp_plugins/songs/test_sundayplusimport.py +++ b/tests/functional/openlp_plugins/songs/test_sundayplusimport.py @@ -3,7 +3,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_videopsalm.py b/tests/functional/openlp_plugins/songs/test_videopsalm.py index ff1a81db5..bdb9d2457 100644 --- a/tests/functional/openlp_plugins/songs/test_videopsalm.py +++ b/tests/functional/openlp_plugins/songs/test_videopsalm.py @@ -3,7 +3,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_wordsofworshipimport.py b/tests/functional/openlp_plugins/songs/test_wordsofworshipimport.py index 6eed225e1..ececf5dbb 100644 --- a/tests/functional/openlp_plugins/songs/test_wordsofworshipimport.py +++ b/tests/functional/openlp_plugins/songs/test_wordsofworshipimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_worshipassistantimport.py b/tests/functional/openlp_plugins/songs/test_worshipassistantimport.py index 9d824c404..21e5a592f 100644 --- a/tests/functional/openlp_plugins/songs/test_worshipassistantimport.py +++ b/tests/functional/openlp_plugins/songs/test_worshipassistantimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_worshipcenterproimport.py b/tests/functional/openlp_plugins/songs/test_worshipcenterproimport.py index 2cc1f3ce7..76867c37d 100644 --- a/tests/functional/openlp_plugins/songs/test_worshipcenterproimport.py +++ b/tests/functional/openlp_plugins/songs/test_worshipcenterproimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songs/test_zionworximport.py b/tests/functional/openlp_plugins/songs/test_zionworximport.py index c2e594212..ccfaa4154 100644 --- a/tests/functional/openlp_plugins/songs/test_zionworximport.py +++ b/tests/functional/openlp_plugins/songs/test_zionworximport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songusage/__init__.py b/tests/functional/openlp_plugins/songusage/__init__.py index 917bf47cd..624faead7 100644 --- a/tests/functional/openlp_plugins/songusage/__init__.py +++ b/tests/functional/openlp_plugins/songusage/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/openlp_plugins/songusage/test_songusage.py b/tests/functional/openlp_plugins/songusage/test_songusage.py index 53f9ce60c..728ab9c47 100644 --- a/tests/functional/openlp_plugins/songusage/test_songusage.py +++ b/tests/functional/openlp_plugins/songusage/test_songusage.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/functional/test_init.py b/tests/functional/test_init.py index 504489416..c4560d321 100644 --- a/tests/functional/test_init.py +++ b/tests/functional/test_init.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/helpers/__init__.py b/tests/helpers/__init__.py index 2fdb56548..3cf5e4696 100644 --- a/tests/helpers/__init__.py +++ b/tests/helpers/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/helpers/songfileimport.py b/tests/helpers/songfileimport.py index 9a9ab7d2b..909edb621 100644 --- a/tests/helpers/songfileimport.py +++ b/tests/helpers/songfileimport.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/helpers/testmixin.py b/tests/helpers/testmixin.py index 6aaaccbf2..10a3b71a6 100644 --- a/tests/helpers/testmixin.py +++ b/tests/helpers/testmixin.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/__init__.py b/tests/interfaces/__init__.py index bd28fb5b6..1b5acc94c 100644 --- a/tests/interfaces/__init__.py +++ b/tests/interfaces/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_common/__init__.py b/tests/interfaces/openlp_core_common/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_core_common/__init__.py +++ b/tests/interfaces/openlp_core_common/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_common/test_utils.py b/tests/interfaces/openlp_core_common/test_utils.py index 2d6e6c587..c49304bc5 100644 --- a/tests/interfaces/openlp_core_common/test_utils.py +++ b/tests/interfaces/openlp_core_common/test_utils.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_lib/__init__.py b/tests/interfaces/openlp_core_lib/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_core_lib/__init__.py +++ b/tests/interfaces/openlp_core_lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_lib/test_pluginmanager.py b/tests/interfaces/openlp_core_lib/test_pluginmanager.py index df35d1566..7ad9822b0 100644 --- a/tests/interfaces/openlp_core_lib/test_pluginmanager.py +++ b/tests/interfaces/openlp_core_lib/test_pluginmanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_lib/test_searchedit.py b/tests/interfaces/openlp_core_lib/test_searchedit.py index 464c6217d..e2a01a450 100644 --- a/tests/interfaces/openlp_core_lib/test_searchedit.py +++ b/tests/interfaces/openlp_core_lib/test_searchedit.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui/__init__.py b/tests/interfaces/openlp_core_ui/__init__.py index 2b1b9c60a..7efaa18af 100644 --- a/tests/interfaces/openlp_core_ui/__init__.py +++ b/tests/interfaces/openlp_core_ui/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui/test_filerenamedialog.py b/tests/interfaces/openlp_core_ui/test_filerenamedialog.py index f34875527..30a9b8ef7 100644 --- a/tests/interfaces/openlp_core_ui/test_filerenamedialog.py +++ b/tests/interfaces/openlp_core_ui/test_filerenamedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui/test_mainwindow.py b/tests/interfaces/openlp_core_ui/test_mainwindow.py index fbe6c7318..6e4f8d9ed 100644 --- a/tests/interfaces/openlp_core_ui/test_mainwindow.py +++ b/tests/interfaces/openlp_core_ui/test_mainwindow.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui/test_projectoreditform.py b/tests/interfaces/openlp_core_ui/test_projectoreditform.py index a3c980789..a8ec950f3 100644 --- a/tests/interfaces/openlp_core_ui/test_projectoreditform.py +++ b/tests/interfaces/openlp_core_ui/test_projectoreditform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui/test_projectormanager.py b/tests/interfaces/openlp_core_ui/test_projectormanager.py index a98dcb0f0..d549de394 100644 --- a/tests/interfaces/openlp_core_ui/test_projectormanager.py +++ b/tests/interfaces/openlp_core_ui/test_projectormanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui/test_projectorsourceform.py b/tests/interfaces/openlp_core_ui/test_projectorsourceform.py index 2b081d642..a2617740e 100644 --- a/tests/interfaces/openlp_core_ui/test_projectorsourceform.py +++ b/tests/interfaces/openlp_core_ui/test_projectorsourceform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui/test_servicemanager.py b/tests/interfaces/openlp_core_ui/test_servicemanager.py index ca0ea24d7..22e4f1f67 100644 --- a/tests/interfaces/openlp_core_ui/test_servicemanager.py +++ b/tests/interfaces/openlp_core_ui/test_servicemanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui/test_servicenotedialog.py b/tests/interfaces/openlp_core_ui/test_servicenotedialog.py index 2141025a7..570fd93fe 100644 --- a/tests/interfaces/openlp_core_ui/test_servicenotedialog.py +++ b/tests/interfaces/openlp_core_ui/test_servicenotedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui/test_settings_form.py b/tests/interfaces/openlp_core_ui/test_settings_form.py index 0d334f24f..3aaaeec71 100644 --- a/tests/interfaces/openlp_core_ui/test_settings_form.py +++ b/tests/interfaces/openlp_core_ui/test_settings_form.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui/test_shortcutlistform.py b/tests/interfaces/openlp_core_ui/test_shortcutlistform.py index 86453757c..8cbbb43f2 100644 --- a/tests/interfaces/openlp_core_ui/test_shortcutlistform.py +++ b/tests/interfaces/openlp_core_ui/test_shortcutlistform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui/test_starttimedialog.py b/tests/interfaces/openlp_core_ui/test_starttimedialog.py index 4e4a44240..db8784cb9 100644 --- a/tests/interfaces/openlp_core_ui/test_starttimedialog.py +++ b/tests/interfaces/openlp_core_ui/test_starttimedialog.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui/test_thememanager.py b/tests/interfaces/openlp_core_ui/test_thememanager.py index 489263024..d36d8d7e2 100644 --- a/tests/interfaces/openlp_core_ui/test_thememanager.py +++ b/tests/interfaces/openlp_core_ui/test_thememanager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui_lib/__init__.py b/tests/interfaces/openlp_core_ui_lib/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_core_ui_lib/__init__.py +++ b/tests/interfaces/openlp_core_ui_lib/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui_lib/test_historycombobox.py b/tests/interfaces/openlp_core_ui_lib/test_historycombobox.py index 1429944fc..8dfe50229 100644 --- a/tests/interfaces/openlp_core_ui_lib/test_historycombobox.py +++ b/tests/interfaces/openlp_core_ui_lib/test_historycombobox.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ui_lib/test_listpreviewwidget.py b/tests/interfaces/openlp_core_ui_lib/test_listpreviewwidget.py index 7c1bfda2e..2ac316436 100644 --- a/tests/interfaces/openlp_core_ui_lib/test_listpreviewwidget.py +++ b/tests/interfaces/openlp_core_ui_lib/test_listpreviewwidget.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ul_media_vendor/__init__.py b/tests/interfaces/openlp_core_ul_media_vendor/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_core_ul_media_vendor/__init__.py +++ b/tests/interfaces/openlp_core_ul_media_vendor/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_core_ul_media_vendor/test_mediainfoWrapper.py b/tests/interfaces/openlp_core_ul_media_vendor/test_mediainfoWrapper.py index fb7270676..d4c1891b1 100644 --- a/tests/interfaces/openlp_core_ul_media_vendor/test_mediainfoWrapper.py +++ b/tests/interfaces/openlp_core_ul_media_vendor/test_mediainfoWrapper.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/__init__.py b/tests/interfaces/openlp_plugins/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_plugins/__init__.py +++ b/tests/interfaces/openlp_plugins/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/bibles/__init__.py b/tests/interfaces/openlp_plugins/bibles/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_plugins/bibles/__init__.py +++ b/tests/interfaces/openlp_plugins/bibles/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/bibles/forms/test_bibleimportform.py b/tests/interfaces/openlp_plugins/bibles/forms/test_bibleimportform.py index 2df715836..4f821d601 100644 --- a/tests/interfaces/openlp_plugins/bibles/forms/test_bibleimportform.py +++ b/tests/interfaces/openlp_plugins/bibles/forms/test_bibleimportform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/bibles/test_lib_http.py b/tests/interfaces/openlp_plugins/bibles/test_lib_http.py index 7068898fe..3f77735a8 100644 --- a/tests/interfaces/openlp_plugins/bibles/test_lib_http.py +++ b/tests/interfaces/openlp_plugins/bibles/test_lib_http.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/bibles/test_lib_manager.py b/tests/interfaces/openlp_plugins/bibles/test_lib_manager.py index 44efbe7fc..2166dda40 100644 --- a/tests/interfaces/openlp_plugins/bibles/test_lib_manager.py +++ b/tests/interfaces/openlp_plugins/bibles/test_lib_manager.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/bibles/test_lib_parse_reference.py b/tests/interfaces/openlp_plugins/bibles/test_lib_parse_reference.py index f1e26c000..b6fed9f3a 100644 --- a/tests/interfaces/openlp_plugins/bibles/test_lib_parse_reference.py +++ b/tests/interfaces/openlp_plugins/bibles/test_lib_parse_reference.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/custom/__init__.py b/tests/interfaces/openlp_plugins/custom/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_plugins/custom/__init__.py +++ b/tests/interfaces/openlp_plugins/custom/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/custom/forms/__init__.py b/tests/interfaces/openlp_plugins/custom/forms/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_plugins/custom/forms/__init__.py +++ b/tests/interfaces/openlp_plugins/custom/forms/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/custom/forms/test_customform.py b/tests/interfaces/openlp_plugins/custom/forms/test_customform.py index fc551c1ce..38bc6f255 100644 --- a/tests/interfaces/openlp_plugins/custom/forms/test_customform.py +++ b/tests/interfaces/openlp_plugins/custom/forms/test_customform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/custom/forms/test_customslideform.py b/tests/interfaces/openlp_plugins/custom/forms/test_customslideform.py index 978e33d0b..7d833149e 100644 --- a/tests/interfaces/openlp_plugins/custom/forms/test_customslideform.py +++ b/tests/interfaces/openlp_plugins/custom/forms/test_customslideform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/media/__init__.py b/tests/interfaces/openlp_plugins/media/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_plugins/media/__init__.py +++ b/tests/interfaces/openlp_plugins/media/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/media/forms/__init__.py b/tests/interfaces/openlp_plugins/media/forms/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_plugins/media/forms/__init__.py +++ b/tests/interfaces/openlp_plugins/media/forms/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/media/forms/test_mediaclipselectorform.py b/tests/interfaces/openlp_plugins/media/forms/test_mediaclipselectorform.py index 34ef4c7da..b80dda2ff 100644 --- a/tests/interfaces/openlp_plugins/media/forms/test_mediaclipselectorform.py +++ b/tests/interfaces/openlp_plugins/media/forms/test_mediaclipselectorform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/remotes/__init__.py b/tests/interfaces/openlp_plugins/remotes/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_plugins/remotes/__init__.py +++ b/tests/interfaces/openlp_plugins/remotes/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/songs/__init__.py b/tests/interfaces/openlp_plugins/songs/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_plugins/songs/__init__.py +++ b/tests/interfaces/openlp_plugins/songs/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/songs/forms/__init__.py b/tests/interfaces/openlp_plugins/songs/forms/__init__.py index 02bded5b0..ea62548f4 100644 --- a/tests/interfaces/openlp_plugins/songs/forms/__init__.py +++ b/tests/interfaces/openlp_plugins/songs/forms/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/songs/forms/test_authorsform.py b/tests/interfaces/openlp_plugins/songs/forms/test_authorsform.py index 15365e8aa..871f79deb 100644 --- a/tests/interfaces/openlp_plugins/songs/forms/test_authorsform.py +++ b/tests/interfaces/openlp_plugins/songs/forms/test_authorsform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/songs/forms/test_editsongform.py b/tests/interfaces/openlp_plugins/songs/forms/test_editsongform.py index 3ea957a5e..6091674a9 100644 --- a/tests/interfaces/openlp_plugins/songs/forms/test_editsongform.py +++ b/tests/interfaces/openlp_plugins/songs/forms/test_editsongform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/songs/forms/test_editverseform.py b/tests/interfaces/openlp_plugins/songs/forms/test_editverseform.py index c3b9ecbd9..a28be8df2 100644 --- a/tests/interfaces/openlp_plugins/songs/forms/test_editverseform.py +++ b/tests/interfaces/openlp_plugins/songs/forms/test_editverseform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/interfaces/openlp_plugins/songs/forms/test_topicsform.py b/tests/interfaces/openlp_plugins/songs/forms/test_topicsform.py index 00ca9e72d..773668a7c 100644 --- a/tests/interfaces/openlp_plugins/songs/forms/test_topicsform.py +++ b/tests/interfaces/openlp_plugins/songs/forms/test_topicsform.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/resources/projector/data.py b/tests/resources/projector/data.py index 00d150cf2..cbdd8bd42 100644 --- a/tests/resources/projector/data.py +++ b/tests/resources/projector/data.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/utils/__init__.py b/tests/utils/__init__.py index 9c106a728..fd5aeccfd 100644 --- a/tests/utils/__init__.py +++ b/tests/utils/__init__.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/utils/osdinteraction.py b/tests/utils/osdinteraction.py index 22e286141..d6beb54bf 100644 --- a/tests/utils/osdinteraction.py +++ b/tests/utils/osdinteraction.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/utils/test_bzr_tags.py b/tests/utils/test_bzr_tags.py index af6f8090a..52f49692c 100644 --- a/tests/utils/test_bzr_tags.py +++ b/tests/utils/test_bzr_tags.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # diff --git a/tests/utils/test_pylint.py b/tests/utils/test_pylint.py index 48c9e1393..128c0741b 100644 --- a/tests/utils/test_pylint.py +++ b/tests/utils/test_pylint.py @@ -4,7 +4,7 @@ ############################################################################### # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # -# Copyright (c) 2008-2016 OpenLP Developers # +# Copyright (c) 2008-2017 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 # From a7ff760425b827792bb9a58e5a8cf65b227468ea Mon Sep 17 00:00:00 2001 From: Tim Bentley Date: Sat, 31 Dec 2016 11:14:00 +0000 Subject: [PATCH 17/26] Missed about form --- openlp/core/ui/aboutdialog.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/openlp/core/ui/aboutdialog.py b/openlp/core/ui/aboutdialog.py index 1178f2c70..8aeb22596 100644 --- a/openlp/core/ui/aboutdialog.py +++ b/openlp/core/ui/aboutdialog.py @@ -307,8 +307,8 @@ class UiAboutDialog(object): 'Martin Thompson, Jon Tibble, Dave Warnock, Frode Woldsund, ' 'Martin Zibricky, Patrick Zimmermann') copyright_note = translate('OpenLP.AboutForm', - 'Copyright \xa9 2004-2016 {cr}\n\n' - 'Portions copyright \xa9 2004-2016 {others}').format(cr='Raoul Snyman', + 'Copyright \xa9 2004-2017 {cr}\n\n' + 'Portions copyright \xa9 2004-2017 {others}').format(cr='Raoul Snyman', others=cr_others) licence = translate('OpenLP.AboutForm', 'This program is free software; you can redistribute it and/or ' From 133da8fa9f4a8364d5a7a37760f71c5fef9163b6 Mon Sep 17 00:00:00 2001 From: Tim Bentley Date: Wed, 11 Jan 2017 19:09:00 +0000 Subject: [PATCH 18/26] trans --- resources/i18n/af.ts | 5742 ++++++++++++++++++++------------- resources/i18n/bg.ts | 5553 ++++++++++++++++++------------- resources/i18n/cs.ts | 5614 +++++++++++++++++++------------- resources/i18n/da.ts | 5609 +++++++++++++++++++------------- resources/i18n/de.ts | 5605 +++++++++++++++++++------------- resources/i18n/el.ts | 5519 ++++++++++++++++++------------- resources/i18n/en.ts | 5632 +++++++++++++++++++------------- resources/i18n/en_GB.ts | 5615 +++++++++++++++++++------------- resources/i18n/en_ZA.ts | 5615 +++++++++++++++++++------------- resources/i18n/es.ts | 5687 +++++++++++++++++++------------- resources/i18n/et.ts | 5604 +++++++++++++++++++------------- resources/i18n/fi.ts | 5801 ++++++++++++++++++++------------- resources/i18n/fr.ts | 5613 +++++++++++++++++++------------- resources/i18n/hu.ts | 5920 ++++++++++++++++++++-------------- resources/i18n/id.ts | 5633 +++++++++++++++++++------------- resources/i18n/ja.ts | 5562 +++++++++++++++++++------------- resources/i18n/ko.ts | 6262 ++++++++++++++++++++--------------- resources/i18n/lt.ts | 6814 +++++++++++++++++++++++---------------- resources/i18n/nb.ts | 5718 +++++++++++++++++++------------- resources/i18n/nl.ts | 5617 +++++++++++++++++++------------- resources/i18n/pl.ts | 5705 +++++++++++++++++++------------- resources/i18n/pt_BR.ts | 6136 +++++++++++++++++++++-------------- resources/i18n/ru.ts | 5636 +++++++++++++++++++------------- resources/i18n/sk.ts | 5633 +++++++++++++++++++------------- resources/i18n/sv.ts | 5573 +++++++++++++++++++------------- resources/i18n/ta_LK.ts | 5522 ++++++++++++++++++------------- resources/i18n/th_TH.ts | 5524 ++++++++++++++++++------------- resources/i18n/zh_CN.ts | 5514 ++++++++++++++++++------------- resources/i18n/zh_TW.ts | 5571 +++++++++++++++++++------------- 29 files changed, 99238 insertions(+), 66311 deletions(-) diff --git a/resources/i18n/af.ts b/resources/i18n/af.ts index 4a44d73c8..ed39d6243 100644 --- a/resources/i18n/af.ts +++ b/resources/i18n/af.ts @@ -32,7 +32,7 @@ <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. - <strong>Waarskuwings Mini-program</strong><br />Die waarskuwings mini-program beheer die vertoning van waarskuwings op die skerm. + <strong>Waarskuwings Inprop-program</strong><br />Die waarskuwings inprop-program beheer die vertoning van waarskuwings op die skerm. @@ -98,15 +98,15 @@ Gaan steeds voort? The alert text does not contain '<>'. Do you want to continue anyway? - Die attent-teks bevat nie '<>' nie. -Gaan steeds voort? + Die waarskuwing-teks bevat nie '<>' nie. +Wil jy steeds voortgaan? You haven't specified any text for your alert. Please type in some text before clicking New. - Daar is geen teks vir die waarskuwing verskaf nie. -Tik asseblief in sommige teks voor te kliek Nuwe. + Daar is geen teks vir die waarskuwing ingesluetel nie. +Voer asseblief enige teks in voordat die Nuwe balkie gekliek word. @@ -114,38 +114,33 @@ Tik asseblief in sommige teks voor te kliek Nuwe. Alert message created and displayed. - Waarskuwing boodskap geskep en vertoon. + Waarskuwing boodskap is geskep en vertoon. AlertsPlugin.AlertsTab - + Font - Skrif + Skriftipe - + Font name: Skrif naam: - + Font color: Skrif kleur: - - Background color: - Agtergrond kleur: - - - + Font size: Skrif grootte: - + Alert timeout: Waarskuwing verstreke-tyd: @@ -153,87 +148,77 @@ Tik asseblief in sommige teks voor te kliek Nuwe. 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. + Geen ooreenstemmende boek kon in hierdie Bybel gevind word nie. Maak seker 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. + Stuur die geselekteerde Bybel na die regstreekse skerm. - + 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. + <strong>Bybel Inprop-program</strong<br />Die Bybel inprop-program verskaf die vermoë om Bybelverse vanaf verskillende bronne te vertoon tydens die diens. @@ -721,12 +706,12 @@ Tik asseblief in sommige teks voor te kliek Nuwe. You need to specify a version name for your Bible. - Dit is nodig dat 'n weergawe naam vir die Bybel gespesifiseer word. + Dit word vereis om 'n weergawe naam vir die Bybel te spesifiseer. 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. + Kopiereg moet vir jou Bybel ingestel word. Bybels in die Publieke Domein moet sodanig gemerk word. @@ -736,165 +721,112 @@ Tik asseblief in sommige teks voor te kliek Nuwe. 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. + Hierdie Bybel bestaan reeds. Voer asseblief 'n ander Bybel in, of wis eers die bestaande een uit. - - You need to specify a book name for "%s". - 'n Boek naam moet vir "%s" gespesifiseer word. - - - - 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. - Die boek naam "%s" is nie korrek nie. -Nommers kan slegs aan die begin gebruik word -en moet gevolg word deur een of meer nie-numeriese -karrakters. - - - + Duplicate Book Name Duplikaat Boek Naam - - The Book Name "%s" has been entered more than once. - Die Boek Naam "%s" is meer as een keer ingevoer. + + You need to specify a book name for "{text}". + Jy moet 'n boek naam spesifiseer vir "{text}". + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Die boek naam "{name}" is verkeerd. +Nommers kan slegs gebruik word aan die begin en moet +word gevolg deur een of meer nie-numeriese karakters. + + + + The Book Name "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error Skrif Verwysing Fout - - Web Bible cannot be used - Web Bybel kan nie gebruik word nie + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Die skrifgedeelte verwysing is óf nie ondersteun deur OpenLP nie, of ongeldig. Maak asseblief seker dat die verwysing voldoen aan die volgende patrone of gaan die handleiding na: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Boek Hoofstuk -Boek Hoofstuk%(range)sHoofstuk⏎ -Boek Hoofstuk%(verse)sVers%(range)sVers⏎ -Boek Hoofstuk%(verse)sVers%(range)sVers%(list)sVers%(range)sVers⏎ -Boek Hoofstuk%(verse)sVers%(range)sVers%(list)sHoofstuk%(verse)sVers%(range)sVers⏎ -Boek Hoofstuk%(verse)sVers%(range)sHoofstuk%(verse)sVers +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Vers Vertoning - + Only show new chapter numbers Vertoon net nuwe hoofstuk nommers - + Bible theme: Bybel tema: - + No Brackets Geen Hakkies - + ( And ) ( En ) - + { And } { En } - + [ And ] [ En ] - - Note: -Changes do not affect verses already in the service. - Nota: -Veranderinge affekteer nie verse wat reeds in die diens is nie. - - - + Display second Bible verses Vertoon tweede Bybel se verse - + Custom Scripture References Aangepasde Skrifgedeelte Verwysing - - Verse Separator: - Vers Verdeler: - - - - Range Separator: - Reeks Verdeler: - - - - List Separator: - Lys Verdeler: - - - - End Mark: - End Merk: - - - + 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. @@ -903,44 +835,90 @@ Hulle moet geskei word deur 'n vertikale staaf "|". Maak asseblief hierdie redigeer lyn skoon om die verstek waarde te gebruik. - + English - Engels + Afrikaans - + Default Bible Language Verstek Bybel Taal - + Book name language in search field, search results and on display: Boek naam taal in soek veld, soek resultate en op die vertoning: - + Bible Language - Bybel Taal + Bybel Vertaling - + Application Language Program Taal - + Show verse numbers Wys versnommers + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog Select Book Name - Selekteer Boek Naam + Kies Boek Naam @@ -975,7 +953,7 @@ soek resultate en op die vertoning: The following book name cannot be matched up internally. Please select the corresponding name from the list. - Die volgende boek name kon nie intern gepas word nie. Kies asseblief die ooreenstemmende naam van die lys. + Die volgende boek name kon nie intern gevind word nie. Kies asseblief die ooreenstemmende naam van die lys. @@ -989,72 +967,78 @@ soek resultate en op die vertoning: BiblesPlugin.CSVBible - - Importing books... %s - Boek invoer... %s - - - + Importing verses... done. Vers invoer... voltooi. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + BiblesPlugin.EditBibleForm - + Bible Editor Bybel Redigeerder - + License Details Lisensie Besonderhede - + Version name: Weergawe naam: - + Copyright: Kopiereg: - + Permissions: Toestemming: - + Default Bible Language Verstek Bybel Taal - + Book name language in search field, search results and on display: Boek naam taal in soek veld, soek resultate en op die vertoning: - + Global Settings Globale Instellings - + Bible Language Bybel Taal - + Application Language Program Taal - + English - Engels + Afrikaans @@ -1066,228 +1050,263 @@ Dit is nie moontlik om die Boek Name aan te pas nie. 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. - Om eie boek name te gebruik, "Bybel taal" moet in die Meta Data blad gekies wees, of wanneer "Globale instellings" geselekteer is, op die Bybel bladsy OpenLP Instelling. + Om eie boek name te gebruik, moet "Bybel taal" in die Meta Data blad op die Bybel bladsy OpenLP Instelling gekies wees, of wanneer "Globale instellings" geselekteer is. 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. + Daar was 'n probleem om die gekose verse 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. + Daar was 'n probleem om die gekose verse te onttrek. As hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer. + + + + Importing {book}... + Importing <book name>... + 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. + Jy moet 'n weergawe naam vir die Bybel spesifiseer. - + 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. + Kopiereg moet vir jou Bybel ingestel word. Bybels in die Publieke Domein moet sodanig gemerk word. - + Bible Exists - Bybel Bestaan + Bybel Bestaan reeds - + 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. + Hierdie Bybel bestaan reeds. Voer asseblief 'n ander Bybel in, of wis eers 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. - Geregistreer Bybel. Neem asseblief kennis dat verse sal afgelaai word op aanvraag en dus 'n internet-verbinding is nodig. + Geregistreerde Bybel. Neem asseblief kennis dat verse op aanvraag afgelaai sal word en sal derhalwe 'n internet-verbinding benodig. - + Click to download bible list - Klik om die Bybel lys tw aflaai + Klik om die Bybel lys af te laai - + Download bible list - Aflaai Bybel lys + Laai Bybel lys af - + Error during download Fout tydens aflaai - + An error occurred while downloading the list of bibles from %s. + Daar was 'n probleem om die lys van bybels af te laai vanaf %s. + + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. @@ -1301,7 +1320,7 @@ Dit is nie moontlik om die Boek Name aan te pas nie. OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. - OpenLP is nie in staat om die taal van hierdie vertaling Bybel te bepaal nie. Kies asseblief die taal van die lys hieronder. + OpenLP is nie in staat om die taal van hierdie Bybelvertaling te bepaal nie. Kies asseblief die taal van die lys hieronder. @@ -1320,301 +1339,191 @@ Dit is nie moontlik om die Boek Name aan te pas nie. BiblesPlugin.MediaItem - - Quick - Vinnig - - - + Find: Vind: - + Book: Boek: - + Chapter: Hoofstuk: - + Verse: Vers: - + From: Vanaf: - + To: Tot: - + Text Search Teks Soektog - + Second: Tweede: - + Scripture Reference Skrif Verwysing - + Toggle to keep or clear the previous results. Wissel om die vorige resultate te behou of te verwyder. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Enkel en dubbel Bybel-vers soek-resultate kan nie gekombineer word nie. Wis die resultate uit en begin 'n nuwe soektog? - + Bible not fully loaded. Die Bybel is nie ten volle gelaai nie. - + Information Informasie - - 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. - Die tweede Bybel het nie al die verse wat in die hoof Bybel is nie. Slegs verse wat in beide Bybels voorkom, sal gewys word. %d verse is nie by die resultate ingesluit nie. - - - + Search Scripture Reference... - Soek Skriflesing Verwysing... + Soek Bybel Verwysing... - + Search Text... Soek Teks... - - Are you sure you want to completely delete "%s" Bible from OpenLP? - -You will need to re-import this Bible to use it again. - Wis Bybel "%s" geheel en al vanaf OpenLP? - -Hierdie Bybel sal weer ingevoer moet word voordat dit gebruik geneem kan word. + + Search + Soek - - Advanced - Gevorderd + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Ongeldige Bybel lêer + Ongeldige Bybel lêertipe verskaf. OpenSong Bybels mag dalk saamgeperste lêers wees. Jy moet hulle eers ontpers voordat hulle ingevoer word. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - + Ongeldige Bybel lêertipe verskaf. Hierdie lyk soos 'n Zefania XML Bybel, gebruik asseblief die Zefania invoer opsie. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... + + Importing {name} {chapter}... BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - + Verwydering van ongebruikte tags (dit mag 'n paar minuute neem)... - + Importing %(bookname)s %(chapter)s... + Invoer %(bookname)s %(chapter)s... + + + + The file is not a valid OSIS-XML file: +{text} - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Kies 'n Rugsteun Ligging + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Bybel Opgradeer Gids - - - - 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. - Hierdie gids sal help om die bestaande Bybels vanaf 'n vorige weergawe van OpenLP 2.0 op te gradeer. Kliek die volgende knoppie hier-onder om die opgradeer proses te begin. - - - - Select Backup Directory - Kies Rugsteun Ligging - - - - Please select a backup directory for your Bibles - Kies asseblief 'n rugsteun liging vir die Bybels - - - - 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>. - Vorige weergawes van OpenLP 2.0 is nie in staat om opgegradeerde Bybels te gebruik nie. Hierdie sal 'n rugsteun van die bestaande Bybels maak sodat indien dit nodig is om terug te gaan na 'n vorige weergawe van OpenLP, die Bybels net terug gekopiër kan word. Instruksies oor hoe om lêers te herstel kan gevind word by ons <a href="http://wiki.openlp.org/faq">Gereelde Vrae</a>. - - - - Please select a backup location for your Bibles. - Kies asseblief 'n rugsteun ligging vir die Bybels. - - - - Backup Directory: - Rugsteun Ligging: - - - - There is no need to backup my Bibles - Dit is nie nodig om die Bybels op te gradeer nie - - - - Select Bibles - Kies Bybels - - - - Please select the Bibles to upgrade - Kies asseblief die Bybels om op te gradeer - - - - Upgrading - Opgradeer - - - - Please wait while your Bibles are upgraded. - Wag asseblief terwyl die Bybels opgradeer word. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Die rugsteun was nie suksesvol nie. -Om die Bybels op te gradeer word skryf-toestemming benodig vir die gegewe lêer. - - - - Upgrading Bible %s of %s: "%s" -Failed - Opgradeer Bybel %s van %s: "%s" -Gevaal - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Opgradeer Bybel %s van %s: "%s" -Opgradeer ... - - - - Download Error - Aflaai Fout - - - - To upgrade your Web Bibles an Internet connection is required. - Om die Web Bybels op te gradeer is 'n Internet verbinding nodig. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Opgradeer Bybel %s van %s: "%s" -Opgradering %s... - - - - Upgrading Bible %s of %s: "%s" -Complete - Opgradeer Bybel %s van %s: "%s" -Volledig - - - - , %s failed - , %s het gevaal - - - - Upgrading Bible(s): %s successful%s - Opgradeer Bybel(s): %s suksesvol %s - - - - Upgrade failed. - Opgradeer het gevaal. - - - - You need to specify a backup directory for your Bibles. - 'n Rugsteun Ligging moet vir die Bybels gespesifiseer word. - - - - Starting upgrade... - Opgradering begin... - - - - There are no Bibles that need to be upgraded. - Daar is geen Bybels wat opgradering benodig nie. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. - + Ongeldige Bybel lêertipe verskaf. Zefania Bybels mag dalk saamgeperste lêers wees. Jy moet hulle eers ontpers voordat hulle ingevoer word. BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... + + Importing {book} {chapter}... @@ -1624,64 +1533,64 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Custom Slide name singular - Aangepasde Skyfie + Pasgemaakte Skyfie Custom Slides name plural - Aangepasde Skyfies + Pasgemaakte Skyfies Custom Slides container title - Aangepasde Skyfies + Pasgemaakte Skyfies Load a new custom slide. - Laai 'n nuwe aangepasde skyfie. + Laai 'n nuwe pasgemaakte skyfie. Import a custom slide. - Voer 'n aangepasde skyfie in. + Voer 'n pasgemaakte skyfie in. Add a new custom slide. - Voeg 'n nuwe aangepasde skyfie by. + Voeg 'n nuwe pasgemaakte skyfie by. Edit the selected custom slide. - Redigeer die geselekteerde aangepasde skyfie. + Redigeer die gekose pasgemaakte skyfie. Delete the selected custom slide. - Wis die geselekteerde aangepasde skyfie uit. + Vee die gekose pasgemaakte skyfie uit. Preview the selected custom slide. - Skou die geselekteerde aangepasde skyfie. + Voorskou die gekose pasgemaakte skyfie. Send the selected custom slide live. - Stuur die geselekteerde aangepasde skuifie regstreeks. + Stuur die gekose pasgemaakte skyfie regstreeks. Add the selected custom slide to the service. - Voeg die geselekteerde aangepasde skyfie by die diens. + Voeg die gekose pasgemaakte skyfie by die orde van 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. - + <strong>Aanpas Skyfie Mini-program</strong><br/>Die aanpas skyfie mini-program verskaf die vermoë om aangepasde teks skyfies op te stel wat in dieselfde manier gebruik word as die liedere mini-program. Dié mini-program verskaf grooter vryheid as die liedere mini-program. @@ -1689,7 +1598,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Custom Display - Aangepasde Vertoning + Pasgemaakte Vertoning @@ -1699,7 +1608,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Import missing custom slides from service files - + Voer vermisde aanpas skyfies in vanaf diens lêers @@ -1707,7 +1616,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit Custom Slides - Redigeer Aangepaste Skyfies + Redigeer Pasgemaakte Skyfies @@ -1717,20 +1626,20 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add a new slide at bottom. - Voeg nuwe skyfie by aan die onderkant. + Voeg 'n nuwe skyfie aan die onderkant by. Edit the selected slide. - Redigeer die geselekteerde skyfie. + Wysig die gekose skyfie. Edit all the slides at once. - Redigeer al die skyfies tegelyk. + Wysig al die skyfies tegelyk. - + Split a slide into two by inserting a slide splitter. Verdeel 'n skyfie deur 'n skyfie-verdeler te gebruik. @@ -1745,9 +1654,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Krediete: - + You need to type in a title. - 'n Titel word benodig. + 'n Titel word vereis. @@ -1755,29 +1664,29 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Red&igeer Alles - + Insert Slide Voeg 'n Skyfie in - + You need to add at least one slide. - + Ten minste een skyfie moet bygevoeg word CustomPlugin.EditVerseForm - + Edit Slide - Redigeer Skyfie + Wysig Skyfie CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1806,11 +1715,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Beelde - - - Load a new image. - Laai 'n nuwe beeld. - Add a new image. @@ -1841,38 +1745,48 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Voeg die geselekteerde beeld by die diens. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm Add group - + Voeg groep by Parent group: - + Ouer groep: Group name: - + Groep naam: You need to type in a group name. - - - - - Could not add the new group. - + 'n Groep naam moet ingevoer word. + Could not add the new group. + Nuwe groep kon nie bygevoeg word nie. + + + This group already exists. - + Hierdie groep bestaan reeds. @@ -1880,33 +1794,33 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Select Image Group - + Selekteer Beeld Groep Add images to group: - + Voeg beelde by groep: No group - + Geen groep Existing group - + Reeds bestaande groep New group - + Nuwe groep ImagePlugin.ExceptionDialog - + Select Attachment Selekteer Aanhangsel @@ -1914,67 +1828,66 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) 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. -- Top-level group -- - + -- Boonste vlak groep -- - + You must select an image or group to delete. - + Of 'n beeld of 'n groep om uit te wis moet geselekteer word. - + Remove group + Verwyder groep + + + + Are you sure you want to remove "{name}" and everything in it? - - Are you sure you want to remove "%s" and everything in it? + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Visuele agtergrond vir beelde met 'n aspek verhouding wat verskil met dié van die skerm. @@ -1982,88 +1895,88 @@ Voeg steeds die ander beelde by? Media.player - + Audio - + Oudio - + Video - + Video - + VLC is an external player which supports a number of different formats. - + VLC is 'n eksterne speler wat 'n aantal verskillende formate ondersteun. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. - + WebKit is 'n media-speler wat loop in 'n webblaaier. Hierdie speler toelaat teks oor video gelewer moet word. - + This media player uses your operating system to provide media capabilities. - + Hierdie media-speler gebruik jou bedryfstelsel om media vermoëns. 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. @@ -2073,32 +1986,32 @@ Voeg steeds die ander beelde by? Select Media Clip - + Selekteer Media Gedeelte Source - + Bron Media path: - + Media pad: Select drive from list - + Selekteer hardeskyf vanaf lys Load disc - + Laai skyf Track Details - + Snit Inligting @@ -2108,52 +2021,52 @@ Voeg steeds die ander beelde by? Audio track: - + Oudio snit: Subtitle track: - + Subtitel snit: HH:mm:ss.z - + HH:mm:ss.z Clip Range - + Gedeelte Omvang Start point: - + Begin punt: Set start point - + Stel begin punt Jump to start point - + Spring na begin punt End point: - + Eindpunt: Set end point - + Stel eindpunt Jump to end point - + Spring na eindpunt @@ -2161,154 +2074,164 @@ Voeg steeds die ander beelde by? No path was given - + Geen pad gegee Given path does not exists - + Gegewe pad bestaan nie An error happened during initialization of VLC player - + 'n Fout het gebeur tydens inisialisering van VLC speler VLC player failed playing the media - + VLC speler versuim om die media te speel - + CD not loaded correctly - + CD nie korrek gelaai nie - + The CD was not loaded correctly, please re-load and try again. - + Die CD was nie korrek gelaai nie, laai weer en probeer weer asseblief. - + DVD not loaded correctly - + DVD nie korrek gelaai nie - + The DVD was not loaded correctly, please re-load and try again. - + Die DVD was nie korrek gelaai nie, laai weer en probeer weer asseblief. - + Set name of mediaclip - + Stel naam van video gedeelte - + Name of mediaclip: - + Naam van media gedeelte: - + Enter a valid name or cancel - + Gee 'n geldige naam of kanselleer - + Invalid character - + Ongeldige karakter - + The name of the mediaclip must not contain the character ":" - + Die naam van die media gedeelta mag nie die ":" karakter bevat nie MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Lêer nie Ondersteun nie - + Use Player: Gebruik Speler: - + VLC player required - + VLC speler vereis - + VLC player required for playback of optical devices - + VLC speler is vir die speel van optiese toestelle nodig - + Load CD/DVD - + Laai CD/DVD - - Load CD/DVD - only supported when VLC is installed and enabled - - - - - The optical disc %s is no longer available. - - - - + Mediaclip already saved + Media gedeelte alreeds gestoor + + + + This mediaclip has already been saved + Hierdie media gedeelte is alreeds gestoor + + + + File %s not supported using player %s - - This mediaclip has already been saved + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) @@ -2321,39 +2244,19 @@ Voeg steeds die ander beelde by? - Start Live items automatically - - - - - OPenLP.MainWindow - - - &Projector Manager + Start new Live media automatically OpenLP - + Image Files Beeld Lêers - - Information - Informasie - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Bybel formaat het verander. Die bestaande Bybels moet opgradeer word. Moet OpenLP dit nou opgradeer? - - - + Backup @@ -2368,13 +2271,18 @@ Should OpenLP upgrade now? - - A backup of the data folder has been created at %s + + Open - - Open + + A backup of the data folder has been createdat {text} + + + + + Video Files @@ -2386,15 +2294,10 @@ Should OpenLP upgrade now? Krediete - + License Lisensie - - - build %s - bou %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. @@ -2423,7 +2326,7 @@ Vind meer uit aangaande OpenLP: http://openlp.org/ OpenLP is geskryf en word onderhou deur vrywilligers. As jy meer gratis Christelike sagteware wil sien, oorweeg dit asseblief om ook vrywillig te wees deur die knoppie hieronder te gebruik. - + Volunteer Vrywilliger @@ -2599,324 +2502,237 @@ OpenLP is geskryf en word onderhou deur vrywilligers. As jy meer gratis Christel - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} OpenLP.AdvancedTab - + UI Settings GK (UI) Verstellings - - - Number of recent files to display: - Hoeveelheid onlangse lêers om te vertoon: - - Remember active media manager tab on startup - Onthou die laaste media bestuurder oortjie wanneer die program begin - - - - Double-click to send items straight to live - Dubbel-kliek om die items regstreeks te stuur - - - Expand new service items on creation Sit die nuwe diens items uit wanneer dit geskep word - + Enable application exit confirmation Stel die program in staat om die uitgang bevestiging te vertoon - + Mouse Cursor Muis Wyser - + Hide mouse cursor when over display window Steek die muis wyser weg wanneer dit oor die vertoon venster beweeg - - Default Image - Verstek Beeld - - - - Background color: - Agtergrond kleur: - - - - Image file: - Beeld lêer: - - - + Open File Maak Lêer oop - + Advanced Gevorderd - - - Preview items when clicked in Media Manager - Skou items wanneer gekliek word in die Media Bestuurder - - Browse for an image file to display. - Blaai vir 'n beeld lêer om te vertoon. - - - - Revert to the default OpenLP logo. - Verander terug na die verstek OpenLP logo. - - - Default Service Name Verstek Diens Naam - + Enable default service name Laat verstek diens naam toe - + Date and Time: Datum en Tyd: - + Monday Maandag - + Tuesday Dinsdag - + Wednesday Woensdag - + Friday Vrydag - + Saturday Saterdag - + Sunday Sondag - + Now Nou - + Time when usual service starts. Tyd wanneer gewone diens begin. - + Name: Naam: - + Consult the OpenLP manual for usage. Konsulteer die OpenLP handleiding vir gebruik. - - Revert to the default service name "%s". - Herstel tot die verstek diens naam "%s". - - - + Example: Voorbeeld: - + Bypass X11 Window Manager Werk om X11 Venster Bestuurder - + Syntax error. Sintaks fout. - + Data Location Data Ligging - + Current path: Huidige pad: - + Custom path: Eie pad: - + Browse for new data file location. Blaai vir nuwe data lêer ligging. - + Set the data location to the default. Stel die data ligging na die verstek ligging. - + Cancel Kanselleer - + Cancel OpenLP data directory location change. Kanselleer OpenLP data lêer ligging verandering. - + Copy data to new location. Kopiër data na nuwe ligging. - + Copy the OpenLP data files to the new location. Kopiër die OpenLP data lêers na die nuwe ligging. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>WAARSKUWING:</strong> Nuwe data lêer ligging bevat OpenLP data lêers. Hierdie lêers SAL vervang word gedurende kopiëring. - + Data Directory Error Data Lêer Fout - + Select Data Directory Location Selekteer Data Lêer Ligging - + Confirm Data Directory Change Bevestig Data Lêer Verandering - + Reset Data Directory Herstel Data Lêer - + Overwrite Existing Data Oorskryf Bestaande 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 gids was nie gevind nie - -%s - -Hierdie data gids was voorheen verander vanaf die OpenLP verstek ligging. As die nuwe op verwyderbare media was, moet daardie media weer beskikbaar gemaak word. - -Kliek "Nee" om die laai van OpenLP te staak, en jou toe te laat om die probleem op te los. Kliek "Ja" om die data gids na die verstek ligging te herstel. - - - - 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. - Verander die ligging van die OpenLP data gids sekerlik na: - -%s - -Die data gids sal verander word wanneer OpenLP toe gemaak word. - - - + Thursday - + Display Workarounds - + Use alternating row colours in lists - - 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. - + 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. @@ -2924,11 +2740,155 @@ This location will be used after OpenLP is closed. Hierdie ligging sal gebruik word nadat OpenLP toegemaak is. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automaties + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Kliek om 'n kleur te kies. @@ -2936,252 +2896,252 @@ Hierdie ligging sal gebruik word nadat OpenLP toegemaak is. OpenLP.DB - + RGB - + Video - + 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 @@ -3189,61 +3149,74 @@ Hierdie ligging sal gebruik word nadat OpenLP toegemaak is. OpenLP.ExceptionDialog - + Error Occurred 'n Fout het opgeduik - + Send E-Mail Stuur E-pos - + Save to File Stoor na Lêer - + Attach File Heg 'n Lêer aan - - Description characters to enter : %s - Beskrywende karakters om in te voer: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) + + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. - - 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. Also attach any files that triggered the problem. + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation OpenLP.ExceptionForm - - Platform: %s - - Platvorm: %s - - - - + Save Crash Report Stoor Bots Verslag - + Text files (*.txt *.log *.text) Teks lêers (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3284,264 +3257,257 @@ Hierdie ligging sal gebruik word nadat OpenLP toegemaak is. 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. - Geen Internet verbinding was gevind nie. Die Eerste Keer Gids benodig 'n Internet konneksie in orde om voorbeeld liedere, Bybels en temas af te laai. Kliek die Voltooi knoppie nou om OpenLP te begin met begin instellings en geen voorbeeld data nie. - -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 + - - Unable to download some files + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. @@ -3586,43 +3552,48 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML hier> - + Validation Error Validerings Fout - + Description is missing - + Tag is missing - Tag %s already defined. - Etiket %s alreeds gedefinieër. + Tag {tag} already defined. + - Description %s already defined. + Description {tag} already defined. - - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML - - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} @@ -3712,170 +3683,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General Algemeen - + Monitors Monitors - + Select monitor for output display: Selekteer monitor vir uitgaande vertoning: - + Display if a single screen Vertoon as dit 'n enkel skerm is - + Application Startup Applikasie Aanskakel - + Show blank screen warning Vertoon leë skerm waarskuwing - - Automatically open the last service - Maak vanself die laaste diens oop - - - + Show the splash screen Wys die spatsel skerm - + Application Settings Program Verstellings - + Prompt to save before starting a new service Vra om te stoor voordat 'n nuwe diens begin word - - Automatically preview next item in service - Wys voorskou van volgende item in diens automaties - - - + sec sek - + CCLI Details CCLI Inligting - + SongSelect username: SongSelect gebruikersnaam: - + SongSelect password: SongSelect wagwoord: - + X X - + Y Y - + Height Hoogte - + Width Wydte - + Check for updates to OpenLP Kyk vir opdaterings van OpenLP - - Unblank display when adding new live item - Verwyder blanko vertoning wanneer 'n nuwe regstreekse item bygevoeg word - - - + Timed slide interval: Tyd-gedrewe skyfie interval: - + Background Audio Agtergrond Oudio - + Start background audio paused Begin agtergrond oudio gestop - + Service Item Slide Limits Diens Item Skyfie Limiete - + Override display position: Oorheers vertoon ligging: - + Repeat track list Herhaal snit lys - + Behavior of next/previous on the last/first slide: Gedrag van die vorige/volgende op die laaste/eerste skyfie: - + &Remain on Slide &Bly op Skyfie - + &Wrap around Omvou - + &Move to next/previous service item Beweeg na volgende/vorige diens ite&m + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Blaai vir 'n beeld lêer om te vertoon. + + + + Revert to the default OpenLP logo. + Verander terug na die verstek OpenLP logo. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Taal - + Please restart OpenLP to use your new language setting. Herlaai asseblief OpenLP om die nuwe taal instelling te gebruik. @@ -3883,7 +3884,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Vertooning @@ -3910,11 +3911,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View &Bekyk - - - M&ode - M&odus - &Tools @@ -3935,16 +3931,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help &Hulp - - - Service Manager - Diens Bestuurder - - - - Theme Manager - Tema Bestuurder - Open an existing service. @@ -3970,11 +3956,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit &Uitgang - - - Quit OpenLP - Sluit OpenLP Af - &Theme @@ -3986,191 +3967,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Konfigureer OpenLP... - - &Media Manager - &Media Bestuurder - - - - Toggle Media Manager - Wissel Media Bestuurder - - - - Toggle the visibility of the media manager. - Wissel sigbaarheid van die media bestuurder. - - - - &Theme Manager - &Tema Bestuurder - - - - Toggle Theme Manager - Wissel Tema Bestuurder - - - - Toggle the visibility of the theme manager. - Wissel sigbaarheid van die tema bestuurder. - - - - &Service Manager - &Diens Bestuurder - - - - Toggle Service Manager - Wissel Diens Bestuurder - - - - Toggle the visibility of the service manager. - Wissel sigbaarheid van die diens bestuurder. - - - - &Preview Panel - Voorskou &Paneel - - - - Toggle Preview Panel - Wissel Voorskou Paneel - - - - Toggle the visibility of the preview panel. - Wissel sigbaarheid van die voorskou paneel. - - - - &Live Panel - Regstreekse Panee&l - - - - Toggle Live Panel - Wissel Regstreekse Paneel - - - - Toggle the visibility of the live panel. - Wissel sigbaarheid van die regstreekse paneel. - - - - List the Plugins - Lys die Mini-programme - - - + &User Guide Gebr&uikers Gids - + &About &Aangaande - - More information about OpenLP - Meer inligting aangaande OpenLP - - - + &Online Help &Aanlyn Hulp - + &Web Site &Web Tuiste - + Use the system language, if available. Gebruik die sisteem se taal as dit beskikbaar is. - - Set the interface language to %s - Verstel die koppelvlak taal na %s - - - + Add &Tool... Voeg Gereedskaps&tuk by... - + Add an application to the list of tools. Voeg 'n applikasie by die lys van gereedskapstukke. - - &Default - &Verstek - - - - Set the view mode back to the default. - Verstel skou modus terug na verstek modus. - - - + &Setup Op&stel - - Set the view mode to Setup. - Verstel die skou modus na Opstel modus. - - - + &Live &Regstreeks - - Set the view mode to Live. - Verstel die skou modus na Regstreeks. - - - - 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/. - Weergawe %s van OpenLP is nou beskikbaar vir aflaai (tans word weergawe %s gebruik). - -Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/. - - - + OpenLP Version Updated OpenLP Weergawe is Opdateer - + OpenLP Main Display Blanked OpenLP Hoof Vertoning Blanko - + The Main Display has been blanked out Die Hoof Skerm is afgeskakel - - Default Theme: %s - Verstek Tema: %s - - - + English Please add the name of your language here Engels @@ -4181,27 +4038,27 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/. Konfigureer Kor&tpaaie... - + Open &Data Folder... Maak &Data Lêer oop... - + Open the folder where songs, bibles and other data resides. Maak die lêer waar liedere, bybels en ander data is, oop. - + &Autodetect Spoor outom&aties op - + Update Theme Images Opdateer Tema Beelde - + Update the preview images for all themes. Opdateer die voorskou beelde vir alle temas. @@ -4211,32 +4068,22 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/. Druk die huidige diens. - - L&ock Panels - Sl&uit Panele - - - - Prevent the panels being moved. - Voorkom dat die panele rondgeskuif word. - - - + Re-run First Time Wizard Her-gebruik Eerste Keer Gids - + Re-run the First Time Wizard, importing songs, Bibles and themes. Her-gebruik die Eerste Keer Gids om liedere, Bybels en tema's in te voer. - + Re-run First Time Wizard? Her-gebruik Eerste Keer Gids? - + 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. @@ -4245,13 +4092,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. @@ -4260,75 +4107,36 @@ Her-gebruik van hierdie gids mag veranderinge aan die huidige OpenLP konfigurasi Configure &Formatting Tags... Konfigureer &Formattering Etikette... - - - Export OpenLP settings to a specified *.config file - Voer OpenLP verstellings uit na 'n spesifieke *.config lêer - Settings Instellings - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Voer OpenLP verstellings in vanaf 'n gespesifiseerde *.config lêer wat voorheen op hierdie of 'n ander masjien uitgevoer is - - - + Import settings? Voer verstellings in? - - Open File - Maak Lêer oop - - - - OpenLP Export Settings Files (*.conf) - OpenLP Uitvoer Verstelling Lêers (*.conf) - - - + Import settings Voer verstellings in - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP sal nou toe maak. Ingevoerde verstellings sal toegepas word die volgende keer as OpenLP begin word. - + Export Settings File Voer Verstellings Lêer Uit - - OpenLP Export Settings File (*.conf) - 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 - Kopiëring van OpenLP Data gids het gevaal - -%s - General @@ -4340,12 +4148,12 @@ Her-gebruik van hierdie gids mag veranderinge aan die huidige OpenLP konfigurasi - + 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. @@ -4354,42 +4162,17 @@ Her-gebruik van hierdie gids mag veranderinge aan die huidige OpenLP konfigurasi - + 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 - - &Recent Services @@ -4421,130 +4204,340 @@ Processing has terminated and no changes have been made. - + Exit OpenLP - + Are you sure you want to exit OpenLP? - + &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Diens + + + + Themes + Temas + + + + Projectors + + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 - Die databasis wat gelaai is, was geskep in 'n meer onlangse weergawe van OpenLP. Die databasis is weergawe %d, terwyl OpenLP weergawe %d verwag. Die databasis sal nie gelaai word nie. - -Databasis: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP kan nie die databasis laai nie. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Databasis: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Geen items geselekteer nie - + &Add to selected Service Item &Voeg by die geselekteerde Diens item - + You must select one or more items to preview. Kies een of meer items vir die voorskou. - + You must select one or more items to send live. Kies een of meer items vir regstreekse uitsending. - + You must select one or more items. Kies een of meer items. - + You must select an existing service item to add to. 'n Bestaande diens item moet geselekteer word om by by te voeg. - + Invalid Service Item Ongeldige Diens Item - - You must select a %s service item. - Kies 'n %s diens item. - - - + You must select one or more items to add. Kies een of meer items om by te voeg. - + No Search Results Geen Soek Resultate - + Invalid File Type Ongeldige Lêer Tipe - - Invalid File %s. -Suffix not supported - Ongeldige Lêer %s. Agtervoegsel nie ondersteun nie - - - + &Clone &Kloon - + Duplicate files were found on import and were ignored. Duplikaat lêers gevind tydens invoer en is geïgnoreer. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> etiket is vermis. - + <verse> tag is missing. <verse> etiket is vermis. @@ -4552,22 +4545,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status - + No message - + Error while sending data to projector - + Undefined command: @@ -4575,32 +4568,32 @@ Suffix not supported OpenLP.PlayerTab - + Players - + Available Media Players Beskikbare Media Spelers - + Player Search Order - + Visible background for videos with aspect ratio different to screen. - + %s (unavailable) %s (onbeskikbaar) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" @@ -4609,55 +4602,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details Mini-program Besonderhede - + Status: Status: - + Active Aktief - - Inactive - Onaktief - - - - %s (Inactive) - %s (Onaktief) - - - - %s (Active) - %s (Aktief) + + Manage Plugins + - %s (Disabled) - %s (Onaktief) + {name} (Disabled) + - - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page Pas Blaai - + Fit Width Pas Wydte @@ -4665,77 +4653,77 @@ Suffix not supported OpenLP.PrintServiceForm - + Options Opsies - + Copy Kopieër - + Copy as HTML Kopieër as HTML - + Zoom In Zoom In - + Zoom Out Zoem Uit - + Zoom Original Zoem Oorspronklike - + Other Options Ander Opsies - + Include slide text if available Sluit skyfie teks in indien beskikbaar - + Include service item notes Sluit diens item notas in - + Include play length of media items Sluit die speel tyd van die media items in - + Add page break before each text item Voeg 'n bladsy-breking voor elke teks item - + Service Sheet Diens Blad - + Print Druk - + Title: Titel: - + Custom Footer Text: Verpersoonlike Voetskrif Teks: @@ -4743,257 +4731,257 @@ Suffix not supported 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 @@ -5001,17 +4989,17 @@ Suffix not supported OpenLP.ProjectorEdit - + Name Not Set - + You must enter a name for this entry.<br />Please enter a new name for this entry. - + Duplicate Name @@ -5019,52 +5007,52 @@ Suffix not supported OpenLP.ProjectorEditForm - + Add New Projector - + Edit Projector - + IP Address - + Port Number - + PIN - + Name - + Location - + Notes Notas - + Database Error Databasis Fout - + There was an error saving projector information. See the log for the error @@ -5072,305 +5060,360 @@ Suffix not supported 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 Poort - + Notes Notas - + 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 - - Delete projector (%s) %s? + + Are you sure you want to delete this projector? - - Are you sure you want to delete this projector? + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + + + + + No Authentication Error OpenLP.ProjectorPJLink - + Fan - + Lamp - + Temperature - + Cover - + Filter - + Other Ander @@ -5416,17 +5459,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address - + Invalid IP Address - + Invalid Port Number @@ -5439,26 +5482,26 @@ Suffix not supported Skerm - + primary primêr OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Begin</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Durasie</strong>: %s - - [slide %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} @@ -5523,52 +5566,52 @@ Suffix not supported Wis geselekteerde item van die diens af. - + &Add New Item &Voeg Nuwe Item By - + &Add to Selected Item &Voeg by Geselekteerde Item - + &Edit Item R&edigeer Item - + &Reorder Item Ve&rander Item orde - + &Notes &Notas - + &Change Item Theme &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 @@ -5593,7 +5636,7 @@ Suffix not supported Stort al die diens items ineen. - + Open File Maak Lêer oop @@ -5623,22 +5666,22 @@ Suffix not supported Stuur die geselekteerde item Regstreeks. - + &Start Time &Begin Tyd - + Show &Preview Wys &Voorskou - + Modified Service Redigeer Diens - + The current service has been modified. Would you like to save this service? Die huidige diens was verander. Stoor hierdie diens? @@ -5658,27 +5701,27 @@ Suffix not supported Speel tyd: - + Untitled Service 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 @@ -5698,142 +5741,142 @@ 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. - + Service File(s) Missing Diens Lêer(s) Vermis - + &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. 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: {name} + +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. + + An error occurred while writing the service file: {error} @@ -5866,15 +5909,10 @@ These files will be removed if you continue to save. Kortpad - + Duplicate Shortcut Duplikaat Kortpad - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Die kortpad "%s" is alreeds toegeken aan 'n ander aksie, kies asseblief 'n ander kortpad. - Alternate @@ -5920,219 +5958,234 @@ These files will be removed if you continue to save. Configure Shortcuts Konfigureer Kortpaaie + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Verskuil - + Go To Gaan Na - + Blank Screen Blanko Skerm - + Blank to Theme Blanko na Tema - + Show Desktop Wys Werkskerm - + Previous Service Vorige Diens - + Next Service Volgende Diens - + Escape Item Ontsnap Item - + Move to previous. Skuif terug. - + Move to next. Skuif volgende. - + Play Slides Speel Skyfies - + Delay between slides in seconds. Vertraging tussen skyfies in sekondes. - + Move to live. Skuif na regstreeks. - + Add to Service. Voeg by Diens. - + Edit and reload song preview. Redigeer en herlaai lied voorskou. - + Start playing media. Begin media speel. - + Pause audio. Stop oudio. - + Pause playing media. Halt spelende media. - + Stop playing media. Stop spelende media. - + Video position. Video posisie. - + Audio Volume. Oudio Volume. - + Go to "Verse" Gaan na "Vers" - + Go to "Chorus" Gaan na "Koor" - + Go to "Bridge" Gaan na "Brug" - + Go to "Pre-Chorus" Gaan na "Pre-Koor" - + Go to "Intro" Gaan na "Inleiding" - + Go to "Ending" Gaan na "Einde" - + Go to "Other" Gaan na "Ander" - + Previous Slide Vorige Skyfie - + Next Slide Volgende Skyfie - + Pause Audio Hou Oudio - + Background Audio Agtergrond Oudio - + Go to next audio track. Gaan na die volgende oudio snit. - + Tracks Snitte + + + Loop playing media. + + + + + Video timer. + + 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? @@ -6140,17 +6193,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling Voorstelle - + Formatting Tags Uitleg Hakkies - + Language: Taal: @@ -6229,7 +6282,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (ongeveer %d lyne per skyfie) @@ -6237,521 +6290,531 @@ These files will be removed if you continue to save. OpenLP.ThemeManager - + Create a new theme. Skep 'n nuwe tema. - + Edit Theme Redigeer Tema - + Edit a theme. Redigeer 'n tema. - + Delete Theme Wis Tema Uit - + Delete a theme. Wis 'n tema uit. - + Import Theme Voer Tema In - + Import a theme. Voer 'n tema in. - + Export Theme Voer Tema Uit - + Export a theme. Voer 'n tema uit. - + &Edit Theme R&edigeer Tema - + &Delete Theme &Wis Tema uit - + Set As &Global Default Stel in As &Globale Standaard - - %s (default) - %s (standaard) - - - + You must select a theme to edit. Kies 'n tema om te redigeer. - + You are unable to delete the default theme. Die standaard tema kan nie uitgewis word nie. - + 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 - + Select Theme Import File Kies Tema Invoer Lêer - + File is not a valid theme. Lêer is nie 'n geldige tema nie. - + &Copy Theme &Kopieër Tema - + &Rename Theme He&rnoem Tema - + &Export Theme Vo&er Tema uit - + You must select a theme to rename. Kies 'n tema om te hernoem. - + Rename Confirmation Hernoem Bevestiging - + Rename %s theme? Hernoem %s tema? - + You must select a theme to delete. Kies 'n tema om uit te wis. - + Delete Confirmation Uitwis Bevestiging - + Delete %s theme? Wis %s tema uit? - + Validation Error Validerings Fout - + A theme with this name already exists. 'n Tema met hierdie naam bestaan alreeds. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - - - - + Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s +{text} OpenLP.ThemeWizard - + Theme Wizard Tema Gids - + Welcome to the Theme Wizard Welkom by die Tema Gids - + Set Up Background Stel die Agtergrond Op - + Set up your theme's background according to the parameters below. Stel jou tema se agtergrond op volgens die parameters hier onder. - + Background type: Agtergrond tipe: - + Gradient Gradiënt - + Gradient: Gradiënt: - + Horizontal Horisontaal - + Vertical Vertikaal - + Circular Sirkelvormig - + Top Left - Bottom Right Links Bo - Regs Onder - + Bottom Left - Top Right Links Onder - Regs Bo - + Main Area Font Details Hoof Area Skrif Gegewens - + Define the font and display characteristics for the Display text Definieër die skrif en vertoon karrakters vir die Vertoon teks - + Font: Skrif: - + Size: Grootte: - + Line Spacing: Lyn Spasiëring: - + &Outline: &Buitelyn: - + &Shadow: &Skaduwee: - + Bold Vetdruk - + Italic Italiaans - + Footer Area Font Details Voetskrif Area Skrif Gegewens - + Define the font and display characteristics for the Footer text Definieër die skrif en vertoon karraktereienskappe vir die Voetskrif teks - + Text Formatting Details Teks Formattering Gegewens - + Allows additional display formatting information to be defined Laat toe dat addisionele vertoon formattering inligting gedifinieër word - + Horizontal Align: Horisontale Sporing: - + Left Links - + Right Regs - + Center Middel - + Output Area Locations Uitvoer Area Liggings - + &Main Area &Hoof Area - + &Use default location Gebr&uik verstek ligging - + X position: X posisie: - + px px - + Y position: Y posisie: - + Width: Wydte: - + Height: Hoogte: - + Use default location Gebruik verstek ligging - + Theme name: Tema naam: - - Edit Theme - %s - Redigeer Tema - %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. Hierdie gids sal help om temas te skep en te redigeer. Klik die volgende knoppie hieronder om die proses te begin deur jou agtergrond op te stel. - + Transitions: Oorskakel effekte: - + &Footer Area &Voetskrif Area - + Starting color: Begin Kleur: - + Ending color: Eind Kleur: - + Background color: Agtergrond kleur: - + Justify Uitsgespan - + Layout Preview Uitleg Voorskou - + Transparent Deurskynend - + Preview and Save Skou en Stoor - + Preview the theme and save it. Skou die tema en stoor dit. - + Background Image Empty Leë Agtergrond Beeld - + Select Image Selekteer Beeld - + Theme Name Missing Tema Naam Vermis - + There is no name for this theme. Please enter one. Daar is geen naam vir hierdie tema nie. Voer asseblief een in. - + Theme Name Invalid Tema Naam Ongeldig - + Invalid theme name. Please enter one. Ongeldige tema naam. Voer asseblief een in. - + 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. 'n Agtergrond beeld is nie gekies nie. Kies asseblief een voor jy aangaan. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6834,73 +6897,73 @@ These files will be removed if you continue to save. &Vertikale Sporing: - + Finished import. Invoer voltooi. - + Format: Formaat: - + Importing Invoer - + Importing "%s"... "%s" ingevoer... - + Select Import Source Selekteer Invoer Bron - + Select the import format and the location to import from. Selekteer die invoer vormaat en die ligging vanwaar invoer geskied. - + Open %s File Maak %s Lêer Oop - + %p% %p% - + Ready. Gereed. - + Starting import... Invoer begin... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Spesifiseer ten minste een %s lêer om vanaf in te voer. - + Welcome to the Bible Import Wizard Welkom by die Bybel Invoer Gids - + Welcome to the Song Export Wizard Welkom by die Lied Uitvoer Gids - + Welcome to the Song Import Wizard Welkom by die Lied Invoer Gids @@ -6950,39 +7013,34 @@ These files will be removed if you continue to save. XML sintaks fout - - Welcome to the Bible Upgrade Wizard - Welkom by die Bybel Opgradeer Gids - - - + Open %s Folder Maak %s Gids Oop - + You need to specify one %s file to import from. A file type e.g. OpenSong Een %s lêer moet gespesifiseer word om vanaf in te voer. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Een %s gids moet gespesifiseer word om vanaf in te voer. - + Importing Songs Voer Liedere In - + Welcome to the Duplicate Song Removal Wizard - + Written by @@ -6992,502 +7050,490 @@ These files will be removed if you continue to save. - + About Aangaande - + &Add &Voeg by - + Add group - + Voeg groep by - + Advanced Gevorderd - + All Files Alle Lêers - + Automatic Automaties - + Background Color Agtergrond Kleur - + Bottom Onder - + Browse... Deursoek... - + Cancel Kanselleer - + CCLI number: CCLI nommer: - + Create a new service. Skep 'n nuwe diens. - + Confirm Delete Bevesting Uitwissing - + Continuous Aaneen-lopend - + Default Verstek - + Default Color: Verstek Kleur: - + 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. Diens %Y-%m-%d %H-%M - + &Delete &Wis Uit - + Display style: Vertoon styl: - + Duplicate Error Dupliseer Fout - + &Edit R&edigeer - + Empty Field Leë Veld - + Error Fout - + Export Uitvoer - + File Lêer - + File Not Found Lêer nie gevind nie - - File %s not found. -Please try selecting it individually. - Lêer %s nie gevind nie. -Probeer asseblief om dit individueel te kies. - - - + pt Abbreviated font pointsize unit pt - + Help Hulp - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Ongeldige Gids Geselekteer - + Invalid File Selected Singular Ongeldige Lêer Geselekteer - + Invalid Files Selected Plural Ongeldige Lêer Geselekteer - + Image Beeld - + Import Voer in - + Layout style: Uitleg styl: - + Live Regstreeks - + Live Background Error Regstreekse Agtergrond Fout - + Live Toolbar Regstreekse Gereedskapsbalk - + Load Laai - + Manufacturer Singular - + Manufacturers Plural - + Model Singular - + Models Plural - + m The abbreviated unit for minutes m - + Middle Middel - + New Nuwe - + New Service Nuwe Diens - + New Theme Nuwe Tema - + Next Track Volgende Snit - + No Folder Selected Singular Geen Gids Geselekteer nie - + No File Selected Singular Geen Lêer Geselekteer nie - + No Files Selected Plural Geen Leêrs Geselekteer nie - + No Item Selected Singular Geen Item Geselekteer nie - + No Items Selected Plural Geen items geselekteer nie - + OpenLP is already running. Do you wish to continue? OpenLP is reeds ana die gang. Gaan voort? - + Open service. Maak 'n diens oop. - + Play Slides in Loop Speel Skyfies in Herhaling - + Play Slides to End Speel Skyfies tot Einde - + Preview 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 - + CCLI song number: - + Preview Toolbar - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. @@ -7503,29 +7549,100 @@ Probeer asseblief om dit individueel te kies. Plural + + + Background color: + Agtergrond kleur: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Geeb Bybels Beskikbaar nie + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Vers + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + 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 @@ -7608,46 +7725,46 @@ Probeer asseblief om dit individueel te kies. Bied aan met: - + File Exists Lêer Bestaan Reeds - + A presentation with that filename already exists. 'n Aanbieding met daardie lêernaam bestaan reeds. - + This type of presentation is not supported. Hierdie tipe aanbieding word nie ondersteun nie. - - Presentations (%s) - Aanbiedinge (%s) - - - + Missing Presentation Vermisde Aanbieding - - The presentation %s is incomplete, please reload. - Die aanbieding %s is onvolledig, herlaai asseblief. + + Presentations ({text}) + - - The presentation %s no longer exists. - Die aanbieding %s bestaan nie meer nie. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. @@ -7658,11 +7775,6 @@ Probeer asseblief om dit individueel te kies. Available Controllers Beskikbare Beheerders - - - %s (unavailable) - %s (onbeskikbaar) - Allow presentation application to be overridden @@ -7679,12 +7791,12 @@ Probeer asseblief om dit individueel te kies. - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. @@ -7695,12 +7807,18 @@ Probeer asseblief om dit individueel te kies. - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) @@ -7743,206 +7861,216 @@ 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 - + Remote Afstandbeheer - + Stage View - + Verhoog skerm - + Live View - + Lewendige Kykskerm RemotePlugin.RemoteTab - + Serve on IP address: Bedien op hierdie IP adres: - + Port number: Poort nommer: - + Server Settings Bediener Verstellings - + Remote URL: Afgeleë URL: - + Stage view URL: Verhoog vertoning URL: - + Display stage time in 12h format Vertoon verhoog tyd in 12 uur formaat - + Android App Android Program - + 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: Wagwoord: - + Show thumbnails of non-text slides in remote and stage view. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. @@ -7984,50 +8112,50 @@ Probeer asseblief om dit individueel te kies. 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 @@ -8094,24 +8222,10 @@ All data recorded before this date will be permanently deleted. Uitvoer Lêer Ligging - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation Verslag Skepping - - - Report -%s -has been successfully created. - Verslag - %s -was suksesvol geskep. - Output Path Not Selected @@ -8124,45 +8238,57 @@ Please select an existing path on your computer. - + Report Creation Failed - - An error occurred while creating the report: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} 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... @@ -8259,80 +8385,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. @@ -8421,61 +8547,66 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Toegedien deur %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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Eie Boek Name @@ -8558,57 +8689,57 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Tema, Kopiereg Informasie && Kommentaar - + Add Author Voeg Skrywer By - + This author does not exist, do you want to add them? Hierdie skrywer bestaan nie, moet die skrywer bygevoeg word? - + This author is already in the list. Hierdie skrywer is alreeds in die lys. - + 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. Die geselekteerde skrywer is ongeldig. Kies 'n skrywer vanaf die lys of voer 'n nuwe skrywer in en kliek op die "Voeg Skrywer by Lied" knoppie om die skrywer by te voeg. - + Add Topic Voeg Onderwerp by - + This topic does not exist, do you want to add it? Die onderwerp bestaan nie. Voeg dit by? - + This topic is already in the list. Die onderwerp is reeds in die lys. - + 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. Geselekteerde onderwerp is ongeldig. Kies 'n onderwerp vanaf die lys of voer 'n nuwe onderwerp in en kliek die "Voeg Onderwerp by Lied" knoppie om die onderwerp by te voeg. - + You need to type in a song title. Tik 'n lied titel in. - + You need to type in at least one verse. Ten minste een vers moet ingevoer word. - + You need to have an author for this song. Daar word 'n outeur benodig vir hierdie lied. @@ -8633,7 +8764,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Verwyder &Alles - + Open File(s) Maak Lêer(s) Oop @@ -8648,13 +8779,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.<strong>Waarskuwing:</strong>'n Vers orde is nie ingevoer nie. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - - - + Invalid Verse Order @@ -8664,21 +8789,15 @@ Please enter the verses separated by spaces. - + Edit Author Type - + Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks @@ -8700,45 +8819,71 @@ Please enter the verses separated by spaces. - + Add Songbook - + This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Redigeer Vers - + &Verse type: &Vers tipe: - + &Insert Sit Tussen-&in - + Split a slide into two by inserting a verse splitter. Verdeel 'n skyfie in twee deur 'n vers-verdeler in te sit. @@ -8751,77 +8896,77 @@ Please enter the verses separated by spaces. Lied Uitvoer Gids - + Select Songs Kies Liedere - + Check the songs you want to export. Merk die liediere wat uitgevoer moet vord. - + Uncheck All Merk Alles Af - + Check All Merk Alles Aan - + Select Directory Kies Lêer-gids - + Directory: Lêer Gids: - + Exporting Uitvoer - + Please wait while your songs are exported. Wag asseblief terwyl die liedere uitgevoer word. - + You need to add at least one Song to export. Ten minste een lied moet bygevoeg word om uit te voer. - + No Save Location specified Geen Stoor Ligging gespesifiseer nie - + Starting export... Uitvoer begin... - + You need to specify a directory. 'n Lêer gids moet gespesifiseer word. - + Select Destination Folder Kies Bestemming Lêer gids - + Select the directory where you want the songs to be saved. Kies die gids waar die liedere gestoor moet word. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. @@ -8829,7 +8974,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Ongeldige Foilpresenter lied lêer. Geen verse gevin die. @@ -8837,7 +8982,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Bekragtig soek soos getik word @@ -8845,7 +8990,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selekteer Dokument/Aanbieding Lêers @@ -8855,228 +9000,238 @@ Please enter the verses separated by spaces. Lied Invoer Gids - + 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. Hierdie gids help met die invoer van liedere in verskillende formate. Kliek die volgende knoppie hieronder om die proses te begin deur 'n formaat te kies wat gebruik moet word vir invoer. - + Generic Document/Presentation Generiese Dokumentasie/Aanbieding - + Add Files... Voeg Lêers by... - + Remove File(s) Verwyder Lêer(s) - + Please wait while your songs are imported. Wag asseblief terwyl die liedere ingevoer word. - + Words Of Worship Song Files Words Of Worship Lied Lêers - + Songs Of Fellowship Song Files Songs Of Fellowship Lied Lêers - + SongBeamer Files SongBeamer Lêers - + SongShow Plus Song Files SongShow Plus Lied Lêers - + Foilpresenter Song Files Foilpresenter Lied Lêers - + Copy Kopieër - + Save to File Stoor na Lêer - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Die Liedere van Volgelinge invoerder is onaktief gestel omdat OpenLP nie toegang tot OpenOffice of LibreOffice het nie. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Die generiese dokument/aanbieding invoerder is onaktief gestel omdat OpenLP nie toegang tot OpenOffice of LibreOffice het nie. - + OpenLyrics Files OpenLyrics Lêers - + CCLI SongSelect Files CCLI SongSelect Lêers - + EasySlides XML File EeasySlides XML Lêer - + EasyWorship Song Database EasyWorship Lied Databasis - + DreamBeam Song Files DreamBeam Lied Lêers - + You need to specify a valid PowerSong 1.0 database folder. 'n Geldige PowerSong 1.0 databasis gids moet gespesifiseer word. - + 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>. Verwerk eers jou ZionWorx databasis na 'n CSV teks lêer, soos verduidelik word in die <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Gebruikers Handleiding</a>. - + SundayPlus Song Files SundayPlus Lied Leêrs - + This importer has been disabled. Hierdie invoerder is onaktief gestel. - + MediaShout Database MediaShout Databasis - + 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. Die MediaShout invoerder word slegs ondersteun op Windows. Dit is vanweë 'n vermiste Python module, gedeaktiveer. As jy hierdie invoerder wil gebruik, sal jy die "pyodbc" module moet installeer. - + SongPro Text Files SongPro Teks Leêrs - + SongPro (Export File) SongPro (Voer Leêr uit) - + In SongPro, export your songs using the File -> Export menu In SongPro, voer liedere uit deur middel van die Leêr -> Uitvoer spyskaart - + 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. - + OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases - + LyriX Files - + LyriX (Exported TXT-files) - + VideoPsalm Files - + VideoPsalm - - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} @@ -9084,7 +9239,12 @@ Please enter the verses separated by spaces. SongsPlugin.LyrixImport - Error: %s + File {name} + + + + + Error: {error} @@ -9104,79 +9264,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Titels - + Lyrics Lirieke - + CCLI License: CCLI Lisensie: - + Entire Song Volledige Lied - + Maintain the lists of authors, topics and books. Onderhou die lys van skrywers, onderwerpe en boeke. - + copy For song cloning kopieër - + Search Titles... Soek Titels... - + Search Entire Song... Soek deur hele Lied... - + Search Lyrics... Soek Lirieke... - + Search Authors... Soek Outeure... - - Are you sure you want to delete the "%d" selected song(s)? + + Search Songbooks... - - Search Songbooks... + + Search Topics... + + + + + Copyright + Kopiereg + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Die MediaShout databasis kan nie oopgemaak word nie. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. @@ -9184,9 +9382,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Uitvoer "%s"... + + Exporting "{title}"... + @@ -9205,29 +9403,37 @@ Please enter the verses separated by spaces. Geen liedere om in te voer nie. - + Verses not found. Missing "PART" header. Verse nie gevind nie. Vermis "PART" opskrif. - No %s files found. - Geen %s lêers gevind nie. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Ongeldige %s lêer. Onverwagse greep waarde. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Ongeldige %s lêer. Vermis "TITLE" hofie. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Ongeldige %s lêer. Vermis "COPYRIGHTLINE" hofie. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9256,18 +9462,18 @@ 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 + + Your song export failed because this error occurred: {error} @@ -9284,17 +9490,17 @@ Please enter the verses separated by spaces. Die volgende liedere kon nie ingevoer word nie: - + Cannot access OpenOffice or LibreOffice Het nie toegang tot OpenOffice of LibreOffice nie - + Unable to open file Kan nie lêer oopmaak nie - + File not found Lêer nie gevind nie @@ -9302,109 +9508,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Skrywer kon nie bygevoeg word nie. - + This author already exists. Die skrywer bestaan reeds. - + Could not add your topic. Onderwerp kon nie bygevoeg word nie. - + This topic already exists. Hierdie onderwerp bestaan reeds. - + Could not add your book. Boek kon nie bygevoeg word nie. - + This book already exists. Hierdie boek bestaan reeds. - + Could not save your changes. Veranderinge kon nie gestoor word nie. - + Could not save your modified author, because the author already exists. Geredigeerde skrywer kon nie gestoor word nie, omdat die skrywer reeds bestaan. - + Could not save your modified topic, because it already exists. Geredigeerde onderwerp kon nie gestoor word nie, want dit bestaan alreeds. - + Delete Author Wis Skrywer Uit - + Are you sure you want to delete the selected author? Wis die geselekteerde skrywer uit? - + This author cannot be deleted, they are currently assigned to at least one song. Die skrywer kan nie uitgewis word nie, omdat die skrywer aan ten minste een lied toegeken is. - + Delete Topic Wis Onderwerp Uit - + Are you sure you want to delete the selected topic? Wis die geselekteerde onderwerp uit? - + This topic cannot be deleted, it is currently assigned to at least one song. Die onderwerp kan nie uitgewis word nie, omdat dit aan ten minste een lied toegeken is. - + Delete Book Wis Boek Uit - + Are you sure you want to delete the selected book? Wis die geselekteerde boek uit? - + This book cannot be deleted, it is currently assigned to at least one song. Die boek kan nie uitgewis word nie, omdat dit aan ten minste een lied toegeken is. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Die outeur %s bestaan alreeds. Moet liedere met die outeur %s die bestaande outeur %s gebruik? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Die onderwerp %s bestaan alreeds. Moet liedere met die onderwerp %s die bestaande onderwerp %s gebruik? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Die boek %s bestaan reeds. Moed liedere met die doek %s gebruik maak van bestaande boek %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9450,52 +9656,47 @@ Please enter the verses separated by spaces. Soek - - Found %s song(s) - - - - + Logout - + View Vertoon - + Title: Titel: - + Author(s): - + Copyright: Kopiereg: - + CCLI Number: - + Lyrics: - + Back Terug - + Import Voer in @@ -9535,7 +9736,7 @@ Please enter the verses separated by spaces. - + Song Imported @@ -9550,7 +9751,7 @@ Please enter the verses separated by spaces. - + Your song has been imported, would you like to import more songs? @@ -9559,6 +9760,11 @@ Please enter the verses separated by spaces. Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9567,29 +9773,29 @@ Please enter the verses separated by spaces. Songs Mode Liedere Modus - - - Display verses on live tool bar - Vertoon verse op regstreekse gereedskap staaf - Update service from song edit Opdateer diens van lied-redigering - - - Import missing songs from service files - Voer vermisde liedere in vanaf diens lêers - Display songbook in footer + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info @@ -9614,37 +9820,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Vers - + Chorus Koor - + Bridge Brug - + Pre-Chorus Voor-Refrein - + Intro Inleiding - + Ending Slot - + Other Ander @@ -9652,8 +9858,8 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s + + Error: {error} @@ -9661,12 +9867,12 @@ Please enter the verses separated by spaces. SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. @@ -9678,30 +9884,30 @@ Please enter the verses separated by spaces. Probleem om CSV lêer te lees. - - Line %d: %s - Lyn %d: %s - - - - Decoding error: %s - Dekodering fout: %s - - - + File not valid WorshipAssistant CSV format. - - Record %d - Opname %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. @@ -9714,25 +9920,30 @@ Please enter the verses separated by spaces. Probleem om CSV lêer te lees. - + File not valid ZionWorx CSV format. Lêer nie geldige ZionWorx CSV formaat nie. - - Line %d: %s - Lyn %d: %s - - - - Decoding error: %s - Dekodering fout: %s - - - + Record %d Opname %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9742,39 +9953,960 @@ 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. - + 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 Informasie - + No duplicate songs have been found in the database. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Engels + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/bg.ts b/resources/i18n/bg.ts index 9c7983f0a..3fc74a551 100644 --- a/resources/i18n/bg.ts +++ b/resources/i18n/bg.ts @@ -4,35 +4,35 @@ &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 />Добавката за сигнали контролира показването на сигнали на екрана. + <strong>Добавка за съобщения</strong><br />Добавката управлява показването на съобщения на екрана. @@ -40,17 +40,17 @@ Alert Message - Сигнално съобщение + Съобщение Alert &text: - Текст на сигнала + Текст на съобщението &New - &Нов + &Ново @@ -70,7 +70,7 @@ New Alert - Нов сигнал + Ново съобщение @@ -86,13 +86,13 @@ You have not entered a parameter to be replaced. Do you want to continue anyway? - Не сте задали промяна на параметъра. -Искате ли да продължите въпреки това? + Не сте променили параметъра. +Искате ли да продължите? No Placeholder Found - Няма намерен приемник + Няма намерена подсказка @@ -119,32 +119,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font Шрифт - + Font name: Име на шрифта: - + Font color: Цвят на шрифта: - - Background color: - Цвят за фон: - - - + Font size: Размер на шрифта: - + Alert timeout: Срок на сигнала @@ -152,88 +147,78 @@ 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. - Актуализирай базата данни на Библията към последния формат - Genesis @@ -738,188 +723,189 @@ Please type in some text before clicking New. Тази Библия вече е налична. Моля импортирайте друга Библия или първо изтрийте наличната. - - 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" книга е въведено повече от веднъж. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error Грешна препратка - - Web Bible cannot be used - Библията от Мрежата не може да бъде използвана + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 +This means that the currently used Bible +or Second Bible is installed as Web Bible. + +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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 Покажи номерата на стиховете + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -975,70 +961,76 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - Импортиране на книги... %s - - - + Importing verses... done. Импортиране на стихове... готво. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + 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 Английски @@ -1058,224 +1050,259 @@ 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. Имаше проблем при извличането на избрания от вас стихове. В случай, че грешката продължи да се получава, моля обмислете възможността да съобщите за грешка в програмата. + + + Importing {book}... + Importing <book name>... + + 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. В процеса на сваляне на списъка с библии от %s се появи грешка. + + + Bibles: + Библии: + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + Импорт от директория + + + + Import from Zip-file + Импорт от Zip-файл + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1306,113 +1333,130 @@ It is not possible to customize the Book Names. 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? -Ще е необходимо да импортирате Библията, за да я използвате отново. + + Search + Търсене - - Advanced - Допълнителни + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + 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. @@ -1420,173 +1464,51 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Импортиране на %(bookname) %(chapter)... + + Importing {name} {chapter}... + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - + Importing %(bookname)s %(chapter)s... Импортиране на %(bookname) %(chapter)... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Изберете директория за резервно копие + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 - Актуализиране на библейски превод(и): %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. - Няма Библии които да е необходимо да се надградят. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. @@ -1594,9 +1516,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Импортиране на %(bookname) %(chapter)... + + Importing {book} {chapter}... + @@ -1712,7 +1634,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Редактирай всички слайдове наведнъж. - + Split a slide into two by inserting a slide splitter. Раздели слайд, чрез вмъкване на разделител. @@ -1727,7 +1649,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Заслуги - + You need to type in a title. Трябва да въведете заглавие @@ -1737,12 +1659,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Редактирай всичко - + Insert Slide Вмъкни слайд - + You need to add at least one slide. Трябва да добавите поне един слайд. @@ -1750,7 +1672,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Редактиране на слайд @@ -1758,8 +1680,8 @@ 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 "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1788,11 +1710,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Картини - - - Load a new image. - Зареди нова картина - Add a new image. @@ -1823,6 +1740,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Добавете избраната картина към службата. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1847,12 +1774,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. Тази група я има вече. @@ -1888,7 +1815,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Изберете прикачен файл @@ -1896,38 +1823,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. Няма какво да се коригира. @@ -1937,25 +1848,41 @@ 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" и всичко в тях? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Видим фон за картини с размер различен от екрана. @@ -1963,27 +1890,27 @@ Do you want to add the other images anyway? Media.player - + 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 е медия плеър, който върви в уеб браузър. Той позволява визуализирането на текста върху видеото. - + This media player uses your operating system to provide media capabilities. @@ -1991,60 +1918,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. Добави избраната медия към службата. @@ -2099,7 +2026,7 @@ Do you want to add the other images anyway? HH:mm:ss.z - + ЧЧ:мм:сс.з @@ -2142,12 +2069,12 @@ Do you want to add the other images anyway? No path was given - + Не е зададен път Given path does not exists - + Зададения път не съществува @@ -2157,50 +2084,50 @@ Do you want to add the other images anyway? VLC player failed playing the media - + VLC не успя да възпроизведе медията - + CD not loaded correctly - + Диска не е зареден правилно - + The CD was not loaded correctly, please re-load and try again. - + DVD not loaded correctly - + DVD не е заредено правилно - + 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 ":" @@ -2208,88 +2135,98 @@ Do you want to add the other images anyway? 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 + Този клипа вече е бил запазен + + + + File %s not supported using player %s - - This mediaclip has already been saved + + Unsupported Media File + Медия-файла не се поддържа + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) @@ -2302,41 +2239,19 @@ Do you want to add the other images anyway? - Start Live items automatically - Автоматично стартиране на На живо елементите - - - - OPenLP.MainWindow - - - &Projector Manager + Start new Live media automatically OpenLP - + Image Files Файлове с изображения - - Information - Информация - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Формата на Библията се промени. -Трябва да надградите съществуващите Библии. -Да ги надгради ли OpenLP сега? - - - + Backup @@ -2351,13 +2266,18 @@ Should OpenLP upgrade now? - - A backup of the data folder has been created at %s + + Open - - Open + + A backup of the data folder has been createdat {text} + + + + + Video Files @@ -2369,15 +2289,10 @@ Should OpenLP upgrade now? Заслуги - + 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. @@ -2404,7 +2319,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr OpenLP се програмира и разработва от доброволци. Ако искате да разберете повече за програмиране на свободен християнски софтуер, моля обмислете вашето доброволчество като ползвате бутона по-долу. - + Volunteer Доброволец @@ -2580,332 +2495,237 @@ OpenLP се програмира и разработва от доброволц - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} 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 Използвай редуващи се цветове на редовете от списъците - - 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. - + 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. @@ -2913,11 +2733,155 @@ This location will be used after OpenLP is closed. Това ще е мястото, което ще се ползва след затварянето на OpenLP. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Автоматично + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Щракни за да избереш цвят. @@ -2925,252 +2889,252 @@ This location will be used after OpenLP is closed. 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 @@ -3178,60 +3142,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred Настъпи Грешка - + Send E-Mail Изпрати E-Mail. - + Save to File Запази във файл - + Attach File Прикачи файл - - Description characters to enter : %s - Брой букви за обяснение : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) + + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. - - 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. Also attach any files that triggered the problem. + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation OpenLP.ExceptionForm - - Platform: %s - - Платформа: %s⏎ - - - + Save Crash Report Запази доклад на забиването - + Text files (*.txt *.log *.text) Текстови файлове (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3272,262 +3250,257 @@ This location will be used after OpenLP is closed. 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 + - - Unable to download some files + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. @@ -3572,43 +3545,48 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML тук> - + Validation Error Грешка при утвърждаване. - + Description is missing Липсва описание - + Tag is missing Отметката липсва - Tag %s already defined. + Tag {tag} already defined. - Description %s already defined. + Description {tag} already defined. - - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML - - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} @@ -3698,170 +3676,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 Иди на следващ/предишен обект на службата + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Прегледай за избор на файл на изображение за показване. + + + + Revert to the default OpenLP logo. + Възвърни OpenLP логото което е по подразбиране + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Език - + Please restart OpenLP to use your new language setting. Моля рестартирай OpenLP за ползване на новите езикови настройки @@ -3869,7 +3877,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Дисплей за OpenLP @@ -3896,11 +3904,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View &Изглед - - - M&ode - &Вид - &Tools @@ -3921,16 +3924,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help &Помощ - - - Service Manager - Управление на служба - - - - Theme Manager - Управление на теми - Open an existing service. @@ -3956,11 +3949,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit Из&ход - - - Quit OpenLP - Изключи OpenLP - &Theme @@ -3972,189 +3960,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Конфигурирай 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. - Закачи показването на управлението на панела Прожектиране - - - - 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 Английски @@ -4165,27 +4031,27 @@ You can download the latest version from http://openlp.org/. Настрой &Преки пътища - + Open &Data Folder... Отвори &Папка с данни - + Open the folder where songs, bibles and other data resides. Отвори папката съдържаща песни, библии и други данни. - + &Autodetect &Автоматично откриване - + Update Theme Images Актуализирай картините на темата - + Update the preview images for all themes. Актуализирай прегледа за всички теми. @@ -4195,45 +4061,35 @@ You can download the latest version from http://openlp.org/. Принтирай избраната служба - - 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. Изчисти списъка на последно отваряните файлове. @@ -4242,74 +4098,36 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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 @@ -4321,12 +4139,12 @@ Re-running this wizard may make changes to your current OpenLP configuration and Библиотека - + 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. @@ -4339,7 +4157,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and Импортирането на неправилни настройки може да предизвика некоректно поведение на програмата или неочакваното и спиране. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4348,35 +4166,10 @@ 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 - - &Recent Services @@ -4408,126 +4201,340 @@ Processing has terminated and no changes have been made. - + Exit OpenLP - + Are you sure you want to exit OpenLP? - + &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Служба + + + + Themes + Теми + + + + Projectors + + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + 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. Повтарящи се файлове бяха намерени при импортирането и бяха игнорирани. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Отметката <текст> липсва. - + <verse> tag is missing. Отметката <куплет> липсва. @@ -4535,22 +4542,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status - + No message - + Error while sending data to projector - + Undefined command: @@ -4558,32 +4565,32 @@ Suffix not supported OpenLP.PlayerTab - + Players Плеъри - + Available Media Players Налични медийни програми. - + Player Search Order Ред на търсене на плеърите - + Visible background for videos with aspect ratio different to screen. Видим фон за видео с размер различен от екрана. - + %s (unavailable) %s (неналични) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" @@ -4592,55 +4599,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details Детайли на добавката - + Status: Статус: - + Active Активна - - Inactive - Неактивна - - - - %s (Inactive) - %s (Неактивна) - - - - %s (Active) - %s (Активна) + + Manage Plugins + - %s (Disabled) - %s (Изключена) + {name} (Disabled) + - - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page Запълни страницата - + Fit Width Запълни ширината на листа @@ -4648,77 +4650,77 @@ Suffix not supported 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: Текст за долен колонтитул @@ -4726,257 +4728,257 @@ Suffix not supported 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 @@ -4984,17 +4986,17 @@ Suffix not supported OpenLP.ProjectorEdit - + Name Not Set - + You must enter a name for this entry.<br />Please enter a new name for this entry. - + Duplicate Name @@ -5002,52 +5004,52 @@ Suffix not supported 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 @@ -5055,305 +5057,360 @@ Suffix not supported 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 - - Delete projector (%s) %s? + + Are you sure you want to delete this projector? - - Are you sure you want to delete this projector? + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + + + + + No Authentication Error OpenLP.ProjectorPJLink - + Fan - + Lamp - + Temperature - + Cover - + Filter - + Other Друго @@ -5399,17 +5456,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address - + Invalid IP Address - + Invalid Port Number @@ -5422,26 +5479,26 @@ Suffix not supported Екран - + primary Първи OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Старт</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Дължина</strong>: %s - - [slide %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} @@ -5506,52 +5563,52 @@ Suffix not supported Изтрий избрания обект от службата. - + &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 Обекта ви не може да бъде показан понеже добавката която се занимава с това не е активирана или липсва. @@ -5576,7 +5633,7 @@ Suffix not supported Събери всички обекти в службата - + Open File Отвори файл @@ -5606,22 +5663,22 @@ Suffix not supported Изпрати избрания обект за прожектиране - + &Start Time Стартово време - + Show &Preview Покажи преглед - + Modified Service Променена служба - + The current service has been modified. Would you like to save this service? Тази служба беше променена. Да бъде ли запазена? @@ -5641,27 +5698,27 @@ Suffix not supported Продължителност: - + Untitled Service Неозаглавена служба - + File could not be opened because it is corrupt. Файлът е повреден и не може да бъде отворен. - + Empty File Празен файл. - + This service file does not contain any data. В този файл за служба няма никакви данни. - + Corrupt File Повреден файл @@ -5681,144 +5738,144 @@ Suffix not supported Избери тема за службата. - + 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: {name} + +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. + + An error occurred while writing the service file: {error} @@ -5851,15 +5908,10 @@ These files will be removed if you continue to save. Пряк път - + Duplicate Shortcut Повторение на пряк път - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Прекият път "%s" е вече свързан с друго действие. Моля ползвайте друг пряк път! - Alternate @@ -5905,219 +5957,234 @@ These files will be removed if you continue to save. Configure Shortcuts Конфигурирай преките пътища + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + 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 Парчета + + + Loop playing media. + + + + + Video timer. + + 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? @@ -6125,17 +6192,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions Предложения за правопис - + Formatting Tags Отметки за форматиране - + Language: Език: @@ -6214,7 +6281,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (приблизително %d реда на слайд) @@ -6222,521 +6289,531 @@ These files will be removed if you continue to save. 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. Темата по подразбиране не може да бъде изтрита. - + 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) - - %s time(s) by %s - - - - + Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s +{text} 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. Не е указана картина за фон. Моля изберете една преди да продължите! + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6819,73 +6896,73 @@ These files will be removed if you continue to save. Вертикално подравняване: - + 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 Добре дошли при помощника за импортиране на песни @@ -6935,39 +7012,34 @@ These files will be removed if you continue to save. 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 Написана от @@ -6977,502 +7049,490 @@ These files will be removed if you continue to save. Неизвестен автор - + 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 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: - + Preview Toolbar - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. @@ -7488,29 +7548,100 @@ Please try selecting it individually. Plural + + + Background color: + Цвят за фон: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Видео + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Няма налични Библии. + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Куплет + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + 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 @@ -7593,46 +7724,46 @@ Please try selecting it individually. Сега използвани - + 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 е непълна. Моля презаредете! + + Presentations ({text}) + - - The presentation %s no longer exists. - Презентацията %s вече не е налична. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. @@ -7643,11 +7774,6 @@ Please try selecting it individually. Available Controllers Налични контролери - - - %s (unavailable) - %s (неналични) - Allow presentation application to be overridden @@ -7664,12 +7790,12 @@ Please try selecting it individually. Ползвай дадения пълен път за mudraw или ghostscript binary: - + Select mudraw or ghostscript binary. Избери mudraw или ghostscript binary. - + The program is not ghostscript or mudraw which is required. Програмата не е ghostscript или mudraw, което се изисква. @@ -7680,12 +7806,18 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) @@ -7728,127 +7860,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 Настройки - + Remote Дистанционно - + Stage View - + Live View @@ -7856,78 +7988,88 @@ Please try selecting it individually. 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 Програма за андроид - + 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. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. @@ -7969,50 +8111,50 @@ Please try selecting it individually. Закачи проследяване на ползването на песните - + <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 принтирано @@ -8080,22 +8222,10 @@ All data recorded before this date will be permanently deleted. Местоположение на изходния файл. - - usage_detail_%s_%s.txt - Данни за ползването%s_%s.txt - - - + Report Creation Създаване на рапорт - - - Report -%s -has been successfully created. - Рапортът ⏎ %s ⏎ беше успешно създаден. - Output Path Not Selected @@ -8109,45 +8239,57 @@ Please select an existing path on your computer. Моля посочете налично място на вашия компютър. - + Report Creation Failed - - An error occurred while creating the report: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} 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... Преподреждане на песните... @@ -8240,80 +8382,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's SongSelect служба. - + Find &Duplicate Songs Намери &Дублирани песни - + Find and remove duplicate songs in the song database. Намери и премахни дублирани песни в базата данни с песни. @@ -8402,62 +8544,67 @@ The encoding is responsible for the correct character representation. 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Мета данни - + Custom Book Names Ръчно зададени имена на книги @@ -8540,57 +8687,57 @@ The encoding is responsible for the correct character representation. Тема, копирайт && коментари - + 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. Трябва да има поне един куплет. - + You need to have an author for this song. Трябва да има автор на песента. @@ -8615,7 +8762,7 @@ The encoding is responsible for the correct character representation. Премахни всичко - + Open File(s) Отвори файл(ове) @@ -8630,14 +8777,7 @@ The encoding is responsible for the correct character representation. <strong>Предупреждение:</strong> Не сте въвели реда на стиховете. - - 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 Невалиден ред на куплетите: @@ -8647,21 +8787,15 @@ Please enter the verses separated by spaces. - + Edit Author Type - + Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks @@ -8683,45 +8817,71 @@ Please enter the verses separated by spaces. - + Add Songbook - + This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Редактирай куплет - + &Verse type: Тип куплет: - + &Insert Вмъкни - + Split a slide into two by inserting a verse splitter. Раздели слайда на две с вмъкване на разделител. @@ -8734,77 +8894,77 @@ Please enter the verses separated by spaces. Помощник за експортиране на песни - + 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 формат. @@ -8812,7 +8972,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Невалиден файл за Foilpresenter. Не са намерени стихове. @@ -8820,7 +8980,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Активирай търсене докато пишеш @@ -8828,7 +8988,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Избери файл на документ/презентация @@ -8838,228 +8998,238 @@ Please enter the verses separated by spaces. Помощник за импортиране на песни - + 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. Моля изчакайте докато песните се импортират! - + 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 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. - + OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases - + LyriX Files - + LyriX (Exported TXT-files) - + VideoPsalm Files - + VideoPsalm - - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} @@ -9067,7 +9237,12 @@ Please enter the verses separated by spaces. SongsPlugin.LyrixImport - Error: %s + File {name} + + + + + Error: {error} @@ -9087,79 +9262,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Заглавия - + Lyrics Текстове - + CCLI License: CCLI лиценз: - + Entire Song Цялата песен - + Maintain the lists of authors, topics and books. Поддръжка на списъка с автори, теми и песнарки. - + copy For song cloning копие - + Search Titles... Търси заглавия... - + Search Entire Song... Търси цяла песен... - + Search Lyrics... Търси текст... - + Search Authors... Търси автори... - - Are you sure you want to delete the "%d" selected song(s)? + + Search Songbooks... - - Search Songbooks... + + Search Topics... + + + + + Copyright + Копирайт + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Неуспех при отваряне на базата данни на MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. @@ -9167,9 +9380,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Експортиране "%s"... + + Exporting "{title}"... + @@ -9188,29 +9401,37 @@ Please enter the verses separated by spaces. Няма песни за импортиране - + Verses not found. Missing "PART" header. Куплетите не са намерени. Липсва заглавката "PART". - No %s files found. - Няма намерен фаил %s. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Невалиден файл %s. Неочаквана байт стойност. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Невалиден файл %s. Липсваща заглавка "TITLE". + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Невалиден файл %s. Липсваща заглавка "COPYRIGHTLINE". + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9239,18 +9460,18 @@ 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 + + Your song export failed because this error occurred: {error} @@ -9267,17 +9488,17 @@ Please enter the verses separated by spaces. Следните песни не же да се импортират: - + Cannot access OpenOffice or LibreOffice Няма достъп до OpenOffice или LibreOffice - + Unable to open file Не може да се отвори файла - + File not found Файлът не е намерен @@ -9285,109 +9506,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Вече има тема %s. Бихте ли искали вместо темата %s, която сте въвели да се ползва %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Вече има песнарка %s. Бихте ли искали вместо %s, която сте въвели да се ползва %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9433,52 +9654,47 @@ Please enter the verses separated by spaces. Търсене - - Found %s song(s) - - - - + Logout - + View Преглед - + Title: Заглавие: - + Author(s): - + Copyright: Копирайт: - + CCLI Number: - + Lyrics: - + Back - + Import Импортирай @@ -9518,7 +9734,7 @@ Please enter the verses separated by spaces. - + Song Imported @@ -9533,7 +9749,7 @@ Please enter the verses separated by spaces. - + Your song has been imported, would you like to import more songs? @@ -9542,6 +9758,11 @@ Please enter the verses separated by spaces. Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9550,29 +9771,29 @@ Please enter the verses separated by spaces. Songs Mode Формуляр за песни - - - Display verses on live tool bar - Показвай куплетите на помощното табло за прожектиране - Update service from song edit Обнови службата от редактиране на песни - - - Import missing songs from service files - Импортирай липсващи песни от фаилове за служба - Display songbook in footer Покажи песнарка в бележка под линия + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info @@ -9597,37 +9818,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Куплет - + Chorus Припев - + Bridge Бридж - + Pre-Chorus Предприпев - + Intro Интро - + Ending Завършек - + Other Друго @@ -9635,8 +9856,8 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s + + Error: {error} @@ -9644,12 +9865,12 @@ Please enter the verses separated by spaces. SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. @@ -9661,30 +9882,30 @@ Please enter the verses separated by spaces. Грешка при четене на CSV файла. - - Line %d: %s - Линия %d: %s - - - - Decoding error: %s - Грешка при декодиране: %s - - - + File not valid WorshipAssistant CSV format. - - Record %d - Запис %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Не може да се свърже с базата данни WorshipCenter Pro. @@ -9697,25 +9918,30 @@ Please enter the verses separated by spaces. Грешка при четене на CSV файла. - + File not valid ZionWorx CSV format. Файла не във правилен ZionWorx CSV формат. - - Line %d: %s - Линия %d: %s - - - - Decoding error: %s - Грешка при декодиране: %s - - - + Record %d Запис %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9725,39 +9951,960 @@ 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. Този помощник ще ви помогна да премахнете дублирани песни от базата данни с песни. Ще имате възможност да прегледате всяко възможно дублиране на песен преди да е изтрито. Така няма да бъде изтрита песен без вашето изрично одобрение, - + 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. Не бяха намерени дублирани песни в базата данни. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Английски + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/cs.ts b/resources/i18n/cs.ts index e3c5f9ea3..9de5ade45 100644 --- a/resources/i18n/cs.ts +++ b/resources/i18n/cs.ts @@ -120,32 +120,27 @@ Před klepnutím na Nový prosím zadejte nějaký text. AlertsPlugin.AlertsTab - + Font Písmo - + Font name: Název písma: - + Font color: Barva písma: - - Background color: - Barva pozadí: - - - + Font size: Velikost písma: - + Alert timeout: Čas vypršení upozornění: @@ -153,88 +148,78 @@ 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. - Genesis @@ -739,161 +724,107 @@ Před klepnutím na Nový prosím zadejte nějaký text. Tato Bible už existuje. Importujte prosím jinou Bibli nebo nejdříve smažte tu existující. - - You need to specify a book name for "%s". - Je nutno uvést název knihy pro "%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" není správný název knihy. -Čísla mohou být použita jen na začátku a pak musí -následovat jeden nebo více nečíslných znaků. - - - + Duplicate Book Name Duplicitní název knihy - - The Book Name "%s" has been entered more than once. - "%s" jako název knihy byl zadán více než jednou. + + You need to specify a book name for "{text}". + Je potřeba upřesnit název knihy "{text}". + + + + The book name "{name}" 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 "{name}" has been entered more than once. + Název knihy "{name}" byl zádán více než jednou. BiblesPlugin.BibleManager - + Scripture Reference Error Chyba v odkazu do Bible - - Web Bible cannot be used - Bibli z www nelze použít + + Web Bible cannot be used in Text Search + Webovou Bibli nelze použít pro textové vyhledávání - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Odkaz z Bible buďto není podporován aplikací OpenLP nebo je neplatný. Ujistěte se prosím, že odkaz odpovídá jednomu z následujících vzorů nebo další detaily viz manuál: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Kniha Kapitola -Kniha Kapitola%(range)sKapitola -Kniha Kapitola%(verse)sVerš%(range)sVerš -Kniha Kapitola%(verse)sVerš%(range)sVerš%(list)sVerš%(range)sVerš -Kniha Kapitola%(verse)sVerš%(range)sVerš%(list)sKapitola%(verse)sVerš%(range)sVerš -Kniha Kapitola%(verse)sVerš%(range)sKapitola%(verse)sVerš +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + Žadný nález BiblesPlugin.BiblesTab - + Verse Display Zobrazit verš - + Only show new chapter numbers Zobrazit jen číslo nové kapitoly - + Bible theme: Motiv Bible: - + No Brackets Žádné závorky - + ( And ) ( A ) - + { And } { A } - + [ And ] [ A ] - - Note: -Changes do not affect verses already in the service. - Poznámka: -Verše, které jsou už ve službě, nejsou změnami ovlivněny. - - - + Display second Bible verses Zobrazit druhé verše z Bible - + Custom Scripture References Uživatelské odkazy z Bible - - Verse Separator: - Oddělovač veršů: - - - - Range Separator: - Oddělovač rozsahů: - - - - List Separator: - Oddělovač seznamů: - - - - End Mark: - Ukončovací značka: - - - + 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. @@ -902,37 +833,83 @@ Musí být odděleny vislou čárou "|". Pro použití výchozí hodnoty smažte tento řádek. - + English Čeština - + Default Bible Language Výchozí jazyk Bible - + Book name language in search field, search results and on display: Jazyk názvů knih ve vyhledávacím poli, výsledcích vyhledávání a při zobrazení: - + Bible Language Jazyk Bible - + Application Language Jazyk aplikace - + Show verse numbers Zobrazit čísla veršů + + + Note: Changes do not affect verses in the Service + Poznámka: Změny neovlivní verše ve službě + + + + Verse separator: + Oddělovač veršů: + + + + Range separator: + Oddělovač rozsahů: + + + + List separator: + Oddělovač seznamů: + + + + End mark: + Ukončovací značka: + + + + Quick Search Settings + Nastavení rychlého hledání + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +965,76 @@ 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. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + BiblesPlugin.EditBibleForm - + Bible Editor Editor Bible - + License Details Podrobnosti k licenci - + Version name: Název verze: - + Copyright: Autorská práva: - + Permissions: Povolení: - + Default Bible Language Výchozí jazyk Bible - + Book name language in search field, search results and on display: Jazyk názvů knih ve vyhledávacím poli, výsledcích vyhledávání a při zobrazení: - + Global Settings Globální nastavení - + Bible Language Jazyk Bible - + Application Language Jazyk aplikace - + English Čeština @@ -1071,224 +1054,259 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + Bible: + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + Importovat ze složky + + + + Import from Zip-file + Importovat ze souboru ZIP. + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1319,114 +1337,135 @@ Není možné přizpůsobit si názvy knih. BiblesPlugin.MediaItem - - Quick - Rychlý - - - + Find: Hledat: - + Book: Zpěvník: - + Chapter: Kapitola: - + Verse: Verš: - + From: Od: - + To: Do: - + Text Search Hledání textu - + Second: Druhý: - + Scripture Reference Odkaz do Bible - + Toggle to keep or clear the previous results. Přepnout ponechání nebo smazání předchozích výsledků. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Nelze kombinovat jednoduché a dvojité výsledky hledání veršů v Bibli. Přejete si smazat výsledky hledání a začít s novým vyhledáváním? - + Bible not fully loaded. Bible není načtena celá. - + Information Informace - - 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. - Druhá Bible neobsahuje všechny verše jako jsou v hlavní Bibli. Budou zobrazeny jen verše nalezené v obou Biblích. %d veršů nebylo zahrnuto ve výsledcích. - - - + Search Scripture Reference... Hledat odkaz do Bible... - + Search Text... Hledat text... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Hledat + + + + Select + Vybrat + + + + Clear the search results. + Skrýt výsledky hledání. + + + + Text or Reference + Text nebo odkaz + + + + Text or Reference... + Text nebo odkaz... + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Jste si jist, že chcete úplně vymazat Bibli "%s" z OpenLP? + Jste si jisti, že chcete zcela vymazat Bibli "{bible}" z OpenLP? Pro použití bude potřeba naimportovat Bibli znovu. - - Advanced - Pokročilé + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + Druhá Bible neobsahuje všechny verše, které se nachází v hlavní Bibli. +Zobrazí se pouze verše nalezené v obou Biblích. + +{count:d} veršu nebylo zahrnuto ve výsledcích. BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Zadán nesprávný typ souboru s Biblí. OpenSong Bible mohou být komprimovány. Před importem je třeba je rozbalit. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. 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. @@ -1434,177 +1473,53 @@ Pro použití bude potřeba naimportovat Bibli znovu. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importuji %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + Importuji {name} {chapter}... 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... Importuji %(bookname)s %(chapter)s... + + + The file is not a valid OSIS-XML file: +{text} + Soubor není validním souborem typu OSIS-XML: +{text} + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Vybrat složku pro zálohu + + Importing {name}... + Importuji {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Průvodce aktualizací Bible - - - - 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. - Tento průvodce pomáhá s aktualizací existujcích Biblí z předchozí verze OpenLP 2. Pro spuštění aktualizace klepně níže na tlačítko Další. - - - - Select Backup Directory - Vybrat složku pro zálohu - - - - Please select a backup directory for your Bibles - Vyberte prosím složku pro zálohu Biblí - - - - 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>. - Předchozí vydání OpenLP 2.0 nejsou schopny aktualizovat Bible. Bude vytvořena záloha současných Biblí, aby bylo možné v případě potřeby jednoduše nakopírovat soubory zpět do datové složky aplikace OpenLP. Instrukce, jak obnovit soubory, lze nalézt v <a href="http://wiki.openlp.org/faq">často kladené otázky</a>. - - - - Please select a backup location for your Bibles. - Vyberte prosím umístění pro zálohu Biblí. - - - - Backup Directory: - Složka pro zálohu: - - - - There is no need to backup my Bibles - Není potřeba zálohovat Bible - - - - Select Bibles - Vybrat Bible - - - - Please select the Bibles to upgrade - Vyberte prosím Bible k aktualizaci - - - - Upgrading - Aktualizuji - - - - Please wait while your Bibles are upgraded. - Počkejte prosím, než budou Bible aktualizovány. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Záloha nebyla úspěšná. Pro zálohu Biblí je nutno oprávnění k zápisu do zadané složky. - - - - Upgrading Bible %s of %s: "%s" -Failed - Aktualizuji Bibli %s z %s: "%s" -Selhalo - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Aktualizuji Bibli %s z %s: "%s" -Aktualizuji ... - - - - Download Error - Chyba stahování - - - - To upgrade your Web Bibles an Internet connection is required. - Pro aktualizaci Biblí z www je vyžadováno internetové připojení. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Aktualizuji Bibli %s z %s: "%s" -Aktualizuji %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Aktualizuji Bibli %s z %s: "%s" -Dokončeno - - - - , %s failed - , %s selhalo - - - - Upgrading Bible(s): %s successful%s - Aktualizace Biblí: %s úspěšné%s - - - - Upgrade failed. - Aktualizace selhala. - - - - You need to specify a backup directory for your Bibles. - Je potřeba upřesnit složku pro zálohu Biblí. - - - - Starting upgrade... - Spouštím aktualizaci... - - - - There are no Bibles that need to be upgraded. - Žádné Bible nepotřebují aktualizovat. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Aktualizace Biblí: %(success)d úspěšné%(failed_text)s -Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyžadováno internetové připojení. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + Při importu Bible typu SWORD se vyskytla chyba, oznamte prosím tuto skutečnost vývojářům OpenLP: +{error} 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. @@ -1612,9 +1527,9 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importuji %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importuji {book} {chapter}... @@ -1729,7 +1644,7 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž Upravit všechny snímky najednou. - + Split a slide into two by inserting a slide splitter. Vložením oddělovače se snímek rozdělí na dva. @@ -1744,7 +1659,7 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž &Zásluhy: - + You need to type in a title. Je nutno zadat název. @@ -1754,12 +1669,12 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž &Upravit vše - + Insert Slide Vložit snímek - + You need to add at least one slide. Je potřeba přidat alespoň jeden snímek. @@ -1767,7 +1682,7 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž CustomPlugin.EditVerseForm - + Edit Slide Upravit snímek @@ -1775,9 +1690,9 @@ 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 "%d" selected custom slide(s)? - Jste si jisti, že chcete smazat "%d" vybraných uživatelských snímků? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Opravdu chcete smazat "{items:d}" vybraných uživatelských snímků? @@ -1805,11 +1720,6 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž container title Obrázky - - - Load a new image. - Načíst nový obrázek. - Add a new image. @@ -1840,6 +1750,16 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž Add the selected image to the service. Přidat vybraný obrázek ke službě. + + + Add new image(s). + Přidat nové obrázky. + + + + Add new image(s) + Přidat nové obrázky + ImagePlugin.AddGroupForm @@ -1864,12 +1784,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. @@ -1905,7 +1825,7 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž ImagePlugin.ExceptionDialog - + Select Attachment Vybrat přílohu @@ -1913,39 +1833,22 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1955,25 +1858,42 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + Opravdu chcete odstranit "{name}" a vše co obsahuje? + + + + The following image(s) no longer exist: {names} + Následující obrázky již neexistují: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + Následující obrázky již neexistují: {names} +Chcete přesto přidat ostatní obrázky? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Problém s nahrazením pozadí. Soubor obrázku "{name}" už neexistuje. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Viditelné pozadí pro obrázky s jiným poměrem stran než má obrazovka. @@ -1981,27 +1901,27 @@ Chcete přidat ostatní obrázky? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Tento přehrávač médií využívá pro přehrávání schopností operačního systému. @@ -2009,60 +1929,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ě. @@ -2178,47 +2098,47 @@ Chcete přidat ostatní obrázky? VLC přehrávač selhal při přehrávání médií - + CD not loaded correctly CD není správně načteno - + The CD was not loaded correctly, please re-load and try again. CD nebylo správně načteno. Prosím načtěte CD ještě jednou a zkuste to znovu. - + DVD not loaded correctly DVD není správně načteno - + The DVD was not loaded correctly, please re-load and try again. DVD nebylo správně načteno. Prosím načtěte DVD ještě jednou a zkuste to znovu. - + Set name of mediaclip Nastavit název klipu - + Name of mediaclip: Název klipu: - + Enter a valid name or cancel Zadejte platný název nebo zrušte - + Invalid character Neplatný znak - + The name of the mediaclip must not contain the character ":" Název klipu nesmí obsahovat znak ":" @@ -2226,90 +2146,100 @@ Chcete přidat ostatní obrázky? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Nepodporovaný soubor - + Use Player: Použít přehrávač: - + VLC player required Vyžadován přehrávač VLC - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + Soubor %s není podporován v přehrávači %s + + + + Unsupported Media File + Nepodporovaný mediální soubor + + + + CD/DVD playback is only supported if VLC is installed and enabled. + Přehrávání CD/DVD je podporováno, jen když je nainstalován a povolen přehrávač VLC. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Problém s nahrazením pozadí. Soubor média "{name}" už neexistuje. + + + + The optical disc {name} is no longer available. + Optický disk {name} už není dostupný. + + + + The file {name} no longer exists. + Soubor {name} už neexistuje. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Video ({video});;Audio ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2320,41 +2250,19 @@ Chcete přidat ostatní obrázky? - Start Live items automatically - Automaticky spouštět položky Naživo - - - - OPenLP.MainWindow - - - &Projector Manager - Správce &projektorů + Start new Live media automatically + OpenLP - + Image Files Soubory s obrázky - - Information - Informace - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Formát Bible byl změněn. -Existující Bible musí být aktualizovány. -Má se aktualizace provét teď? - - - + Backup Zálohování @@ -2369,15 +2277,20 @@ Má se aktualizace provét teď? Zálohování datové složky selhalo! - - A backup of the data folder has been created at %s - Záloha datové složky byla vytvořena v %s - - - + Open Otevřít + + + A backup of the data folder has been createdat {text} + Záloha datové složky byla vytvořena v {text} + + + + Video Files + Video soubory + OpenLP.AboutForm @@ -2387,15 +2300,10 @@ Má se aktualizace provét teď? Zásluhy - + License Licence - - - build %s - sestavení %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. @@ -2424,7 +2332,7 @@ Více informací o OpenLP: http://openlp.org/ OpenLP vytváří a udržují dobrovolníci. Pokud má existovat více volně dostupného křesťanského software, zvažte jestli se také nezapojit do vytváření OpenLP. Můžete tak učinit tlačítkem níže. - + Volunteer Dobrovolník @@ -2616,333 +2524,239 @@ Přinášíme tuto aplikaci zdarma, protože On nás osvobodil. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Autorská práva © 2004-2016 %s -Částečná autorská práva © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + Autorská práva (C) 2004-2016 {cr} + +Částečná autorská práva (C) 2004-2016 {others} + + + + build {version} + OpenLP.AdvancedTab - + UI Settings Nastavení rozhraní - - - Number of recent files to display: - Počet zobrazených nedávných souborů: - - Remember active media manager tab on startup - Pamatovat si při spuštění aktivní kartu správce médií - - - - Double-click to send items straight to live - Dvojklik zobrazí položku přímo naživo - - - Expand new service items on creation Při vytvoření rozbalit nové položky služby - + Enable application exit confirmation Zapnout potvrzování ukončení aplikace - + Mouse Cursor Kurzor myši - + Hide mouse cursor when over display window Skrýt kurzor myši v okně zobrazení - - Default Image - Výchozí obrázek - - - - Background color: - Barva pozadí: - - - - Image file: - Soubor s obrázkem: - - - + Open File Otevřít soubor - + Advanced Pokročilé - - - Preview items when clicked in Media Manager - Náhled položek při klepnutí ve správci médií - - Browse for an image file to display. - Procházet pro obrázek k zobrazení. - - - - Revert to the default OpenLP logo. - Vrátit na výchozí OpenLP logo. - - - Default Service Name Výchozí název služby - + Enable default service name Zapnout výchozí název služby - + Date and Time: Datum a čas: - + Monday Pondělí - + Tuesday Úterý - + Wednesday Středa - + Friday Pátek - + Saturday Sobota - + Sunday Neděle - + Now Teď - + Time when usual service starts. Čas, kdy obvykle začíná bohoslužba. - + Name: Název: - + Consult the OpenLP manual for usage. Pro použití se podívejte do dokumentace. - - Revert to the default service name "%s". - Vrátit na výchozí název služby "%s". - - - + Example: Příklad: - + Bypass X11 Window Manager Obejít správce oken X11 - + Syntax error. Chyba syntaxe. - + Data Location Umístění dat - + Current path: Současná cesta: - + Custom path: Uživatelská cesta: - + Browse for new data file location. Procházet pro nové umístění datových souborů. - + Set the data location to the default. Nastavit umístění dat na výchozí. - + Cancel Zrušit - + Cancel OpenLP data directory location change. Zrušit změnu umístění datové složky OpenLP. - + Copy data to new location. Kopírovat data do nového umístění. - + Copy the OpenLP data files to the new location. Kopírovat datové soubory OpenLP do nového umístění. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>VAROVÁNÍ:</strong> Nové umístnění datové složky už obsahuje datové soubory OpenLP. Tyto soubory BUDOU nahrazeny během kopírování. - + Data Directory Error Chyba datové složky - + Select Data Directory Location Vybrat umístění datové složky - + Confirm Data Directory Change Potvrdit změnu datové složky - + Reset Data Directory Obnovit datovou složku - + Overwrite Existing Data Přepsat existující 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. - Datová složka OpenLP nebyla nalezena - -%s - -Výchozí umístění OpenLP bylo dříve změněno na tuto složku. Pokud nové umístění bylo na výměnném zařízení, je nutno dané zařízení nejdříve připojit. - -Klepněte na "Ne", aby se přerušilo načítání OpenLP. To umožní opravit daný problém. - -Klepněte na "Ano", aby se datová složka nastavila na výchozí umístění. - - - - 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. - Jste si jist, že chcede změnit umístění datové složky OpenLP na: - -%s - -Toto umístění se použije po zavření aplikace OpenLP. - - - + Thursday Čtvrtek - + Display Workarounds Vychytávky zobrazení - + Use alternating row colours in lists V seznamech pro lepší přehlednost střídat barvu pozadí řádku - - 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? - VAROVÁNÍ: - -Vypadá to, že vybrané umístění - -%s - -už obsahuje datové soubory OpenLP. Přejete si nahradit tyto soubory současnými datovými soubory? - - - + Restart Required Požadován restart - + This change will only take effect once OpenLP has been restarted. Tato změna se projeví až po opětovném spuštění aplikace OpenLP. - + 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. @@ -2950,11 +2764,155 @@ This location will be used after OpenLP is closed. Toto umístění se použije po zavření aplikace OpenLP. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + Nepoužívat automatické skrolování. + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automaticky + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klepnout pro výběr barvy. @@ -2962,252 +2920,252 @@ Toto umístění se použije po zavření aplikace OpenLP. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digitální - + Storage Úložiště - + Network Síť - + 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ální 1 - + Digital 2 Digitální 2 - + Digital 3 Digitální 3 - + Digital 4 Digitální 4 - + Digital 5 Digitální 5 - + Digital 6 Digitální 6 - + Digital 7 Digitální 7 - + Digital 8 Digitální 8 - + Digital 9 Digitální 9 - + Storage 1 Úložiště 1 - + Storage 2 Úložiště 2 - + Storage 3 Úložiště 3 - + Storage 4 Úložiště 4 - + Storage 5 Úložiště 5 - + Storage 6 Úložiště 6 - + Storage 7 Úložiště 7 - + Storage 8 Úložiště 8 - + Storage 9 Úložiště 9 - + Network 1 Síť 1 - + Network 2 Síť 2 - + Network 3 Síť 3 - + Network 4 Síť 4 - + Network 5 Síť 5 - + Network 6 Síť 6 - + Network 7 Síť 7 - + Network 8 Síť 8 - + Network 9 Síť 9 @@ -3215,62 +3173,74 @@ Toto umístění se použije po zavření aplikace OpenLP. OpenLP.ExceptionDialog - + Error Occurred Vznikla chyba - + Send E-Mail Poslat e-mail - + Save to File Uložit do souboru - + Attach File Přiložit soubor - - - Description characters to enter : %s - Znaky popisu pro vložení : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Zadejte prosím popis toho, co jste prováděl, když vznikla tato chyba. Pokud možno, pište v angličtině. -(Minimálně 20 písmen) - - 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. Also attach any files that triggered the problem. - Jejda! V aplikaci OpenLP vznikl problém, ze kterého není možné se zotavit. Text v polícku níže obsahuje informace, které mohou být užitečné pro vývojáře aplikace OpenLP. Zašlete je prosím spolu s podrobným popisem toho, co jste dělal, když problém vzniknul, na adresu bugs@openlp.org. Také přiložte jakékoliv soubory, co spustili tento problém. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Prosím popište o co jste se pokoušeli.</strong> &nbsp;Pokud možno použijte angličtinu. + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + <strong>Ups, OpenLP bylo zasaženo problémem a nedokázalo se vzpamatovat!</strong> <br><br><strong>Můžete pomoci </strong> vývojářům OpenLP chybu <strong>opravit</strong> tím<br>, že jim pošlete <strong>chybové hlášení</strong> na {email}{newlines} + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + {first_part}<strong>Žádný emailový klient? </strong> Můžete <strong>uložit</strong> tyto informace do <strong>souboru</strong> a<br>poslat je <strong>emailem v prohlížeči</strong> pomocí <strong>přílohy.</strong><br><br><strong>Děkujeme<strong> že jste součástí zlepšování OpenLP!<br> + + + + <strong>Thank you for your description!</strong> + <strong>Děkujeme za váš popis!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Popište nám co jste dělali, když se to stalo.</strong> + + + + <strong>Please enter a more detailed description of the situation + <strong>Prosím vložte podrobnější popis situace</strong> OpenLP.ExceptionForm - - Platform: %s - - Platforma: %s - - - - + Save Crash Report Uložit hlášení o pádu - + Text files (*.txt *.log *.text) Textové soubory (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3311,268 +3281,261 @@ Toto umístění se použije po zavření aplikace OpenLP. 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. - Internetové připojení není dostupné. Průvodce prvním spuštění potřebuje internetové připojení pro stažení ukázek písní, Biblí a motivů. Klepněte na tlačiko Konec pro spuštění aplikace OpenLP ve výchozím nastavení a bez ukázkových dat. - -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. - - -Ú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 + + + Select parts of the program you wish to use + Vyberte části programu, které chcete používat + + + + You can also change these settings after the Wizard. + Toto nastavení můžete změnit i po ukončení průvodce. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + Stahování {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Stahování dokončeno. Klikněte na tlačítko {button} pro návrat do OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Stahování dokončeno. Klikněte na tlačítko {button} pro spuštění do OpenLP. + + + + Click the {button} button to return to OpenLP. + Klikněte na tlačítko {button} pro návrat do OpenLP. + + + + Click the {button} button to start OpenLP. + Klikněte na tlačítko {button} pro spuštění do OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + Tento průvodce vám pomuže nastavit OpenLP pro jeho první použití. Pro spuštění stiskněte tlačítko {button} níže. + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +Pro úplné zrušení Průvodce prvním použitím (OpenLP nebude spuštěno) stiskněte tlačítko {button} nyní. + OpenLP.FormattingTagDialog @@ -3615,44 +3578,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML zde> - + Validation Error Chyba ověřování - + Description is missing Chybějící popis - + Tag is missing Chybějící značka - Tag %s already defined. - Značka %s je už definovaná. + Tag {tag} already defined. + Značka {tag} je již definovaná. - Description %s already defined. - Popis %s je již definovaný. + Description {tag} already defined. + Popis {tag} je již definovaný. - - Start tag %s is not valid HTML - Počáteční značka %s není ve formátu HTML + + Start tag {tag} is not valid HTML + Počáteční značka {tag} není validní HTML - - End tag %(end)s does not match end tag for start tag %(start)s - Koncová značka %(end)s neodpovídá ukončení k počáteční značce %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + Nová značka {row:d} @@ -3741,170 +3709,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General Obecné - + Monitors Monitory - + Select monitor for output display: Vybrat monitor pro výstupní zobrazení: - + Display if a single screen Zobrazení při jedné obrazovce - + Application Startup Spuštění aplikace - + Show blank screen warning Zobrazit varování při prázdné obrazovce - - Automatically open the last service - Automaticky otevřít poslední službu - - - + Show the splash screen Zobrazit úvodní obrazovku - + Application Settings Nastavení aplikace - + Prompt to save before starting a new service Před spuštěním nové služby se ptát na uložení - - Automatically preview next item in service - Automatický náhled další položky ve službě - - - + sec sek - + CCLI Details CCLI podrobnosti - + SongSelect username: SongSelect uživatelské jméno: - + SongSelect password: SongSelect heslo: - + X X - + Y Y - + Height Výška - + Width Šířka - + Check for updates to OpenLP Kontrola aktualizací aplikace OpenLP - - Unblank display when adding new live item - Odkrýt zobrazení při přidání nové položky naživo - - - + Timed slide interval: Časový interval mezi snímky: - + Background Audio Zvuk na pozadí - + Start background audio paused Spustit audio na pozadí pozastavené - + Service Item Slide Limits Omezení snímku položky služby - + Override display position: Překrýt pozici zobrazení: - + Repeat track list Opakovat seznam stop - + Behavior of next/previous on the last/first slide: Chování další/předchozí na posledním/prvním snímku: - + &Remain on Slide &Zůstat na snímku - + &Wrap around &Skočit na první/poslední snímek - + &Move to next/previous service item &Přesun na další/předchozí položku ve službě + + + Logo + Logo + + + + Logo file: + Soubor s logem: + + + + Browse for an image file to display. + Procházet pro obrázek k zobrazení. + + + + Revert to the default OpenLP logo. + Vrátit na výchozí OpenLP logo. + + + + Don't show logo on startup + Nezobrazovat logo při spuštění + + + + Automatically open the previous service file + Automaticky otevřít soubor s poslední službou + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + Automaticky zobrazit náhled další položky služby + OpenLP.LanguageManager - + Language Jazyk - + Please restart OpenLP to use your new language setting. Změny nastavení jazyka se projeví restartováním aplikace OpenLP. @@ -3912,7 +3910,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Zobrazení OpenLP @@ -3939,11 +3937,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View &Zobrazit - - - M&ode - &Režim - &Tools @@ -3964,16 +3957,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help &Nápověda - - - Service Manager - Správce služby - - - - Theme Manager - Správce motivů - Open an existing service. @@ -3999,11 +3982,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit U&končit - - - Quit OpenLP - Ukončit OpenLP - &Theme @@ -4015,191 +3993,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Nastavení OpenLP - - &Media Manager - Správce &médií - - - - Toggle Media Manager - Přepnout správce médií - - - - Toggle the visibility of the media manager. - Přepnout viditelnost správce médií. - - - - &Theme Manager - Správce &motivů - - - - Toggle Theme Manager - Přepnout správce motivů - - - - Toggle the visibility of the theme manager. - Přepnout viditelnost správce motivů. - - - - &Service Manager - Správce &služby - - - - Toggle Service Manager - Přepnout správce služby - - - - Toggle the visibility of the service manager. - Přepnout viditelnost správce služby. - - - - &Preview Panel - Panel &Náhled - - - - Toggle Preview Panel - Přepnout panel Náhled - - - - Toggle the visibility of the preview panel. - Přepnout viditelnost panelu náhled. - - - - &Live Panel - Panel Na&živo - - - - Toggle Live Panel - Přepnout panel Naživo - - - - Toggle the visibility of the live panel. - Přepnout viditelnost panelu naživo. - - - - List the Plugins - Vypsat moduly - - - + &User Guide &Uživatelská příručka - + &About &O aplikaci - - More information about OpenLP - Více informací o aplikaci OpenLP - - - + &Online Help &Online nápověda - + &Web Site &Webová stránka - + Use the system language, if available. Použít jazyk systému, pokud je dostupný. - - Set the interface language to %s - Jazyk rozhraní nastaven na %s - - - + Add &Tool... Přidat &nástroj... - + Add an application to the list of tools. Přidat aplikaci do seznamu nástrojů. - - &Default - &Výchozí - - - - Set the view mode back to the default. - Nastavit režim zobrazení zpět na výchozí. - - - + &Setup &Nastavení - - Set the view mode to Setup. - Nastavit režim zobrazení na Nastavení. - - - + &Live &Naživo - - Set the view mode to Live. - Nastavit režim zobrazení na Naživo. - - - - 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/. - Ke stažení je dostupná verze %s aplikace OpenLP (v současné době používáte verzi %s). - -Nejnovější verzi lze stáhnout z http://openlp.org/. - - - + OpenLP Version Updated Verze OpenLP aktualizována - + OpenLP Main Display Blanked Hlavní zobrazení OpenLP je prázdné - + The Main Display has been blanked out Hlavní zobrazení nastaveno na prázdný snímek - - Default Theme: %s - Výchozí motiv: %s - - - + English Please add the name of your language here Čeština @@ -4210,27 +4064,27 @@ Nejnovější verzi lze stáhnout z http://openlp.org/. &Klávesové zkratky - + Open &Data Folder... Otevřít složku s &daty... - + Open the folder where songs, bibles and other data resides. Otevřít složku, kde se nachází písně, Bible a ostatní data. - + &Autodetect &Automaticky detekovat - + Update Theme Images Aktualizace obrázků motivu - + Update the preview images for all themes. Aktualizovat náhledy obrázků všech motivů. @@ -4240,32 +4094,22 @@ Nejnovější verzi lze stáhnout z http://openlp.org/. Tisk současné služby. - - L&ock Panels - &Uzamknout panely - - - - Prevent the panels being moved. - Zabrání přesunu panelů. - - - + Re-run First Time Wizard Průvodce prvním spuštění - + Re-run the First Time Wizard, importing songs, Bibles and themes. Znovu spustit Průvodce prvním spuštění, importovat písně, Bible a motivy. - + Re-run First Time Wizard? Znovu spustit Průvodce prvním spuštění? - + 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. @@ -4274,13 +4118,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ů. @@ -4289,75 +4133,36 @@ Znovuspuštěním tohoto průvodce může dojít ke změně současného nastave Configure &Formatting Tags... &Formátovací značky - - - Export OpenLP settings to a specified *.config file - Export nastavení OpenLP do určitého *.config souboru - Settings Nastavení - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Import nastavení OpenLP ze určitého *.config souboru dříve exportovaného na tomto nebo jiném stroji - - - + Import settings? Importovat nastavení? - - Open File - Otevřít soubor - - - - OpenLP Export Settings Files (*.conf) - Soubory exportovaného nastavení OpenLP (*.conf) - - - + Import settings Import nastavení - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. Aplikace OpenLP se nyní zavře. Importovaná nastavení se použijí při příštim spuštění. - + Export Settings File Soubor exportovaného nastavení - - OpenLP Export Settings File (*.conf) - 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 - Kopírování datové složky OpenLP selhalo - -%s - General @@ -4369,12 +4174,12 @@ Znovuspuštěním tohoto průvodce může dojít ke změně současného nastave Knihovna - + Jump to the search box of the current active plugin. Skočit na vyhledávací pole současného aktivního modulu. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4387,7 +4192,7 @@ Importováním nastavení dojde k trvalým změnám současného nastavení apli Importování nesprávných nastavení může zapříčinit náladové chování nebo nenormální ukončení aplikace 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. @@ -4396,35 +4201,10 @@ Processing has terminated and no changes have been made. Zpracování bylo přerušeno a žádná změna se neprovedla. - - Projector Manager - Správce projektorů - - - - Toggle Projector Manager - Přepnout správce projektorů - - - - Toggle the visibility of the Projector Manager - Přepnout viditelnost správce projektorů - - - + Export setting error Chyba exportu nastavení - - - 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 - &Recent Services @@ -4456,131 +4236,340 @@ Zpracování bylo přerušeno a žádná změna se neprovedla. &Spravovat moduly - + Exit OpenLP Ukončit OpenLP - + Are you sure you want to exit OpenLP? Jste si jist, že chcete ukončit aplikaci OpenLP? - + &Exit OpenLP &Ukončit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Služba + + + + Themes + Motivy + + + + Projectors + Projektory + + + + Close OpenLP - Shut down the program. + Zavřít OpenLP - Vypnout program. + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + &Projektory + + + + Hide or show Projectors. + Skrýt nebo zobrazit panel Projektory. + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + K&nihovna + + + + Hide or show the Library. + Skrýt nebo zobrazit panel Knihovna. + + + + Toggle the visibility of the Library. + Přepnout viditelnost knihovny. + + + + &Themes + &Motivy + + + + Hide or show themes + Skrýt nebo zobrazit panel Motivy + + + + Toggle visibility of the Themes. + Přepnout viditelnost panelu Motivy. + + + + &Service + + + + + Hide or show Service. + Skrýt nebo zobrazit panel Služba. + + + + Toggle visibility of the Service. + + + + + &Preview + &Náhled + + + + Hide or show Preview. + Skrýt nebo zobrazit panel Náhled. + + + + Toggle visibility of the Preview. + Přepnout viditelnost panelu Náhled. + + + + Li&ve + + + + + Hide or show Live + Skrýt nebo zobrazit panel Živě. + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + Více informací o OpenLP. + + + + Set the interface language to {name} + + + + + &Show all + &Zobrazit vše + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 - Databáze k načtení byla vytvořena v novější verzi aplikace OpenLP. Verze databáze je %d, zatímco OpenLP očekává verzi %d. Databáze nebude načtena. - -Databáze: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP nemůže načíst databázi.. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Databáze: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Nevybrány žádné položky - + &Add to selected Service Item &Přidat k vybrané Položce Služby - + You must select one or more items to preview. Pro náhled je třeba vybrat jednu nebo více položek. - + You must select one or more items to send live. Pro zobrazení naživo je potřeba vybrat jednu nebo více položek. - + You must select one or more items. Je třeba vybrat jednu nebo více položek. - + You must select an existing service item to add to. K přidání Je třeba vybrat existující položku služby. - + Invalid Service Item Neplatná Položka služby - - You must select a %s service item. - Je třeba vybrat %s položku služby. - - - + You must select one or more items to add. Pro přidání Je třeba vybrat jednu nebo více položek. - + No Search Results Žádné výsledky hledání - + Invalid File Type Neplatný typ souboru - - Invalid File %s. -Suffix not supported - Soubor v neznámém formátu %s. -Přípona není podporovaná - - - + &Clone &Klonovat - + Duplicate files were found on import and were ignored. Při importu byly nalezeny duplicitní soubory a byly ignorovány. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Chybějící značka <lyrics>. - + <verse> tag is missing. Chybějící značka <verse>. @@ -4588,22 +4577,22 @@ Přípona není podporovaná OpenLP.PJLink1 - + Unknown status Neznámý stav - + No message Žádná zpráva - + Error while sending data to projector Chyba při posílání dat projektoru - + Undefined command: Nedefinovaný příkaz: @@ -4611,32 +4600,32 @@ Přípona není podporovaná OpenLP.PlayerTab - + Players Přehrávače - + Available Media Players Dostupné přehrávače médií - + Player Search Order Pořadí použití přehrávačů - + Visible background for videos with aspect ratio different to screen. Viditelné pozadí pro videa s jiným poměrem stran než má obrazovka. - + %s (unavailable) %s (nedostupný) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" Poznámka: Aby se dalo použít VLC je potřeba nainstalovat verzi %s @@ -4645,55 +4634,50 @@ Přípona není podporovaná OpenLP.PluginForm - + Plugin Details Podrobnosti k modulu - + Status: Stav: - + Active Aktivní - - Inactive - Neaktivní - - - - %s (Inactive) - %s (Neaktivní) - - - - %s (Active) - %s (Aktivní) + + Manage Plugins + Spravovat moduly - %s (Disabled) - %s (Vypnuto) + {name} (Disabled) + - - Manage Plugins - Spravovat moduly + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Přizpůsobit stránce - + Fit Width Přizpůsobit šířce @@ -4701,77 +4685,77 @@ Přípona není podporovaná OpenLP.PrintServiceForm - + Options Možnosti - + Copy Kopírovat - + Copy as HTML Kopírovat jako HTML - + Zoom In Zvětšit - + Zoom Out Zmenšit - + Zoom Original Původní velikost - + Other Options Ostatní možnosti - + Include slide text if available Zahrnout text snímku, pokud je k dispozici - + Include service item notes Zahrnout poznámky položky služby - + Include play length of media items Zahrnout délku přehrávání mediálních položek - + Add page break before each text item Přidat zalomení stránky před každou textovou položku - + Service Sheet List služby - + Print Tisk - + Title: Nadpis: - + Custom Footer Text: Uživatelský text zápatí: @@ -4779,257 +4763,257 @@ Přípona není podporovaná OpenLP.ProjectorConstants - + OK OK - + General projector error Obecná chyba projektoru - + Not connected error Chyba nepřipojení - + Lamp error Chyba lampy - + Fan error Chyba ventilátoru - + High temperature detected Zjištěna vysoká teplota - + Cover open detected Zjištěn otevřený kryt - + Check filter Prověřit filtr - + Authentication Error Chyba ověření - + Undefined Command Nedefinovaný příkaz - + Invalid Parameter Neplatný parametr - + Projector Busy Projektor zaneprázdněn - + Projector/Display Error Chyba projektoru/zobrazení - + Invalid packet received Přijat neplatný paket - + Warning condition detected Zjištěn varovný stav - + Error condition detected Zjištěn chybový stav - + PJLink class not supported PJLink třída není podporovaná - + Invalid prefix character Neplatný znak přípony - + The connection was refused by the peer (or timed out) Spojení odmítnuto druhou stranou (nebo vypršel čas) - + The remote host closed the connection Vzdálený stroj zavřel spojení - + The host address was not found Adresa stroje nebyla nalezena - + The socket operation failed because the application lacked the required privileges Operace soketu selhala protože aplikace nemá požadovaná oprávněni - + The local system ran out of resources (e.g., too many sockets) Váš operační systém nemá dostatek prostředků (např. příliš mnoho soketů) - + The socket operation timed out Operace soketu vypršela - + The datagram was larger than the operating system's limit Datagram byl větší než omezení operačního systému - + An error occurred with the network (Possibly someone pulled the plug?) Vznikla chyba v síti. An error occurred with the network (Možná někdo vypojil zástrčku?) - + The address specified with socket.bind() is already in use and was set to be exclusive Adresa specifikovaná pro socket.bind() se již používá a byla nastavena na výhradní režim - + The address specified to socket.bind() does not belong to the host Adresa specifikovaná pro socket.bind() stroji nepatří - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) Požadovaná operace soketu není podporovaná Vaším operačním systémem (např. chybějící podpora IPv6) - + The socket is using a proxy, and the proxy requires authentication Soket používá proxy server a ten vyžaduje ověření - + The SSL/TLS handshake failed Selhal SSL/TLS handshake - + The last operation attempted has not finished yet (still in progress in the background) Poslední pokus operace ještě neskončil (stále probíhá na pozadí) - + Could not contact the proxy server because the connection to that server was denied Nemohu se spojit s proxy serverem protože spojení k tomuto serveru bylo odmítnuto - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) Spojení s proxy serverem bylo nečekaně uzavřeno (dříve, než bylo vytvořeno spojení s druhou stranou) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Vypršel čas spojení s proxy serverem nebo proxy server přestal odpovídat během ověřívací fáze. - + The proxy address set with setProxy() was not found Adresa proxy serveru nastavená v setProxy() nebyla nalezena - + An unidentified error occurred Vznikla neidentifikovatelná chyba - + Not connected Nepřipojen - + Connecting Připojuji se - + Connected Připojen - + Getting status Získávám stav - + Off Vypnuto - + Initialize in progress Probíhá inicializace - + Power in standby Úsporný režim - + Warmup in progress Probíhá zahřívání - + Power is on Zapnuto - + Cooldown in progress Probíhá chlazení - + Projector Information available Informace k projektoru dostupné - + Sending data Posílám data - + 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 @@ -5037,17 +5021,17 @@ Přípona není podporovaná OpenLP.ProjectorEdit - + Name Not Set Název nenastaven - + You must enter a name for this entry.<br />Please enter a new name for this entry. Pro tuto položku je třeba zadat název.<br />Zadejte prosím název pro tuto položku. - + Duplicate Name Duplicitní název @@ -5055,52 +5039,52 @@ Přípona není podporovaná OpenLP.ProjectorEditForm - + Add New Projector Přidat nový projektor - + Edit Projector Upravit projektor - + IP Address IP adresa - + Port Number Číslo portu - + PIN PIN - + Name Název - + Location Umístění - + Notes Poznámky - + Database Error Chyba databáze - + There was an error saving projector information. See the log for the error Vznikla chyba během ukládání informací o projektoru. Pro informace o chybě viz log. @@ -5108,305 +5092,360 @@ Přípona není podporovaná OpenLP.ProjectorManager - + Add Projector Přidat projektor - - Add a new projector - Přidat nový projektor - - - + Edit Projector Upravit projektor - - Edit selected projector - Upravit vybraný projektor - - - + Delete Projector Smazat projektor - - Delete selected projector - Smazat vybraný projektor - - - + Select Input Source Vybrat zdroj vstupu - - Choose input source on selected projector - Vybrat zdroj vstupu u vybraného projektoru - - - + View Projector Zobrazit projektor - - View selected projector information - Zobrazit informace k vybranému projektoru - - - - Connect to selected projector - Připojit se k vybranému projektoru - - - + Connect to selected projectors Připojit se k vybraným projektorům - + Disconnect from selected projectors Odpojit se od vybraných projektorů - + Disconnect from selected projector Odpojit se od vybraného projektoru - + Power on selected projector Zapnout vybraný projektor - + Standby selected projector Úsporný režim pro vybraný projektor - - Put selected projector in standby - Přepne vybraný projektor do úsporného režimu - - - + Blank selected projector screen Prázdná obrazovka na vybraném projektoru - + Show selected projector screen Zobrazit vybranou obrazovku projektoru - + &View Projector Information &Zobrazit informace o projectoru - + &Edit Projector &Upravit projektor - + &Connect Projector &Připojit projektor - + D&isconnect Projector &Odpojit projektor - + Power &On Projector Z&apnout projektor - + Power O&ff Projector &Vypnout projektor - + Select &Input Vybrat &vstup - + Edit Input Source Upravit zdroj vstupu - + &Blank Projector Screen &Prázdná obrazovka na projektoru - + &Show Projector Screen &Zobrazit obrazovku projektoru - + &Delete Projector &Smazat projektor - + Name Název - + IP IP - + Port Port - + Notes Poznámky - + Projector information not available at this time. Informace o projektoru teď nejsou dostupné. - + Projector Name Název projektoru - + Manufacturer Výrobce - + Model Model - + Other info Ostatní informace - + Power status Stav napájení - + Shutter is Clona je - + Closed Zavřeno - + Current source input is Současným zdroje vstupu je - + Lamp Lampa - - On - Zapnuto - - - - Off - Vypnuto - - - + Hours Hodin - + No current errors or warnings Žádné současné chyby nebo varování - + Current errors/warnings Současné chyby/varování - + Projector Information Informace k projektoru - + No message Žádná zpráva - + Not Implemented Yet Není ještě implementováno - - Delete projector (%s) %s? - Smazat projektor (%s) %s? - - - + Are you sure you want to delete this projector? Jste si jisti, že chcete smazat tento projektor? + + + Add a new projector. + Přidat nový projektor. + + + + Edit selected projector. + Upravit vybraný projektor. + + + + Delete selected projector. + Smazat vybraný projektor. + + + + Choose input source on selected projector. + + + + + View selected projector information. + Zobrazit informace o vybraném projektoru. + + + + Connect to selected projector. + Připojit se k vybranému projektoru. + + + + Connect to selected projectors. + Připojit se k vybraným projektorům. + + + + Disconnect from selected projector. + Odpojit se od vybraného projektoru. + + + + Disconnect from selected projectors. + Odpojit se od vybraných projektorů. + + + + Power on selected projector. + Zapnout vybraný projektor. + + + + Power on selected projectors. + Zapnout vybrané projektory. + + + + Put selected projector in standby. + Přepnout vybraný projektor do úsporného režimu. + + + + Put selected projectors in standby. + Přepnout vybrané projektory do úsporného režimu. + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + je zapnutý + + + + is off + je vypnutý + + + + Authentication Error + Chyba ověření + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Ventilátor - + Lamp Lampa - + Temperature Teplota - + Cover Kryt - + Filter Filtr - + Other Ostatní @@ -5452,17 +5491,17 @@ Přípona není podporovaná OpenLP.ProjectorWizard - + Duplicate IP Address Duplicitní IP adresa - + Invalid IP Address Neplatná IP adresa - + Invalid Port Number Neplatné číslo portu @@ -5475,27 +5514,27 @@ Přípona není podporovaná Obrazovka - + primary Primární OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Začátek</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Délka</strong>: %s - - [slide %d] - [snímek %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + <strong>Začátek</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Délka</strong>: {length} @@ -5559,52 +5598,52 @@ Přípona není podporovaná Smazat vybranou položku ze služby. - + &Add New Item &Přidat novou položku - + &Add to Selected Item &Přidat k vybrané položce - + &Edit Item &Upravit položku - + &Reorder Item &Změnit pořadí položky - + &Notes &Poznámky - + &Change Item Theme &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í @@ -5629,7 +5668,7 @@ Přípona není podporovaná Svinout všechny položky služby. - + Open File Otevřít soubor @@ -5659,22 +5698,22 @@ Přípona není podporovaná Zobrazí vybranou položku naživo. - + &Start Time &Spustit čas - + Show &Preview Zobrazit &náhled - + Modified Service Změněná služba - + The current service has been modified. Would you like to save this service? Současná služba byla změněna. Přejete si službu uložit? @@ -5694,27 +5733,27 @@ Přípona není podporovaná Čas přehrávání: - + Untitled Service 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 @@ -5734,146 +5773,144 @@ 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. - + Service File(s) Missing Chybějící soubor(y) služby - + &Rename... &Přejmenovat... - + Create New &Custom Slide Vytvořit &uživatelský snímek - + &Auto play slides &Přehrát snímky automaticky - + Auto play slides &Loop Přehrát snímky ve &smyčce - + Auto play slides &Once Přehrát snímky &jednou - + &Delay between slides Zpoždění mezi s nímky - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Následující soubor(y) ve službě chybí: %s - -Tyto souby se vymažou, pokud službu uložíte. + + + + + An error occurred while writing the service file: {error} + @@ -5905,15 +5942,10 @@ Tyto souby se vymažou, pokud službu uložíte. Zkratka - + Duplicate Shortcut Duplicitní zkratka - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Zkratka "%s" je už přiřazena jiné činnosti. Použijte prosím jinou zkratku. - Alternate @@ -5959,219 +5991,234 @@ Tyto souby se vymažou, pokud službu uložíte. Configure Shortcuts Nastavit zkratky + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Skrýt - + Go To Přejít na - + Blank Screen Prázdná obrazovka - + Blank to Theme Prázdný motiv - + Show Desktop Zobrazit plochu - + Previous Service Předchozí služba - + Next Service Další služba - + Escape Item Zrušit položku - + Move to previous. Přesun na předchozí. - + Move to next. Přeson na další. - + Play Slides Přehrát snímky - + Delay between slides in seconds. Zpoždění mezi s nímky v sekundách. - + Move to live. Přesun naživo. - + Add to Service. Přidat ke službě. - + Edit and reload song preview. Upravit a znovu načíst náhled písně. - + Start playing media. Spustit přehrávání média. - + Pause audio. Pozastavit zvuk. - + Pause playing media. Pozastavit přehrávání média. - + Stop playing media. Zastavit přehrávání média. - + Video position. Umístění videa. - + Audio Volume. Hlasitost zvuku. - + Go to "Verse" Přejít na "Sloka" - + Go to "Chorus" Přejít na "Refrén" - + Go to "Bridge" Přejít na "Přechod" - + Go to "Pre-Chorus" Přejít na "Předrefrén" - + Go to "Intro" Přejít na "Úvod" - + Go to "Ending" Přejít na "Zakončení" - + Go to "Other" Přejít na "Ostatní" - + Previous Slide Předchozí snímek - + Next Slide Další snímek - + Pause Audio Pozastavit zvuk - + Background Audio Zvuk na pozadí - + Go to next audio track. Přejít na další zvukovou stopu. - + Tracks Stopy + + + Loop playing media. + Přehrávání média ve smyčce. + + + + Video timer. + + OpenLP.SourceSelectForm - + Select Projector Source Vybrat zdroj projektoru - + Edit Projector Source Text Upravit text zdroje projektoru - + Ignoring current changes and return to OpenLP Ignorovat současné změny a vrátit se do aplikace OpenLP - + Delete all user-defined text and revert to PJLink default text Smazat všechen uživatelem definovaný text a vrátit se k výchozímu text PJLink. - + Discard changes and reset to previous user-defined text Zahodit změny a vrátit se k předchozímu uživatelem definovanému textu. - + Save changes and return to OpenLP 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 source input text for this projector? Jste si jist, že chcete smazat VŠECHNY uživatelem definované zdroje vstupního textu pro tento projektor? @@ -6179,17 +6226,17 @@ Tyto souby se vymažou, pokud službu uložíte. OpenLP.SpellTextEdit - + Spelling Suggestions Návrhy pravopisu - + Formatting Tags Formátovací značky - + Language: Jazyk: @@ -6268,7 +6315,7 @@ Tyto souby se vymažou, pokud službu uložíte. OpenLP.ThemeForm - + (approximately %d lines per slide) (přibližně %d řádek na snímek) @@ -6276,523 +6323,531 @@ Tyto souby se vymažou, pokud službu uložíte. OpenLP.ThemeManager - + Create a new theme. Vytvoří nový motiv. - + Edit Theme Upravit motiv - + Edit a theme. Upraví motiv. - + Delete Theme Smazat motiv - + Delete a theme. Smaže motiv. - + Import Theme Import motivu - + Import a theme. Importuje motiv. - + Export Theme Export motivu - + Export a theme. Exportuje motiv. - + &Edit Theme &Upravit motiv - + &Delete Theme &Smazat motiv - + Set As &Global Default Nastavit jako &Globální výchozí - - %s (default) - %s (výchozí) - - - + You must select a theme to edit. Pro úpravy je třeba vybrat motiv. - + You are unable to delete the default theme. Není možno smazat výchozí motiv. - + 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 - + Select Theme Import File Vybrat soubor k importu motivu - + File is not a valid theme. Soubor není ve formátu motivu. - + &Copy Theme &Kopírovat motiv - + &Rename Theme &Přejmenovat motiv - + &Export Theme &Export motivu - + You must select a theme to rename. K přejmenování je třeba vybrat motiv. - + Rename Confirmation Potvrzení přejmenování - + Rename %s theme? Přejmenovat motiv %s? - + You must select a theme to delete. Pro smazání je třeba vybrat motiv. - + Delete Confirmation Potvrzení smazání - + Delete %s theme? Smazat motiv %s? - + Validation Error Chyba ověřování - + A theme with this name already exists. Motiv s tímto názvem již existuje. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - - - - + Unable to delete theme Nelze smazat motiv + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + Kopie {name} + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + {name} (výchozí) + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Motiv se nyní používá - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Průvodce motivem - + Welcome to the Theme Wizard Vítá Vás Průvodce motivem - + Set Up Background Nastavení pozadí - + Set up your theme's background according to the parameters below. Podle parametrů níže nastavte pozadí motivu. - + Background type: Typ pozadí: - + Gradient Přechod - + Gradient: Přechod: - + Horizontal Vodorovný - + Vertical Svislý - + Circular Kruhový - + Top Left - Bottom Right Vlevo nahoře - vpravo dole - + Bottom Left - Top Right Vlevo dole - vpravo nahoře - + Main Area Font Details Podrobnosti písma hlavní oblasti - + Define the font and display characteristics for the Display text Definovat písmo a charakteristiku zobrazení pro zobrazený text - + Font: Písmo: - + Size: Velikost: - + Line Spacing: Řádkování: - + &Outline: &Obrys: - + &Shadow: &Stín: - + Bold Tučné - + Italic Kurzíva - + Footer Area Font Details Podrobnosti písma oblasti zápatí - + Define the font and display characteristics for the Footer text Definovat písmo a charakteristiku zobrazení pro text zápatí - + Text Formatting Details Podrobnosti formátování textu - + Allows additional display formatting information to be defined Dovoluje definovat další formátovací informace zobrazení - + Horizontal Align: Vodorovné zarovnání: - + Left Vlevo - + Right Vpravo - + Center Na střed - + Output Area Locations Umístění výstupní oblasti - + &Main Area &Hlavní oblast - + &Use default location &Použít výchozí umístění - + X position: Pozice X: - + px px - + Y position: Pozice Y: - + Width: Šířka: - + Height: Výška: - + Use default location Použít výchozí umístění - + Theme name: Název motivu: - - Edit Theme - %s - Upravit motiv - %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. Tento průvodce pomáhá s vytvořením a úpravou motivů. Klepněte níže na tlačítko další pro pokračování v nastavení pozadí. - + Transitions: Přechody: - + &Footer Area Oblast &zápatí - + Starting color: Barva začátku: - + Ending color: Barva konce: - + Background color: Barva pozadí: - + Justify Do bloku - + Layout Preview Náhled rozvržení - + Transparent Průhledný - + Preview and Save Náhled a uložit - + Preview the theme and save it. Náhled motivu a motiv uložit. - + Background Image Empty Prázdný obrázek pozadí - + Select Image Vybrat obrázek - + Theme Name Missing Chybí název motivu - + There is no name for this theme. Please enter one. Není vyplněn název motivu. Prosím zadejte ho. - + Theme Name Invalid Neplatný název motivu - + Invalid theme name. Please enter one. Neplatný název motivu. Prosím zadejte nový. - + Solid color Plná barva - + color: barva: - + Allows you to change and move the Main and Footer areas. Dovoluje změnit a přesunout hlavní oblast a oblast zápatí. - + You have not selected a background image. Please select one before continuing. Nebyl vybrán obrázek pozadí. Před pokračování prosím jeden vyberte. + + + Edit Theme - {name} + + + + + Select Video + Vybrat video + OpenLP.ThemesTab @@ -6875,73 +6930,73 @@ Tyto souby se vymažou, pokud službu uložíte. &Svislé zarovnání: - + Finished import. Import dokončen. - + Format: Formát: - + Importing Importuji - + Importing "%s"... Importuji "%s"... - + Select Import Source Vybrat zdroj importu - + Select the import format and the location to import from. Vyberte formát importu a umístění, ze kterého se má importovat. - + Open %s File Otevřít soubor %s - + %p% %p% - + Ready. Připraven. - + Starting import... Spouštím import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong 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 - + Welcome to the Song Export Wizard Vítá Vás Průvodce exportu písní - + Welcome to the Song Import Wizard Vítá Vás Průvodce importu písní @@ -6991,39 +7046,34 @@ Tyto souby se vymažou, pokud službu uložíte. Chyba v syntaxi XML - - Welcome to the Bible Upgrade Wizard - Vítá Vás Průvodce aktualizací Biblí - - - + Open %s Folder Otevřít složku %s - + You need to specify one %s file to import from. A file type e.g. OpenSong Je potřeba upřesnit jeden %s soubor, ze kterého se bude importovat. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Je potřeba upřesnit jednu %s složku, ze které se bude importovat. - + Importing Songs Import písní - + Welcome to the Duplicate Song Removal Wizard Vítá Vás Průvodce odstraněním duplicitních písní - + Written by Napsal @@ -7033,502 +7083,490 @@ Tyto souby se vymažou, pokud službu uložíte. Neznámý autor - + About O aplikaci - + &Add &Přidat - + Add group Přidat skupinu - + Advanced Pokročilé - + All Files Všechny soubory - + Automatic Automaticky - + Background Color Barva pozadí - + Bottom Dole - + Browse... Procházet... - + Cancel Zrušit - + CCLI number: CCLI číslo: - + Create a new service. Vytvořit novou službu. - + Confirm Delete Potvrdit smazání - + Continuous Spojitý - + Default Výchozí - + Default Color: Výchozí 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. Služba %Y-%m-%d %H-%M - + &Delete &Smazat - + Display style: Styl zobrazení: - + Duplicate Error Duplicitní chyba - + &Edit &Upravit - + Empty Field Prázdné pole - + Error Chyba - + Export Export - + File Soubor - + File Not Found Soubor nenalezen - - File %s not found. -Please try selecting it individually. - Soubor %s nenalezen. -Prosím zkuste ho vybrat jednotlivě. - - - + pt Abbreviated font pointsize unit pt - + Help Nápověda - + h The abbreviated unit for hours hod - + Invalid Folder Selected Singular Vybraná neplatná složka - + Invalid File Selected Singular Vybraný neplatný soubor - + Invalid Files Selected Plural Vybrané neplatné soubory - + Image Obrázek - + Import Import - + Layout style: Styl rozvržení: - + Live Naživo - + Live Background Error Chyba v pozadí naživo - + Live Toolbar Nástrojová lišta Naživo - + Load Načíst - + Manufacturer Singular Výrobce - + Manufacturers Plural Výrobci - + Model Singular Model - + Models Plural Modely - + m The abbreviated unit for minutes min - + Middle Uprostřed - + New Nový - + New Service Nová služba - + New Theme Nový motiv - + Next Track Další stopa - + No Folder Selected Singular Nevybraná žádná složka - + No File Selected Singular Nevybrán žádný soubor - + No Files Selected Plural Nevybrány žádné soubory - + No Item Selected Singular Nevybrána žádná položka - + No Items Selected Plural Nevybrány žádné položky - + OpenLP is already running. Do you wish to continue? Aplikace OpenLP je už spuštěna. Přejete si pokračovat? - + Open service. Otevřít službu. - + Play Slides in Loop Přehrát snímky ve smyčce - + Play Slides to End Přehrát snímky ke konci - + Preview 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í - + CCLI song number: CCLI číslo písně: - + Preview Toolbar Nástrojová lišta Náhled - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Nahradit živé pozadí (live background) není dostupné když je přehrávač WebKit zakázaný. @@ -7544,29 +7582,100 @@ Prosím zkuste ho vybrat jednotlivě. Plural Zpěvníky + + + Background color: + Barva pozadí: + + + + Add group. + Přidat skupinu. + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + Spustit {code} + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Žádné Bible k dispozici + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + Kapitola knihy + + + + Chapter + Kapitola + + + + Verse + Verš + + + + Psalm + Žalm + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + Úplné názvy knih mohou být zkráceny, například Ž 23 = Žalm 23 + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s a %s - + %s, and %s Locale list separator: end %s, a %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7649,47 +7758,47 @@ Prosím zkuste ho vybrat jednotlivě. Nyní používající: - + File Exists Soubor existuje - + A presentation with that filename already exists. Prezentace s tímto názvem souboru už existuje. - + This type of presentation is not supported. Tento typ prezentace není podporován. - - Presentations (%s) - Prezentace (%s) - - - + Missing Presentation Chybějící prezentace - - The presentation %s is incomplete, please reload. - Prezentace %s není kompletní. Načtěte ji znovu. + + Presentations ({text}) + - - The presentation %s no longer exists. - Prezentace %s už neexistuje. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + Prezentace {name} není úplná, prosím načtěte jí znovu. 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7699,11 +7808,6 @@ Prosím zkuste ho vybrat jednotlivě. Available Controllers Dostupné ovládání - - - %s (unavailable) - %s (nedostupný) - Allow presentation application to be overridden @@ -7720,12 +7824,12 @@ Prosím zkuste ho vybrat jednotlivě. 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. @@ -7736,13 +7840,19 @@ Prosím zkuste ho vybrat jednotlivě. - Clicking on a selected slide in the slidecontroller advances to next effect. - Klepnutí na vybraný snímek v seznamu snímků spustí dalsí efekt (volba opraví efekty a animace PowerPoint prezentacích). + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Nechat PowerPoint řídit velikost a umístění prezentačního okna (řeší problém se změnou velikosti ve Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7784,127 +7894,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í - + Remote Dálkové ovládání - + Stage View Zobrazení na pódiu - + Live View Zobrazení naživo @@ -7912,79 +8022,89 @@ Prosím zkuste ho vybrat jednotlivě. RemotePlugin.RemoteTab - + Serve on IP address: Poslouchat na IP adresse: - + Port number: Číslo portu: - + Server Settings Nastavení serveru - + Remote URL: URL dálkového ovládání: - + Stage view URL: URL zobrazení na pódiu: - + Display stage time in 12h format Zobrazit čas na pódiu ve 12hodinovém formátu - + Android App Android aplikace - + Live view URL: URL zobrazení naživo: - + 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. Nemohu najít SSL certifikát. HTTPS server nebude dostupný, dokud nebude nalezen SSL certifikát. Pro více informací viz dokumentaci. - + User Authentication Ověření uživatele - + User id: ID uživatatele: - + Password: Heslo: - + Show thumbnails of non-text slides in remote and stage view. Zobrazit miniatury netextových snímků v dálkovém ovládání a v zobrazení na pódiu. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Naskenujte QR kód nebo pro instalaci Android aplikace ze služby Google Play klepněte na <a href="%s">stáhnout</a>. + + iOS App + iOS aplikace + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Pro instalaci Android aplikace z Google Play naskenujte QR kód, nebo klikněte na <a href="{qr}">stáhnout</a>. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Pro instalaci iOS aplikace z App Store naskenujte QR kód, nebo klikněte na <a href="{qr}">stáhnout</a>. @@ -8025,50 +8145,50 @@ Prosím zkuste ho vybrat jednotlivě. 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ý @@ -8136,24 +8256,10 @@ Všechna data, zaznamenaná před tímto datem budou natrvalo smazána.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. - Hlášení -%s -bylo úspěšně vytvořeno. - Output Path Not Selected @@ -8167,45 +8273,57 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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ě... @@ -8301,80 +8419,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í. @@ -8463,62 +8581,67 @@ Kódování zodpovídá za správnou reprezentaci znaků. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Spravuje %s - - - - "%s" could not be imported. %s - "%s" nemohlo být importováno. %s - - - + Unexpected data formatting. Neočekávané formátování dat. - + No song text found. Žádný text písně nenalezen. - + [above are Song Tags with notes imported from EasyWorship] [výše jsou značky písní s poznámkami importovanými z EasyWorship] - + This file does not exist. Tento soubor neexistuje. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Nemohu najít soubor "Songs.MB". Musí být ve stejné složce jako soubor "Songs.DB". - + This file is not a valid EasyWorship database. Soubor není ve formátu databáze EasyWorship. - + Could not retrieve encoding. Nemohu získat kódování. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta data - + Custom Book Names Uživatelské názvy knih @@ -8601,57 +8724,57 @@ Kódování zodpovídá za správnou reprezentaci znaků. Motiv, autorská práva a komentáře - + Add Author Přidat autora - + This author does not exist, do you want to add them? Tento autor neexistuje. Chcete ho přidat? - + This author is already in the list. Tento autor je už v seznamu. - + 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. Není vybrán platný autor. Buďto vyberte autora ze seznamu nebo zadejte nového autora a pro přidání nového autora klepněte na tlačítko "Přidat autora k písni". - + Add Topic Přidat téma - + This topic does not exist, do you want to add it? Toto téma neexistuje. Chcete ho přidat? - + This topic is already in the list. Toto téma je už v seznamu. - + 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. Není vybráno platné téma. Buďto vyberte téma ze seznamu nebo zadejte nové téma a pro přidání nového tématu klepněte na tlačítko "Přidat téma k písni". - + You need to type in a song title. Je potřeba zadat název písne. - + You need to type in at least one verse. Je potřeba zadat alespoň jednu sloku. - + You need to have an author for this song. Pro tuto píseň je potřeba zadat autora. @@ -8676,7 +8799,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. Odstranit &Vše - + Open File(s) Otevřít soubor(y) @@ -8691,14 +8814,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. <strong>Varování:</strong> Nebylo zadáno pořadí slok. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Sloka odpovídající "%(invalid)s" neexistuje. Platné položky jsou %(valid)s. -Prosím zadejte sloky oddělené mezerou. - - - + Invalid Verse Order Neplatné pořadí veršů @@ -8708,22 +8824,15 @@ Prosím zadejte sloky oddělené mezerou. &Upravit druh autora - + Edit Author Type Uprava druhu autora - + Choose type for this author Vybrat druh pro tohoto autora - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Sloky odpovídající "%(invalid)s" neexistují. Platné položky jsou %(valid)s. -Prosím zadejte sloky oddělené mezerou. - &Manage Authors, Topics, Songbooks @@ -8745,45 +8854,71 @@ Prosím zadejte sloky oddělené mezerou. Autoři, témata a zpěvníky - + Add Songbook Přidat zpěvník - + This Songbook does not exist, do you want to add it? Tento zpěvník neexistuje. Chcete ho přidat? - + This Songbook is already in the list. Tento zpěvník je už v seznamu. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Není vybrán platný zpěvník. Buďto vyberte zpěvník ze seznamu nebo zadejte nový zpěvník a pro přidání nového zpěvníku klepněte na tlačítko "Přidat k písni". + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Upravit sloku - + &Verse type: &Typ sloky: - + &Insert &Vložit - + Split a slide into two by inserting a verse splitter. Vložením oddělovače slok se snímek rozdělí na dva. @@ -8796,77 +8931,77 @@ Prosím zadejte sloky oddělené mezerou. Průvodce exportem písní - + Select Songs Vybrat písně - + Check the songs you want to export. Zaškrtněte písně, které chcete exportovat. - + Uncheck All Odškrtnout vše - + Check All Zaškrtnout vše - + Select Directory Vybrat složku - + Directory: Složka: - + Exporting Exportuji - + Please wait while your songs are exported. Počkejte prosím, než budou písně vyexportovány. - + You need to add at least one Song to export. Je potřeba přidat k exportu alespoň jednu píseň. - + No Save Location specified Není zadáno umístění pro uložení - + Starting export... Spouštím export... - + You need to specify a directory. Je potřeba zadat složku. - + Select Destination Folder Vybrat cílovou složku - + Select the directory where you want the songs to be saved. Vybrat složku, kam se budou ukládat písně. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Tento průvode pomáhá exportovat písně do formátu <strong>OpenLyrics</strong>. Jedná se o bezplatný a otevřený formát pro chvály. @@ -8874,7 +9009,7 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Neplatný Folpresenter soubor s písní. Žádné sloky nenalezeny. @@ -8882,7 +9017,7 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.GeneralTab - + Enable search as you type Zapnout hledat během psaní @@ -8890,7 +9025,7 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Vybrat dokumentové/prezentační soubory @@ -8900,237 +9035,252 @@ Prosím zadejte sloky oddělené mezerou. Průvodce importem písní - + 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. Tento průvodce pomáhá importovat písně z různých formátů. Importování se spustí klepnutím níže na tlačítko další a výběrem formátu, ze kterého se bude importovat. - + Generic Document/Presentation Obecný dokument/prezentace - + Add Files... Přidat soubory... - + Remove File(s) Odstranit soubory - + Please wait while your songs are imported. Počkejte prosím, než budou písně naimportovány. - + Words Of Worship Song Files Words of Worship soubory s písněmi - + Songs Of Fellowship Song Files Songs Of Fellowship soubory s písněmi - + SongBeamer Files SongBeamer soubory - + SongShow Plus Song Files SongShow Plus soubory s písněmi - + Foilpresenter Song Files Foilpresenter soubory s písněmi - + Copy Kopírovat - + Save to File Uložit do souboru - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import z aplikace Songs of Fellowship byl zakázán, protože aplikace OpenLP nemůže přistupovat k aplikacím OpenOffice nebo LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import obecných dokumentů/prezentaci byl zakázán, protože aplikace OpenLP nemůže přistupovat k aplikacím OpenOffice nebo LibreOffice. - + OpenLyrics Files Soubory OpenLyrics - + CCLI SongSelect Files CCLI SongSelect soubory - + EasySlides XML File XML soubory EasySlides - + EasyWorship Song Database Databáze písní EasyWorship - + DreamBeam Song Files DreamBeam soubory s písněmi - + You need to specify a valid PowerSong 1.0 database folder. Je potřeba upřesnit platnou složku s databází 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>. Nejprve je nutno převést databázi ZionWorx do textového CSV souboru, jak je vysvětleno v <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">uživatelské dokumentaci</a>. - + SundayPlus Song Files SundayPlus soubory s písněmi - + This importer has been disabled. Import pro tento formát byl zakázán. - + MediaShout Database Databáze 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. Import z aplikace MediaShout je podporován jen ve Windows. Byl zakázán kvůli chybějícímu Python modulu. Pokud si přejete použít import z této aplikace, je potřeba nainstalovat modul "pyodbc". - + SongPro Text Files SongPro textové soubory - + SongPro (Export File) SongPro (exportovaný soubor) - + In SongPro, export your songs using the File -> Export menu V aplikaci SongPro se písně exportují přes menu File -> Export - + EasyWorship Service File EasyWorship soubory služby - + WorshipCenter Pro Song Files WorshipCenter Pro soubory s písněmi - + 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. Import z aplikace WorshipCenter Pro je podporován jen ve Windows. Byl zakázán kvůli chybějícímu Python modulu. Pokud si přejete použít import z této aplikace, je potřeba nainstalovat modul "pyodbc". - + PowerPraise Song Files PowerPraise soubory s písněmi - + PresentationManager Song Files PresentationManager soubory s písněmi - - ProPresenter 4 Song Files - ProPresenter 4 soubory s písněmi - - - + Worship Assistant Files Worship Assistant soubory - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. V aplikace Worship Assistant exportujte databázi do souboru CSV. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics nebo písně exportované z OpenLP 2 - + OpenLP 2 Databases Databáze OpenLP 2 - + LyriX Files LyriX soubory - + LyriX (Exported TXT-files) LyriX (Exportované TXT-soubory) - + VideoPsalm Files VideoPsalm soubory - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Zpěvníky VideoPsalm jsou běžně umístěny v %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Chyba: %s + File {name} + Soubor {name} + + + + Error: {error} + Chyba: {error} @@ -9149,79 +9299,117 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.MediaItem - + Titles Názvy - + Lyrics Text písně - + CCLI License: CCLI Licence: - + Entire Song Celá píseň - + Maintain the lists of authors, topics and books. Spravovat seznamy autorů, témat a zpěvníků. - + copy For song cloning kopírovat - + Search Titles... Hledat název... - + Search Entire Song... Hledat celou píseň... - + Search Lyrics... Hledat text písně... - + Search Authors... Hledat autory... - - Are you sure you want to delete the "%d" selected song(s)? - Jste si jisti, že chcete smazat "%d" vybraných písní? - - - + Search Songbooks... Hledat zpěvníky... + + + Search Topics... + + + + + Copyright + Autorská práva + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Není možno otevřít databázi MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Neplatná databáze písní OpenLP 2. @@ -9229,9 +9417,9 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportuji "%s"... + + Exporting "{title}"... + @@ -9250,29 +9438,37 @@ Prosím zadejte sloky oddělené mezerou. Žádné písně k importu. - + Verses not found. Missing "PART" header. Sloky nenalezeny. Chybějící hlavička "PART". - No %s files found. - Nenalezeny žádné soubory %s. + No {text} files found. + Žádné {text} soubory nebyli nalezeny. - Invalid %s file. Unexpected byte value. - Neplatný soubor %s. Neočekávaná bajtová hodnota. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Neplatný soubor %s. Chybějící hlavička "TITLE". + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Neplatný soubor %s. Chybějící hlavička "COPYRIGHTLINE". + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9301,19 +9497,19 @@ 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 + + Your song export failed because this error occurred: {error} + Váš export písní selhal, protože se vyskytla tato chyba: {error} @@ -9329,17 +9525,17 @@ Prosím zadejte sloky oddělené mezerou. Následující písně nemohly být importovány: - + Cannot access OpenOffice or LibreOffice Nelze přistupovat k aplikacím OpenOffice nebo LibreOffice - + Unable to open file Nelze otevřít soubor - + File not found Soubor nenalezen @@ -9347,109 +9543,109 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.SongMaintenanceForm - + Could not add your author. Nemohu přidat autora. - + This author already exists. Tento autor již existuje. - + Could not add your topic. Nemohu přidat téma. - + This topic already exists. Toto téma již existuje. - + Could not add your book. Nemohu přidat zpěvník. - + This book already exists. Tento zpěvník již existuje. - + Could not save your changes. Nemohu uložit změny. - + Could not save your modified author, because the author already exists. Nemohu uložit upraveného autora, protože tento autor již existuje. - + Could not save your modified topic, because it already exists. Nemohu uložit upravené téma, protože již existuje. - + Delete Author Smazat autora - + Are you sure you want to delete the selected author? Jste si jist, že chcete smazat vybraného autora? - + This author cannot be deleted, they are currently assigned to at least one song. Nemohu smazat autora, protože je v současné době přiřazen alespoň k jedné písni. - + Delete Topic Smazat téma - + Are you sure you want to delete the selected topic? Jste si jist, že chcete smazat vybrané téma? - + This topic cannot be deleted, it is currently assigned to at least one song. Nemohu smazat toto téma, protože je v současné době přiřazeno alespoň k jedné písni. - + Delete Book Smazat zpěvník - + Are you sure you want to delete the selected book? Jste si jist, že chcete smazat vybraný zpěvník? - + This book cannot be deleted, it is currently assigned to at least one song. Nemohu smazat tento zpěvník, protože je v současné době přiřazen alespoň k jedné písni. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Autor %s již existuje. Přejete si vytvořit písně s autorem %s a použít již existujícího autora %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Téma %s již existuje. Přejete si vytvořit písně s tématem %s a použít již existující téma %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Zpěvník %s již existuje. Přejete si vytvořít písně se zpěvníkem %s a použít již existující zpěvník %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9495,52 +9691,47 @@ Prosím zadejte sloky oddělené mezerou. Hledat - - Found %s song(s) - Nalezeno %s písní - - - + Logout Odhlásit - + View Zobrazit - + Title: Nadpis: - + Author(s): Autoři: - + Copyright: Autorská práva: - + CCLI Number: CCLI číslo: - + Lyrics: Text písně: - + Back Zpět - + Import Import @@ -9580,7 +9771,7 @@ Prosím zadejte sloky oddělené mezerou. Přihlášení se nezdařilo. Možná nesprávné uživatelské jméno nebo heslo? - + Song Imported Písně naimportovány @@ -9595,7 +9786,7 @@ Prosím zadejte sloky oddělené mezerou. U písně chybí některé informace jako například text a tudíž import není možný. - + Your song has been imported, would you like to import more songs? Píseň byla naimportována. Přejete si importovat další písně? @@ -9604,6 +9795,11 @@ Prosím zadejte sloky oddělené mezerou. Stop Zastavit + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9612,30 +9808,30 @@ Prosím zadejte sloky oddělené mezerou. Songs Mode Režim písně - - - Display verses on live tool bar - Zobrazit sloky v nástrojové liště naživo - Update service from song edit Aktualizovat službu při úpravě písně - - - Import missing songs from service files - Importovat chybějících písně ze souborů služby - Display songbook in footer Zobrazit název zpěvníku v zápatí + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Zobrazit symbol "%s" před informacemi o autorských právech + Display "{symbol}" symbol before copyright info + @@ -9659,37 +9855,37 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.VerseType - + Verse Sloka - + Chorus Refrén - + Bridge Přechod - + Pre-Chorus Předrefrén - + Intro Předehra - + Ending Zakončení - + Other Ostatní @@ -9697,22 +9893,22 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.VideoPsalmImport - - Error: %s - Chyba: %s + + Error: {error} + Chyba: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Nepaltný Words of Worship soubor s písní. Chybějící hlavička %s".WoW soubor\nSlova písně + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Neplatný Words of Worship soubor s písní. Chybějící řetězec "%s". CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9723,30 +9919,30 @@ Prosím zadejte sloky oddělené mezerou. Chyba při čtení CSV souboru. - - Line %d: %s - Řádek %d: %s - - - - Decoding error: %s - Chyba dekódování: %s - - - + File not valid WorshipAssistant CSV format. Soubor není ve formátu WorshipAssistant CSV. - - Record %d - Záznam %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Nepodařilo se připojit k databázi WorshipCenter Pro. @@ -9759,25 +9955,30 @@ Prosím zadejte sloky oddělené mezerou. Chyba při čtení CSV souboru. - + File not valid ZionWorx CSV format. Soubor není ve formátu ZionWorx CSV. - - Line %d: %s - Řádek %d: %s - - - - Decoding error: %s - Chyba dekódování: %s - - - + Record %d Záznam %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9787,39 +9988,960 @@ Prosím zadejte sloky oddělené mezerou. Průvodce - + 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. Tento průvodce pomáhá odstranit z databáze písní duplicitní (zdvojené) písně. Před smazáním bude možnost překontrolovat každou duplicitní píseň. Žádná píseň nebude smazána bez Vašeho výslovného souhlasu. - + Searching for duplicate songs. Hledám duplicitní písně. - + Please wait while your songs database is analyzed. Počkejte prosím, než bude dokončena analýza databáze písní. - + Here you can decide which songs to remove and which ones to keep. Zde se můžete rozhodnout, které písně odstranit, a které ponechat. - - Review duplicate songs (%s/%s) - Překontrolovat duplicitní písně (%s/%s) - - - + Information Informace - + No duplicate songs have been found in the database. V databázi nebyly nalezeny žádné duplicitní písně. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + Abcházština + + + + Afar + Language code: aa + Afarština + + + + Afrikaans + Language code: af + Afrikánština + + + + Albanian + Language code: sq + Albánština + + + + Amharic + Language code: am + Amharština + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + Starořečtina + + + + Arabic + Language code: ar + Arabština + + + + Armenian + Language code: hy + Arménština + + + + Assamese + Language code: as + Ásámština + + + + Aymara + Language code: ay + Ajmarština + + + + Azerbaijani + Language code: az + Ázerbájdžánština + + + + Bashkir + Language code: ba + Baškirština + + + + Basque + Language code: eu + Baskičtina + + + + Bengali + Language code: bn + Bengálština + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + Bislamština + + + + Breton + Language code: br + Bretonština + + + + Bulgarian + Language code: bg + Bulharština + + + + Burmese + Language code: my + Barmština + + + + Byelorussian + Language code: be + Běloruština + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + Khmerština + + + + Catalan + Language code: ca + Katalánština + + + + Chinese + Language code: zh + Čínština + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + Korsičtina + + + + Croatian + Language code: hr + Chorvatština + + + + Czech + Language code: cs + Čeština + + + + Danish + Language code: da + Dánština + + + + Dutch + Language code: nl + Nizozemština + + + + English + Language code: en + Angličtina + + + + Esperanto + Language code: eo + Esperanto + + + + Estonian + Language code: et + Estonština + + + + Faeroese + Language code: fo + Faerština + + + + Fiji + Language code: fj + Fidžijština + + + + Finnish + Language code: fi + Finština + + + + French + Language code: fr + Francouzština + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + Galicijština + + + + Georgian + Language code: ka + Gruzínština + + + + German + Language code: de + Němčina + + + + Greek + Language code: el + Řečtina + + + + Greenlandic + Language code: kl + Grónština + + + + Guarani + Language code: gn + Guaranština + + + + Gujarati + Language code: gu + Gudžarátština + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + Hauština + + + + Hebrew (former iw) + Language code: he + Hebrejština (dříve iw) + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + Hindština + + + + Hungarian + Language code: hu + Maďarština + + + + Icelandic + Language code: is + Islandština + + + + Indonesian (former in) + Language code: id + Indonéština (dříve in) + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Interlingue + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + Inupiaq + + + + Irish + Language code: ga + Irština + + + + Italian + Language code: it + Italština + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + Japonština + + + + Javanese + Language code: jw + Javánština + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + Kannadština + + + + Kashmiri + Language code: ks + Kašmírština + + + + Kazakh + Language code: kk + Kazaština + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + Rwandština + + + + Kirghiz + Language code: ky + Kyrgyzština + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Korejština + + + + Kurdish + Language code: ku + Kurdština + + + + Laothian + Language code: lo + Laoština + + + + Latin + Language code: la + Latina + + + + Latvian, Lettish + Language code: lv + Lotyština + + + + Lingala + Language code: ln + Ngalština + + + + Lithuanian + Language code: lt + Litevština + + + + Macedonian + Language code: mk + Makedonština + + + + Malagasy + Language code: mg + Malgaština + + + + Malay + Language code: ms + Malajština + + + + Malayalam + Language code: ml + Malajálamština + + + + Maltese + Language code: mt + Maltština + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + Maorština + + + + Maori + Language code: mri + Maorština + + + + Marathi + Language code: mr + Maráthština + + + + Moldavian + Language code: mo + Moldavština + + + + Mongolian + Language code: mn + Mongolština + + + + Nahuatl + Language code: nah + Nahuatl + + + + Nauru + Language code: na + Naurština + + + + Nepali + Language code: ne + Nepálština + + + + Norwegian + Language code: no + Norština + + + + Occitan + Language code: oc + Okcitánština + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + Paštština + + + + Persian + Language code: fa + Perština + + + + Plautdietsch + Language code: pdt + Plautdietsch + + + + Polish + Language code: pl + Polština + + + + Portuguese + Language code: pt + Portugalština + + + + Punjabi + Language code: pa + Paňdžábština + + + + Quechua + Language code: qu + Kečuánština + + + + Rhaeto-Romance + Language code: rm + Rétorománština + + + + Romanian + Language code: ro + Rumunština + + + + Russian + Language code: ru + Ruština + + + + Samoan + Language code: sm + Samojština + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + Sanskrt + + + + Scots Gaelic + Language code: gd + Skotská gaelština + + + + Serbian + Language code: sr + Srbština + + + + Serbo-Croatian + Language code: sh + Srbochorvatština + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + Setswanština + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + Sindhština + + + + Singhalese + Language code: si + Sinhálština + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + Slovenština + + + + Slovenian + Language code: sl + Slovinština + + + + Somali + Language code: so + Somálština + + + + Spanish + Language code: es + Španělština + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + Svahilština + + + + Swedish + Language code: sv + Švédština + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + Tádžičtina + + + + Tamil + Language code: ta + Tamilština + + + + Tatar + Language code: tt + Tatarština + + + + Tegulu + Language code: te + Telugština + + + + Thai + Language code: th + Thajština + + + + Tibetan + Language code: bo + Tibetština + + + + Tigrinya + Language code: ti + Tigrajšťina + + + + Tonga + Language code: to + Tongánština + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + Turečtina + + + + Turkmen + Language code: tk + Turkmenština + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + Ujgurština + + + + Ukrainian + Language code: uk + Ukrajinština + + + + Urdu + Language code: ur + Urdština + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + Uzbečtina + + + + Vietnamese + Language code: vi + Vietnamština + + + + Volapuk + Language code: vo + Volapük + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + Xhoština + + + + Yiddish (former ji) + Language code: yi + Jidiš (dříve ji) + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + Čuangština + + + + Zulu + Language code: zu + Zuluština + \ No newline at end of file diff --git a/resources/i18n/da.ts b/resources/i18n/da.ts index 52211f44c..c5b728eea 100644 --- a/resources/i18n/da.ts +++ b/resources/i18n/da.ts @@ -120,32 +120,27 @@ Skriv noget tekst og klik så på Ny. AlertsPlugin.AlertsTab - + Font Skrifttype - + Font name: Skriftnavn: - + Font color: Skriftfarve: - - Background color: - Baggrundsfarve: - - - + Font size: Skriftstørrelse: - + Alert timeout: Varighed af meddelse: @@ -153,88 +148,78 @@ 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 program. - + <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 />Dette udvidelsesmodul 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. - Genesis @@ -739,161 +724,107 @@ Skriv noget tekst og klik så på Ny. Denne bibel eksisterer allerede. Importér en anden bibel for at slette den eksisterende. - - You need to specify a book name for "%s". - Du skal angive et bognavn 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. - Bognavnet "%s" er ikke korrekt. -Tal kan kun benyttes i begyndelsen og skal følges af et -eller flere ikke-numeriske tegn. - - - + Duplicate Book Name Duplikeret bognavn - - The Book Name "%s" has been entered more than once. - Bognavnet "%s" er blevet brugt mere end én gang. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error Fejl med skriftsted - - Web Bible cannot be used - Online bibel kan ikke benyttes + + Web Bible cannot be used in Text Search + - - Text Search is not available with Web Bibles. - Tekstsøgning virker ikke med online bibler. - - - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Din skriftstedshenvisning er enten ikke understøttet af OpenLP, eller også er den ugyldig. Se efter om din henvisning er i overensstemmelse med et af de følgende mønstre, eller konsultér manualen. +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Bog Kapitel -Bog Kapitel%(range)sKapitel -Bog Kapitel%(verse)sVers%(range)sVers -Bog Kapitel%(verse)sVers%(range)sVers%(list)sVers%(range)sVers -Bog Kapitel%(verse)sVers%(range)sVers%(list)sKapitel%(verse)sVers%(range)sVers -Bog Kapitel%(verse)sVers%(range)sKapitel%(verse)sVers +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Visning af vers - + Only show new chapter numbers Vis kun nye kapitelnumre - + Bible theme: Bibeltema: - + No Brackets Ingen paranteser - + ( And ) ( Og ) - + { And } { Og } - + [ And ] [ Og ] - - Note: -Changes do not affect verses already in the service. - Bemærk: -Ændringer påvirker ikke vers der allerede er tilføjet til programmet. - - - + Display second Bible verses Vis sekundære bibelvers - + Custom Scripture References Brugerdefinerede skriftstedshenvisninger - - Verse Separator: - Vers-separator: - - - - Range Separator: - Rækkevidde-separator: - - - - List Separator: - Liste-separator: - - - - End Mark: - Slutmærke: - - - + 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. @@ -902,37 +833,83 @@ De skal adskilles af en lodret bjælke "|". Ryd denne linje for at benytte standardværdien. - + English Dansk - + Default Bible Language Standardsprog for bibler - + Book name language in search field, search results and on display: Sproget for bognavne i søgefelt, søgeresultater og ved visning: - + Bible Language Bibelsprog - + Application Language Programsprog - + Show verse numbers Vis versnumre + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +965,76 @@ søgeresultater og ved visning: BiblesPlugin.CSVBible - - Importing books... %s - Importerer bøger... %s - - - + Importing verses... done. Importerer vers... færdig. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + BiblesPlugin.EditBibleForm - + Bible Editor Bibelredigering - + License Details Licensdetaljer - + Version name: Navn på udgave: - + Copyright: Ophavsret: - + Permissions: Tilladelser: - + Default Bible Language Standardsprog for bibler - + Book name language in search field, search results and on display: Sprog for bognavn i søgefelt, søgeresultater og ved visning: - + Global Settings Globale indstillinger - + Bible Language Bibelsprog - + Application Language Programsprog - + English Dansk @@ -1071,225 +1054,260 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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 bibler - + Download bible list Hent liste over bibler - + Error during download Fejl under hentning - + An error occurred while downloading the list of bibles from %s. Der opstod en fejl under hentningen af listen af bibler fra %s + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1320,114 +1338,130 @@ forespørgsel og at en internetforbindelse derfor er påkrævet. BiblesPlugin.MediaItem - - Quick - Hurtig - - - + Find: Find: - + Book: Bog: - + Chapter: Kapitel: - + Verse: Vers: - + From: Fra: - + To: Til: - + Text Search Tekstsøgning - + Second: Anden: - + Scripture Reference Skriftsted - + Toggle to keep or clear the previous results. Vælg om du vil beholde eller fjerne de forrige resultater. - + 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 søgeresultater som indeholder både enkelte og dobbelte bibelvers. Vil du slette dine søgeresultater og begynde en ny søgning? - + Bible not fully loaded. Bibel ikke færdigindlæst. - + Information 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. - Den sekundære bibel indeholder ikke alle versene der er i den primære bibel. Kun de vers der kan findes i begge bibler vil blive vist. %d vers er ikke blevet inkluderet blandt resultaterne. - - - + Search Scripture Reference... Søg skriftstedshenvisning... - + Search Text... Søgetekst... - - Are you sure you want to completely delete "%s" Bible from OpenLP? - -You will need to re-import this Bible to use it again. - Er du sikker på at du vil slette bibelen "%s" fra OpenLP? - -Du bliver nødt til at genimportere denne bibel for at bruge den igen. + + Search + Søg - - Advanced - Avanceret + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Forkert bibel-filtype. OpenSong-bibler er muligvis komprimerede. Du er nødt til at udpakke dem før at de kan importeres. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. Forkert bibel-filtype. Dette ligner en Zefania XML bibel, prøv at vælge import af Zefania i stedet. @@ -1435,178 +1469,51 @@ Du bliver nødt til at genimportere denne bibel for at bruge den igen. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importerer %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + 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... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Vælg en mappe til sikkerhedskopiering + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Guide til opgradering af bibler - - - - 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. - Denne guide vil hjælpe dig med at opgradere dine eksisterende bibler fra en tidligere udgave af OpenLP 2. Klik på næste-knappen herunder for at begynde opgraderingen. - - - - Select Backup Directory - Vælg mappe til sikkerhedskopiering - - - - Please select a backup directory for your Bibles - Vælg en mappe til sikkerhedskopiering af 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 udgaver af OpenLP 2.0 kan ikke benytte opgraderede bibler. Dette vil lave en sikkerhedskopi af dine nuværende bibler, så at du simpelt og nemt kan kopiere filerne tilbage til din OpenLP datamappe, hvis du får brug for at gå tilbage til en tidligere udgave af OpenLP. Vejledning til hvordan man genopretter filer kan findes blandt vores <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - - - - Please select a backup location for your Bibles. - Vælg en placering til sikkerhedskopier af dine bibler. - - - - Backup Directory: - Mappe til sikkerhedskopiering: - - - - There is no need to backup my Bibles - Der er ikke brug for at lave sikkerhedskopier af mine bibler - - - - Select Bibles - Vælg bibler - - - - Please select the Bibles to upgrade - Vælg de bibler der skal opgraderes - - - - Upgrading - Opgraderer - - - - Please wait while your Bibles are upgraded. - Vent imens dine bibler bliver opgraderet. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Sikkerhedskopieringen mislykkedes. -For at sikkerhedskopiere dine bibler skal du have tilladelse til at skrive til den givne mappe. - - - - Upgrading Bible %s of %s: "%s" -Failed - Opgradering af bibel %s af %s: "%s" -Slog fejl - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Opgraderer bibel %s af %s: "%s" -Opgraderer ... - - - - Download Error - Hentningsfejl - - - - To upgrade your Web Bibles an Internet connection is required. - For at opgradere dine netbibler skal der være forbindelse til internettet. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Opgraderer bibel %s af %s: "%s" -Opgraderer %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Opgraderer bibel %s af %s: "%s" -Færdig - - - - , %s failed - , %s slog fejl - - - - Upgrading Bible(s): %s successful%s - Opgradering af bibler: %s fuldført%s - - - - Upgrade failed. - Opgradering slog fejl. - - - - You need to specify a backup directory for your Bibles. - Du er skal vælge en mappe til sikkerhedskopier af dine bibler. - - - - Starting upgrade... - Påbegynder opgradering... - - - - There are no Bibles that need to be upgraded. - Der er ingen bibler der har brug for at blive opgraderet. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Opgraderer bibel(er): %(success)d lykkedes %(falied_text)s -Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforbindelse er derfor påkrævet. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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. @@ -1614,9 +1521,9 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importerer %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1731,7 +1638,7 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb Redigér alle dias på samme tid. - + Split a slide into two by inserting a slide splitter. Del et dias op i to ved at indsætte en diasopdeler. @@ -1746,7 +1653,7 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb &Bidragsydere: - + You need to type in a title. Du skal skrive en titel. @@ -1756,12 +1663,12 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb Re&digér alle - + Insert Slide Indsæt dias - + You need to add at least one slide. Du skal tilføje mindst ét dias. @@ -1769,7 +1676,7 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb CustomPlugin.EditVerseForm - + Edit Slide Redigér dias @@ -1777,9 +1684,9 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Er du sikker på at du vil slette de %d valgte brugerdefinerede dias? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1807,11 +1714,6 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb container title Billeder - - - Load a new image. - Indlæs et nyt billede. - Add a new image. @@ -1842,6 +1744,16 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb Add the selected image to the service. Tilføj det valgte billede til programmet. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1866,12 +1778,12 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb 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. @@ -1907,7 +1819,7 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb ImagePlugin.ExceptionDialog - + Select Attachment Vælg bilag @@ -1915,39 +1827,22 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1957,25 +1852,41 @@ Vil du tilføje de andre billeder alligevel? -- Ø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? - Er du sikker på at du vil slette "%s" og alt deri? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Synlig baggrund for billeder med anderledes dimensionsforhold end skærm. @@ -1983,27 +1894,27 @@ Vil du tilføje de andre billeder alligevel? Media.player - + Audio Lyd - + Video Video - + VLC is an external player which supports a number of different formats. VLC er en ekstern medieafspiller 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 medieafspiller som afvikles i en web browser. Denne medieafspiller kan vise tekst oven på video. - + This media player uses your operating system to provide media capabilities. Denne medieafspiller benytter dit styresystem til at afspille medier. @@ -2011,60 +1922,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 />Dette udvidelsesmodul gør det muligt at afspille lyd og video. - + Media name singular Medie - + Media name plural Medie - + Media container title Medie - + 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. @@ -2180,47 +2091,47 @@ Vil du tilføje de andre billeder alligevel? VLC afspilleren kunne ikke afspille mediet - + CD not loaded correctly CD'en blev ikke indlæst korrekt - + The CD was not loaded correctly, please re-load and try again. CD'en blev ikke indlæst korrekt, prøv at indlæse den igen. - + DVD not loaded correctly DVD'en blev ikke indlæst korrekt - + The DVD was not loaded correctly, please re-load and try again. DVD'en blev ikke indlæst korrekt, prøv at indlæse den igen. - + Set name of mediaclip Angiv medieklippets navn - + Name of mediaclip: Medieklippets navn: - + Enter a valid name or cancel Indtast et gyldigt navn eller afbryd - + Invalid character Ugyldigt tegn - + The name of the mediaclip must not contain the character ":" Medieklippets navn må ikke indholde tegnet ":" @@ -2228,90 +2139,100 @@ Vil du tilføje de andre billeder alligevel? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Ikke-understøttet fil - + Use Player: Benyt afspiller: - + VLC player required VLC-afspilleren er påkrævet - + VLC player required for playback of optical devices VLC-afspilleren er påkrævet for at kunne afspille fra 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 Medieklip er allerede gemt - + This mediaclip has already been saved Dette medieklip er allerede blevet gemt + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2322,41 +2243,19 @@ Vil du tilføje de andre billeder alligevel? - Start Live items automatically - Start fremvisningspunkter automatisk - - - - OPenLP.MainWindow - - - &Projector Manager - Pro&jektorhåndtering + Start new Live media automatically + OpenLP - + Image Files Billedfiler - - Information - Information - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Bibelformatet er blevet ændret. -Du er nødt til at opgradere dine nuværende bibler. -Skal OpenLP opgradere dem nu? - - - + Backup Sikkerhedskopi @@ -2371,15 +2270,20 @@ Skal OpenLP opgradere dem nu? Sikkerhedskopiering af datamappen fejlede! - - A backup of the data folder has been created at %s - En sikkerhedskopi af datamappen blev oprettet i %s - - - + Open Åben + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2389,15 +2293,10 @@ Skal OpenLP opgradere dem nu? Bidragsydere - + License Licens - - - 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. @@ -2426,7 +2325,7 @@ Lær mere om OpenLP: http://openlp.org/ OpenLP er skrevet og vedligeholdt af frivillige. Hvis du ønsker at se flere gratis kristne programmer blive skrevet, så overvej venligst at melde dig som frivillig på knappen herunder. - + Volunteer Giv en hånd @@ -2618,333 +2517,237 @@ bringer dette stykke software gratis til dig fordi Han har gjort os fri. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Delvis copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} + OpenLP.AdvancedTab - + UI Settings Brugerfladeindstillinger - - - Number of recent files to display: - Antal af seneste filer der skal vises: - - Remember active media manager tab on startup - Husk den aktive mediehåndteringsfane ved opstart - - - - Double-click to send items straight to live - Dobbeltklik for at fremvise punkter direkte - - - Expand new service items on creation Udvid nye programpunkter ved oprettelse - + Enable application exit confirmation Benyt bekræftigelse før lukning af programmet - + Mouse Cursor Musemarkør - + Hide mouse cursor when over display window Gem musemarkøren når den er over visningsvinduet - - Default Image - Standardbillede - - - - Background color: - Baggrundsfarve: - - - - Image file: - Billedfil: - - - + Open File Åbn fil - + Advanced Avanceret - - - Preview items when clicked in Media Manager - Forhåndsvis elementer når de klikkes på i mediehåndteringen - - Browse for an image file to display. - Find en billedfil som skal vises. - - - - Revert to the default OpenLP logo. - Vend tilbage til OpenLPs standardlogo. - - - Default Service Name Standard programnavn - + Enable default service name Benyt standardnavn for programmer - + Date and Time: Dato og tid: - + Monday Mandag - + Tuesday Tirsdag - + Wednesday Onsdag - + Friday Fredag - + Saturday Lørdag - + Sunday Søndag - + Now Nu - + Time when usual service starts. Klokkeslet hvor mødet normalt begynder. - + Name: Navn: - + Consult the OpenLP manual for usage. Se OpenLP-manualen for hjælp til brug. - - Revert to the default service name "%s". - Gå tilbage til standardnavnet for programmer "%s". - - - + Example: Eksempel: - + Bypass X11 Window Manager Omgå X11 vindueshåndtering - + Syntax error. Syntaksfejl. - + Data Location Placering af data - + Current path: Nuværende sti: - + Custom path: Brugerdefineret sti: - + Browse for new data file location. Vælg et nyt sted til opbevaring af data. - + Set the data location to the default. Sæt dataplaceringen til standard. - + Cancel Annullér - + Cancel OpenLP data directory location change. Annullér ændringen af placeringen af OpenLP-data. - + Copy data to new location. Kopiér data til ny placering. - + Copy the OpenLP data files to the new location. Kopiér OpenLP datafilerne til en ny placering. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>ADVARSEL:</strong> Den nye datamappe indeholder OpenLP datafiler. Disse filer vil blive slettet under en kopiering. - + Data Directory Error Fejl i datamappe - + Select Data Directory Location Vælg placeringen af datamappen - + Confirm Data Directory Change Bekræft ændringen af datamappen - + Reset Data Directory Nulstil datamappe - + Overwrite Existing Data Overskriv eksisterende 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 datamappe blev ikke fundet - -%s - -Denne datamappe blev tidligere ændret fra OpenLPs standardplacering. Hvis den nye placering var på et flytbart medie, så er dette medie nødt til at blive gjort tilgængelig. - -Klik "Nej" for at stoppe med at indlæse OpenLP, så at du kan ordne problemet. - -Klik "Ja" for at nulstille datamappen til dens standardplacering. - - - - 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. - Er du sikker på at du vil ændre placeringen af OpenLP-datamappen til: - -%s - -Datamappen vil blive ændret når OpenLP lukkes. - - - + Thursday Torsdag - + Display Workarounds Skærmløsninger - + Use alternating row colours in lists Brug skiftende farver i lister - - 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? - ADVARSEL: - -Placeringen du har valgt - -%s - -ser ud til at indeholde OpenLP-datafiler. Ønsker du at erstatte disse filer med de nuværende datafiler? - - - + Restart Required Genstart er påkrævet - + This change will only take effect once OpenLP has been restarted. Denne ændring træder først i kræft når OpenLP er blevet genstartet. - + 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. @@ -2952,11 +2755,155 @@ This location will be used after OpenLP is closed. Denne placering vil blive benyttet når OpenLP lukkes. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatisk + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klik for at vælge en farve. @@ -2964,252 +2911,252 @@ Denne placering vil blive benyttet når OpenLP lukkes. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digital - + Storage Lager - + Network Netvæ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 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 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 - + Network 1 Netværk 1 - + Network 2 Netværk 2 - + Network 3 Netværk 3 - + Network 4 Netværk 4 - + Network 5 Netværk 5 - + Network 6 Netværk 6 - + Network 7 Netværk 7 - + Network 8 Netværk 8 - + Network 9 Netværk 9 @@ -3217,62 +3164,74 @@ Denne placering vil blive benyttet når OpenLP lukkes. OpenLP.ExceptionDialog - + Error Occurred Der opstod en fejl - + Send E-Mail Send e-mail - + Save to File Gem til fil - + Attach File Vedhæft fil - - - Description characters to enter : %s - Antal tegn i beskrivelsen der skal indtastes : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Indtast venligst en beskrivelse af det du foretog dig der fik denne fejl til at opstå. Skriv helst på engelsk. -(Mindst 20 tegn) - - 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. Also attach any files that triggered the problem. - Ups! OpenLP stødte ind i et problem, og kunne ikke gendanne. Teksten i kassen herunder indeholder information, som kan være nyttig for OpenLP-udviklerne, så send venligst en e-mail til bugs@openlp.org sammen med en detaljeret beskrivelse af, hvad du foretog dig da problemet opstod. Tilføj også de filer, der fik problemet til at opstå. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation + OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Gem fejlrapport - + Text files (*.txt *.log *.text) Tekst-filer (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3313,268 +3272,259 @@ Denne placering vil blive benyttet når OpenLP lukkes. 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. - Ingen internetforbindelse blev fundet. Velkomstguiden har brug for en internetforbindelse for at kunne hente eksempler på sange, bibler og temaer. Klik på Færdig-knappen nu for at starte OpenLP med de grundlæggende indstillinger, men uden eksempeldata. - -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 hentninger springes over. Prøv at køre velkomstguiden 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 hentninger springes over. Prøv at køre velkomstguiden 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. - - -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 bibler kunne ikke hentes + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3617,44 +3567,49 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik OpenLP.FormattingTagForm - + <HTML here> <HTML her> - + Validation Error Valideringsfejl - + Description is missing Beskrivelse mangler - + Tag is missing Mærke mangler - Tag %s already defined. - Mærke %s er allerede defineret. + Tag {tag} already defined. + - Description %s already defined. - Beskrivelse %s er allerede defineret. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Startmærke %s er ikke gyldig HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Slutmærke %(end)s passer ikke sammen med slutmærke %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3743,170 +3698,200 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik OpenLP.GeneralTab - + General Generelt - + Monitors Skærme - + Select monitor for output display: Vælg skærm til visning af output: - + Display if a single screen Vis også hvis der kun er en enkelt skærm - + Application Startup Programopstart - + Show blank screen warning Vis advarsel ved mørkelagt skærm - - Automatically open the last service - Åbn automatisk det seneste program - - - + Show the splash screen Vis logo - + Application Settings Programindstillinger - + Prompt to save before starting a new service Spørg om gem før nyt program oprettes - - Automatically preview next item in service - Forhåndvis automatisk det næste punkt på programmet - - - + sec sek - + CCLI Details CCLI-detaljer - + SongSelect username: SongSelect brugernavn: - + SongSelect password: SongSelect adgangskode: - + X X - + Y Y - + Height Højde - + Width Bredde - + Check for updates to OpenLP Søg efter opdateringer til OpenLP - - Unblank display when adding new live item - Stop mørkelægning når nyt fremvisningspunkt tilføjes - - - + Timed slide interval: Interval mellem automatisk diasskift: - + Background Audio Baggrundslyd - + Start background audio paused Start baggrundslyd på pause - + Service Item Slide Limits Begrænsninger for programpunkter i dias - + Override display position: Tilsidesæt visningsposition: - + Repeat track list Gentag sætliste - + Behavior of next/previous on the last/first slide: Opførsel for næste/forrige på det sidste/første dias: - + &Remain on Slide &Bliv på dias - + &Wrap around &Start forfra - + &Move to next/previous service item &Gå til næste/forrige programpunkt + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Find en billedfil som skal vises. + + + + Revert to the default OpenLP logo. + Vend tilbage til OpenLPs standardlogo. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Sprog - + Please restart OpenLP to use your new language setting. Genstart OpenLP for at benytte dine nye sprogindstillinger. @@ -3914,7 +3899,7 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik OpenLP.MainDisplay - + OpenLP Display OpenLP-visning @@ -3941,11 +3926,6 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik &View &Vis - - - M&ode - &Opsætning - &Tools @@ -3966,16 +3946,6 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik &Help &Hjælp - - - Service Manager - Programhåndtering - - - - Theme Manager - Temahåndtering - Open an existing service. @@ -4001,11 +3971,6 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik E&xit A&fslut - - - Quit OpenLP - Luk OpenLP - &Theme @@ -4017,191 +3982,67 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik &Indstil OpenLP... - - &Media Manager - &Mediehåndtering - - - - Toggle Media Manager - Slå mediehåndteringen til - - - - Toggle the visibility of the media manager. - Angiv om mediehåndteringen skal være synlig. - - - - &Theme Manager - &Temahåndtering - - - - Toggle Theme Manager - Slå temahåndteringen til - - - - Toggle the visibility of the theme manager. - Angiv om temahåndteringen skal være synlig. - - - - &Service Manager - &Programhåndtering - - - - Toggle Service Manager - Slå programhåndteringen til - - - - Toggle the visibility of the service manager. - Angiv om programhåndteringen skal være synlig. - - - - &Preview Panel - For&håndsvisningspanel - - - - Toggle Preview Panel - Alå forhåndsvisningspanelet til - - - - Toggle the visibility of the preview panel. - Angiv om forhåndsvisningspanelet skal være synligt. - - - - &Live Panel - &Fremvisningspanel - - - - Toggle Live Panel - Slå fremvisningspanelet til - - - - Toggle the visibility of the live panel. - Angiv om fremvisningspanelet skal være synligt. - - - - List the Plugins - Vis udvidelsesmodulerne - - - + &User Guide &Brugerguide - + &About O&m - - More information about OpenLP - Mere information om OpenLP - - - + &Online Help &Online hjælp - + &Web Site &Hjemmeside - + Use the system language, if available. Benyt systemsproget, hvis det er muligt. - - Set the interface language to %s - Sæt brugerfladens sprog til %s - - - + Add &Tool... Tilføj &Værktøj... - + Add an application to the list of tools. Tilføj et program til listen over værktøjer. - - &Default - &Standard - - - - Set the view mode back to the default. - Sæt visningsopsætningen tilbage til standard. - - - + &Setup &Opsætning - - Set the view mode to Setup. - Sæt visningsopsætningen til Opsætning. - - - + &Live &Fremvisning - - Set the view mode to Live. - Sæt visningsopsætningen til Fremvisning. - - - - 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/. - Udgave %s af OpenLP er nu tilgængelig (du bruger nu udgave %s). - -Du kan hente den seneste udgave fra http://openlp.org/. - - - + OpenLP Version Updated OpenLP version opdateret - + OpenLP Main Display Blanked OpenLPs hovedvisning er mørkelagt - + The Main Display has been blanked out Hovedvisningen er mørkelagt - - Default Theme: %s - Standard tema: %s - - - + English Please add the name of your language here Dansk @@ -4212,27 +4053,27 @@ Du kan hente den seneste udgave fra http://openlp.org/. Konfigurér g&enveje... - + Open &Data Folder... Åbn &datamappe... - + Open the folder where songs, bibles and other data resides. Åbn den mappe hvor sange, bibler og andre data er placeret. - + &Autodetect &Autodetektér - + Update Theme Images Opdatér temabilleder - + Update the preview images for all themes. Opdatér forhåndsvisningsbillederne for alle temaer. @@ -4242,32 +4083,22 @@ Du kan hente den seneste udgave fra http://openlp.org/. Udskriv det nuværende program. - - L&ock Panels - L&ås paneler - - - - Prevent the panels being moved. - Forhindr panelerne i at flyttes. - - - + Re-run First Time Wizard Kør velkomstguide igen - + Re-run the First Time Wizard, importing songs, Bibles and themes. Kør velkomstguiden igen, hvor du importerer sange, bibler og temaer. - + Re-run First Time Wizard? Kør velkomstguide igen? - + 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. @@ -4276,13 +4107,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 kan 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. @@ -4291,75 +4122,36 @@ At køre velkomstguiden igen kan medføre ændringer i din nuværende OpenLP kon Configure &Formatting Tags... Konfigurér &formateringsmærker... - - - Export OpenLP settings to a specified *.config file - Eksportér OpenLP-indstillinger til en speciferet *.config-fil - Settings Indstillinger - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importér OpenLP-indstillinger fra en specificeret *.config-fil som er eksporteret på denne-, eller en anden computer - - - + Import settings? Importér indstillinger? - - Open File - Åbn fil - - - - OpenLP Export Settings Files (*.conf) - Eksporterede OpenLP-indstillingsfiler (*.conf) - - - + Import settings Importér indstillinger - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP lukker nu ned. Importerede indstillinger vil blive anvendt næste gang du starter OpenLP. - + Export Settings File Eksportér indstillingsfil - - OpenLP Export Settings File (*.conf) - 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 - Kopieringen af OpenLP datamappen slog fejl - -%s - General @@ -4371,12 +4163,12 @@ At køre velkomstguiden igen kan medføre ændringer i din nuværende OpenLP kon Bibliotek - + Jump to the search box of the current active plugin. Hop til den aktive udvidelses søgeboks. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4389,7 +4181,7 @@ Ved importering af indstillinger vil der laves permanente ændringer ved din nuv Importering af ukorrekte indstillinger kan forårsage uregelmæssig opførsel eller at OpenLP lukker uventet. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4398,35 +4190,10 @@ Processing has terminated and no changes have been made. Behandlingen er blevet termineret og ingen ændringer er blevet foretaget. - - Projector Manager - Projektorhåndtering - - - - Toggle Projector Manager - Slå projektorhåndteringen til - - - - Toggle the visibility of the Projector Manager - Angiv om projektorhåndtering skal være synlig. - - - + Export setting error Fejl ved eksporten af indstillinger - - - 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 - &Recent Services @@ -4458,131 +4225,340 @@ Behandlingen er blevet termineret og ingen ændringer er blevet foretaget.&Håndtér udvidelser - + Exit OpenLP Afslut OpenLP - + Are you sure you want to exit OpenLP? Er du sikker på at du vil afslutte OpenLP? - + &Exit OpenLP &Afslut OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Program + + + + Themes + Temaer + + + + Projectors + Projektorer + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 - Databasen der er ved at blive indlæst blev oprettet i en nyere udgave af OpenLP. Databasen er udgave %d, mens OpenLP forventer udgave %d. Databasen vil ikke blive indlæst. - -Database: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP kan ikke læse din database. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Database: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Ingen punkter valgt - + &Add to selected Service Item &Tilføj til valgte programpunkt - + You must select one or more items to preview. Du er nødt vælge et eller flere punkter for at forhåndsvise. - + You must select one or more items to send live. Du er nødt til at vælge et eller flere punkter for at fremvise. - + You must select one or more items. Du skal vælge et, eller flere punkter. - + You must select an existing service item to add to. Du er nødt til at vælge et eksisterende programpunkt for at tilføje. - + Invalid Service Item Ugyldigt programpunkt - - You must select a %s service item. - Du er nødt til at vælge et %s programpunkt. - - - + You must select one or more items to add. Du er nødt til at vælge et eller flere punkter for at tilføje. - + No Search Results Ingen søgeresultater - + Invalid File Type Ugyldig filtype - - Invalid File %s. -Suffix not supported - Ugyldig fil %s. -Endelsen er ikke understøttet - - - + &Clone &Klon - + Duplicate files were found on import and were ignored. Duplikerede filer blev fundet ved importeringen og blev ignoreret. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics>-mærke mangler. - + <verse> tag is missing. <verse>-mærke mangler. @@ -4590,22 +4566,22 @@ Endelsen er ikke understøttet OpenLP.PJLink1 - + Unknown status Ukendt status - + No message Ingen besked - + Error while sending data to projector Fejl under afsendelse af data til projektor - + Undefined command: Udefineret kommando: @@ -4613,32 +4589,32 @@ Endelsen er ikke understøttet OpenLP.PlayerTab - + Players Afspillere - + Available Media Players Tilgængelige medieafspillere - + Player Search Order Afspilningsrækkefølge - + Visible background for videos with aspect ratio different to screen. Synlig baggrund for billeder med anderledes dimensionsforhold end skærm. - + %s (unavailable) %s (ikke tilgængelig) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" BEMÆRK: For at bruge VLC skal du installere %s udgaven @@ -4647,55 +4623,50 @@ Endelsen er ikke understøttet OpenLP.PluginForm - + Plugin Details Detaljer om udvidelser - + Status: Status: - + Active Aktiv - - Inactive - Inaktiv - - - - %s (Inactive) - %s (Inaktiv) - - - - %s (Active) - %s (Aktiv) + + Manage Plugins + Håndtér udvidelser - %s (Disabled) - %s (deaktiveret) + {name} (Disabled) + - - Manage Plugins - Håndtér udvidelser + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Tilpas til siden - + Fit Width Tilpas til bredden @@ -4703,77 +4674,77 @@ Endelsen er ikke understøttet OpenLP.PrintServiceForm - + Options Valgmuligheder - + Copy Kopiér - + Copy as HTML Kopiér som HTML - + Zoom In Zoom ind - + Zoom Out Zoom ud - + Zoom Original Zoom Original - + Other Options Andre indstillinger - + Include slide text if available Inkludér diastekst, hvis tilgængelig - + Include service item notes Inkludér noter til programpunkt - + Include play length of media items Inkludér længden af mediepunkter - + Add page break before each text item Tilføj sideskift før hvert tekstpunkt - + Service Sheet Program - + Print Udskriv - + Title: Titel: - + Custom Footer Text: Brugerdefineret sidefod: @@ -4781,257 +4752,257 @@ Endelsen er ikke understøttet OpenLP.ProjectorConstants - + OK Ok - + General projector error Generel projektor-fejl - + Not connected error Fejl med forbindelsen - + Lamp error Fejl med lampe - + Fan error Fejl med blæser - + High temperature detected Detekterede høj temperatur - + Cover open detected Detekterede åbent dæksel - + Check filter Tjek filter - + Authentication Error Fejl med godkendelse - + Undefined Command Udefineret kommando - + Invalid Parameter Ugyldigt parameter - + Projector Busy Projektor optaget - + Projector/Display Error Fejl med projektor/skærm - + Invalid packet received Ugyldig pakke modtaget - + Warning condition detected Advarselstilstand detekteret - + Error condition detected Fejltilstand detekteret - + PJLink class not supported PJLink klasse er ikke understøttet - + Invalid prefix character Ugyldigt foranstående tegn - + The connection was refused by the peer (or timed out) Forbindelsen blev afvist af den anden part (eller udløb) - + 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 styresystemets 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 styresystem (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 (er stadig i gang 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 Proxy-adressen angivet med setProxy() blev ikke fundet - + An unidentified error occurred En uidentificeret fejl opstod - + Not connected Ikke forbundet - + Connecting Forbinder - + Connected Forbundet - + Getting status Henter status - + Off Slukket - + Initialize in progress Initialisering i gang - + Power in standby Standby - + Warmup in progress Opvarmning i gang - + Power is on Tændt - + Cooldown in progress Afkøling i gang - + Projector Information available Projektor-information tilgængelig - + Sending data Sender data - + 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 @@ -5039,17 +5010,17 @@ Endelsen er ikke understøttet OpenLP.ProjectorEdit - + Name Not Set Navn ikke angivet - + You must enter a name for this entry.<br />Please enter a new name for this entry. Du skal indtaste et navn for denne post<br />Indtast venligst et nyt navn for denne post. - + Duplicate Name Duplikeret navn @@ -5057,52 +5028,52 @@ Endelsen er ikke understøttet OpenLP.ProjectorEditForm - + Add New Projector Tilføj ny projektor - + Edit Projector Redigér projektor - + IP Address IP adresse - + Port Number Portnummer - + PIN PIN - + Name Navn - + Location Placering - + Notes Noter - + Database Error Databasefejl - + There was an error saving projector information. See the log for the error Der opstod en fejl med at gemme projektorinformationen. Se fejlen i loggen. @@ -5110,305 +5081,360 @@ Endelsen er ikke understøttet OpenLP.ProjectorManager - + Add Projector Tilføj projektor - - Add a new projector - Tilføj en ny projektor - - - + Edit Projector Redigér projektor - - Edit selected projector - Redigér den valgte projektor - - - + Delete Projector Slet projektor - - Delete selected projector - Slet den valgte projektor - - - + Select Input Source Vælg inputkilde - - Choose input source on selected projector - Vælg inputkilde på den valgte projektor - - - + View Projector Vis projektor - - View selected projector information - Vis information om den valgte projektor - - - - Connect to selected projector - Forbind til den valgte projektor - - - + Connect to selected projectors Forbind til de valgte projektorer - + Disconnect from selected projectors Afbryd forbindelsen til de valgte projektorer - + Disconnect from selected projector Afbryd forbindelsen til den valgte projektor - + Power on selected projector Tænd den valgte projektor - + Standby selected projector Sæt den valgte projektor i standby - - Put selected projector in standby - Sæt den valgte projektor i standby - - - + Blank selected projector screen Mørkelæg den valgte projektor skærm - + Show selected projector screen Vis den valgte projektor-skærm - + &View Projector Information &Vis information om projektor - + &Edit Projector &Rediger projektor - + &Connect Projector &Forbind til projektor - + D&isconnect Projector &Afbryd forbindelsen til projektor - + Power &On Projector &Tænd projektor - + Power O&ff Projector &Sluk projektor - + Select &Input &Vælg input - + Edit Input Source Rediger inputkilde - + &Blank Projector Screen &Mørkelæg projektor-skærm - + &Show Projector Screen V&is projektor-skærm - + &Delete Projector S&let Projektor - + Name Navn - + IP IP - + Port Port - + Notes Noter - + Projector information not available at this time. Projektorinformation er ikke tilgængelig i øjeblikket. - + Projector Name Projektornavn - + Manufacturer Producent - + Model Model - + Other info Andre informationer - + Power status Tilstand - + Shutter is Lukkeren er - + Closed Lukket - + Current source input is Nuværende inputkilde er - + Lamp Lampe - - On - Tændt - - - - Off - Slukket - - - + Hours Timer - + No current errors or warnings Ingen aktuelle fejl eller advarsler - + Current errors/warnings Aktuelle fejl/advarsler - + Projector Information Projektorinformation - + No message Ingen besked - + Not Implemented Yet Endnu ikke implementeret - - Delete projector (%s) %s? - Slet projektor (%s) %s? - - - + Are you sure you want to delete this projector? Er du sikker på at du vil slette denne projektor? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Fejl med godkendelse + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Blæser - + Lamp Lampe - + Temperature Temperatur - + Cover Dæksel - + Filter Filter - + Other Anden @@ -5454,17 +5480,17 @@ Endelsen er ikke understøttet OpenLP.ProjectorWizard - + Duplicate IP Address Duplikeret IP adresse - + Invalid IP Address Ugyldig IP adresse - + Invalid Port Number Ugyldigt portnummer @@ -5477,27 +5503,27 @@ Endelsen er ikke understøttet Skærm - + primary primær OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Varighed</strong>: %s - - [slide %d] - [dias %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5561,52 +5587,52 @@ Endelsen er ikke understøttet Slet det valgte punkt fra programmet. - + &Add New Item &Tilføj nyt punkt - + &Add to Selected Item &Tilføj til det valgte punkt - + &Edit Item &Redigér punkt - + &Reorder Item &Omrokér punkt - + &Notes &Noter - + &Change Item Theme &Æ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 inaktivt @@ -5631,7 +5657,7 @@ Endelsen er ikke understøttet Sammenfold alle programpunkterne. - + Open File Åbn fil @@ -5661,22 +5687,22 @@ Endelsen er ikke understøttet Fremvis det valgte punkt. - + &Start Time &Starttid - + Show &Preview &Forhåndsvis - + Modified Service Ændret program - + The current service has been modified. Would you like to save this service? Det nuværende program er blevet ændret. Vil du gemme dette program? @@ -5696,27 +5722,27 @@ Endelsen er ikke understøttet Afspilningstid: - + Untitled Service 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 @@ -5736,147 +5762,145 @@ 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. - + Service File(s) Missing Programfil(er) mangler - + &Rename... &Omdøb... - + Create New &Custom Slide Opret ny &brugerdefineret dias - + &Auto play slides &Automatisk dias afspilning - + Auto play slides &Loop Automatisk &gentagende dias afspilning - + Auto play slides &Once Automatisk &enkelt dias afspilning - + &Delay between slides &Forsinkelse mellem dias - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} 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. + + + + + An error occurred while writing the service file: {error} + @@ -5908,15 +5932,10 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. Genvej - + Duplicate Shortcut Duplikér genvej - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Genvejen "%s" er allerede tilknyttet en anden handling, brug en anden genvej. - Alternate @@ -5962,219 +5981,234 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. Configure Shortcuts Konfigurér genveje + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Gem - + Go To Gå til - + Blank Screen Mørkelæg skærm - + Blank to Theme Vis temabaggrund - + Show Desktop Vis skrivebord - + Previous Service Forrige program - + Next Service Næste Program - + Escape Item Forlad punkt - + Move to previous. Gå til forrige. - + Move to next. Gå til næste. - + Play Slides Afspil dias - + Delay between slides in seconds. Forsinkelse mellem dias i sekunder. - + Move to live. Fremvis. - + Add to Service. Tilføj til program. - + Edit and reload song preview. Redigér og genindlæs forhåndsvisning af sang. - + Start playing media. Start afspilning af medie. - + Pause audio. Sæt lyd på pause. - + Pause playing media. Sæt afspilning af medie på pause. - + Stop playing media. Stop afspilning af medie. - + Video position. Video position. - + Audio Volume. Lydstyrke. - + Go to "Verse" Gå til "Vers" - + Go to "Chorus" Gå til "Omkvæd" - + Go to "Bridge" Gå til "C-stykke" - + Go to "Pre-Chorus" Gå til "Bro" - + Go to "Intro" Gå til "Intro" - + Go to "Ending" Gå til "Slutning" - + Go to "Other" Gå til "Anden" - + Previous Slide Forrige dias - + Next Slide Næste dias - + Pause Audio Sæt lyd på pause - + Background Audio Baggrundslyd - + Go to next audio track. Gå til næste lydspor. - + Tracks Spor + + + Loop playing media. + + + + + Video timer. + + OpenLP.SourceSelectForm - + Select Projector Source Væg projektor kilde - + Edit Projector Source Text Redigér projektor kilde tekst - + Ignoring current changes and return to OpenLP Ignorer aktuelle ændringer og vend tilbage til OpenLP - + Delete all user-defined text and revert to PJLink default text Slet alt brugerdefineret tekst og vend tilbage til PJLink standard tekst. - + Discard changes and reset to previous user-defined text Fjern ændringer og gå tilbage til sidste brugerdefinerede tekst - + Save changes and return to OpenLP 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 source input text for this projector? Er du sikker på at du vil slette ALLE brugerdefinerede kildeinput tekster for denne projektor? @@ -6182,17 +6216,17 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. OpenLP.SpellTextEdit - + Spelling Suggestions Forslag til stavning - + Formatting Tags Formatteringsmærker - + Language: Sprog: @@ -6271,7 +6305,7 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. OpenLP.ThemeForm - + (approximately %d lines per slide) (omkring %d linjer per dias) @@ -6279,523 +6313,531 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. OpenLP.ThemeManager - + Create a new theme. Opret et nyt tema. - + Edit Theme Redigér tema - + Edit a theme. Redigér et tema. - + Delete Theme Slet tema - + Delete a theme. Slet et tema. - + Import Theme Importér tema - + Import a theme. Importér et tema. - + Export Theme Eksportér tema - + Export a theme. Eksportér et tema. - + &Edit Theme &Redigér tema - + &Delete Theme &Slet tema - + Set As &Global Default Indstil som &global standard - - %s (default) - %s (standard) - - - + You must select a theme to edit. Vælg det tema der skal redigeres. - + You are unable to delete the default theme. Du kan ikke slette standardtemaet. - + 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 - + Select Theme Import File Vælg tema-importfil - + File is not a valid theme. Filen er ikke et gyldigt tema. - + &Copy Theme &Kopiér tema - + &Rename Theme &Omdøb tema - + &Export Theme &Eksportér tema - + You must select a theme to rename. Vælg det tema der skal omdøbes. - + Rename Confirmation Bekræft omdøbning - + Rename %s theme? Omdøb temaet %s? - + You must select a theme to delete. Vælg det tema der skal slettes. - + Delete Confirmation Bekræft sletning - + Delete %s theme? Slet temaet %s? - + Validation Error Valideringsfejl - + A theme with this name already exists. Et tema med dette navn eksisterer allerede. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - - - - + Unable to delete theme Ikke i stand til at slette tema + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Tema er i brug - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Temaguide - + Welcome to the Theme Wizard Velkommen til temaguiden - + Set Up Background Indstil baggrund - + Set up your theme's background according to the parameters below. Indstil dit temas baggrund i henhold til parametrene herunder. - + Background type: Baggrundstype: - + Gradient Overgang - + Gradient: Overgang: - + Horizontal Vandret - + Vertical Lodret - + Circular Cirkulær - + Top Left - Bottom Right Øverst til venstre - nederst til højre - + Bottom Left - Top Right Nederst til venstre - øverst til højre - + Main Area Font Details Skriftdetaljer for hovedområdet - + Define the font and display characteristics for the Display text Bestem skrifttypen og andre detaljer for visningsteksten - + Font: Skrifttype: - + Size: Størrelse: - + Line Spacing: Linjeafstand: - + &Outline: &Kant: - + &Shadow: &Skygge: - + Bold Fed - + Italic Kursiv - + Footer Area Font Details Skriftdetaljer for sidefoden - + Define the font and display characteristics for the Footer text Bestem skrifttypen og andre detaljer for teksten i sidefoden - + Text Formatting Details Detaljeret tekstformattering - + Allows additional display formatting information to be defined Yderligere indstillingsmuligheder for hvordan teksten skal vises - + Horizontal Align: Justér horisontalt: - + Left Venstre - + Right Højre - + Center Centrér - + Output Area Locations Placeringer for output-området - + &Main Area &Hovedområde - + &Use default location &Benyt standardplacering - + X position: X position: - + px px - + Y position: Y position: - + Width: Bredde: - + Height: Højde: - + Use default location Benyt standardplacering - + Theme name: Temanavn: - - Edit Theme - %s - Redigér tema - %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. Denne guide vil hjælp dig med at oprette og redigere dine temaer. Klik på næste-knappen for at begynde processen ved at indstille din baggrund. - + Transitions: Overgange: - + &Footer Area &Sidefodsområde - + Starting color: Startfarve: - + Ending color: Slutfarve: - + Background color: Baggrundsfarve: - + Justify Lige margener - + Layout Preview Forhåndsvisning af layout - + Transparent Gennemsigtig - + Preview and Save Gennemse og gem - + Preview the theme and save it. Gennemse temaet og gem det. - + Background Image Empty Baggrundsbillede er tomt - + Select Image Vælg billede - + Theme Name Missing Temanavn mangler - + There is no name for this theme. Please enter one. Der er ikke givet noget navn til dette tema. Indtast venligst et. - + Theme Name Invalid Temanavn ugyldigt - + Invalid theme name. Please enter one. Ugyldigt temanavn. Indtast venligst et nyt. - + 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. - + You have not selected a background image. Please select one before continuing. Du har ikke valgt et baggrundsbillede. Vælg venligst et før du fortsætter. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6878,73 +6920,73 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. &Justér lodret: - + Finished import. Fuldførte importering. - + Format: Format: - + Importing Importerer - + Importing "%s"... Importerer "%s"... - + Select Import Source Vælg importkilde - + Select the import format and the location to import from. Vælg importkilden og placeringen der skal importeres fra. - + Open %s File Åbn filen %s - + %p% %p% - + Ready. Klar. - + Starting import... Påbegynder importering... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Du skal angive mindst én %s-fil at importere fra. - + Welcome to the Bible Import Wizard Velkommen til guiden til importering af bibler - + Welcome to the Song Export Wizard Velkommen til guiden til eksportering af sange - + Welcome to the Song Import Wizard Velkommen til guiden til importering af sange @@ -6994,39 +7036,34 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. XML syntaksfejl - - Welcome to the Bible Upgrade Wizard - Velkommen til guiden til opgradering af bibler - - - + Open %s Folder Åbn %s mappe - + You need to specify one %s file to import from. A file type e.g. OpenSong Du skal vælge en %s-fil at importere fra. - + You need to specify one %s folder to import from. A song format e.g. PowerSong 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 @@ -7036,502 +7073,490 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. Ukendt forfatter - + About Om - + &Add &Tilføj - + Add group Tilføj gruppe - + Advanced Avanceret - + All Files Alle filer - + Automatic Automatisk - + Background Color Baggrundsfarve - + Bottom Bund - + Browse... Gennemse... - + Cancel Annullér - + CCLI number: CCLI-nummer: - + Create a new service. Opret et nyt program. - + Confirm Delete Bekræft sletning - + Continuous Uafbrudt - + Default Standard - + Default Color: Standardfarve: - + 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. Program %d-%m-%Y %H-%M - + &Delete &Slet - + Display style: Visningsstil: - + Duplicate Error Duplikeringsfejl - + &Edit &Redigér - + Empty Field Tomt felt - + Error Fejl - + Export Eksportér - + File Fil - + File Not Found Fil ikke fundet - - File %s not found. -Please try selecting it individually. - Filen %s kunne ikke findes. -Prøv at vælg den individuelt. - - - + pt Abbreviated font pointsize unit pkt - + Help Hjælp - + h The abbreviated unit for hours t - + Invalid Folder Selected Singular Ugyldig mappe valgt - + Invalid File Selected Singular Ugyldigt fil valgt - + Invalid Files Selected Plural Ugyldige filer valgt - + Image Billede - + Import Importér - + Layout style: Layoutstil: - + Live Fremvisning - + Live Background Error Fejl med fremvisningsbaggrund - + Live Toolbar Værktøjslinje for fremvisning - + Load Indlæs - + Manufacturer Singular Producent - + Manufacturers Plural Producenter - + Model Singular Model - + Models Plural Modeller - + m The abbreviated unit for minutes m - + Middle Midt - + New Ny - + New Service Nyt program - + New Theme Nyt tema - + Next Track Næste spor - + No Folder Selected Singular Ingen mappe valgt - + No File Selected Singular Ingen fil valgt - + No Files Selected Plural Ingen filer valgt - + No Item Selected Singular Intet punkt valgt - + No Items Selected Plural Ingen punkter valgt - + OpenLP is already running. Do you wish to continue? OpenLP kører allerede. Vil du fortsætte? - + Open service. Åbn program. - + Play Slides in Loop Afspil dias i løkke - + Play Slides to End Afspil dias til slut - + Preview 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 - + CCLI song number: CCLI sang nummer: - + Preview Toolbar Forhåndsvisningspanel - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. @@ -7547,29 +7572,100 @@ Prøv at vælg den individuelt. Plural + + + Background color: + Baggrundsfarve: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Ingen bibler tilgængelige + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Vers + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s og %s - + %s, and %s Locale list separator: end %s, og %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7652,47 +7748,47 @@ Prøv at vælg den individuelt. Præsentér med: - + File Exists Fil eksisterer - + A presentation with that filename already exists. En præsentation med dette filnavn eksisterer allerede. - + This type of presentation is not supported. Denne type præsentation er ikke understøttet. - - Presentations (%s) - 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. + + Presentations ({text}) + - - The presentation %s no longer exists. - Præsentationen %s eksisterer ikke længere. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7702,11 +7798,6 @@ Prøv at vælg den individuelt. Available Controllers Tilgængelige programmer - - - %s (unavailable) - %s (ikke tilgængelig) - Allow presentation application to be overridden @@ -7723,12 +7814,12 @@ Prøv at vælg den individuelt. Anvend den angivne fulde sti til en kørbar fil for enten mudraw eller ghostscript: - + Select mudraw or ghostscript binary. Vælg en kørbar fil for enten mudraw eller ghostscript. - + The program is not ghostscript or mudraw which is required. Programmet er ikke ghostscript eller mudraw, hvilket er krævet. @@ -7739,13 +7830,19 @@ Prøv at vælg den individuelt. - Clicking on a selected slide in the slidecontroller advances to next effect. - Klik på et valgt dias i diasfremviseren afspiller næste effekt. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Lad PowerPoint kontrollere størrelsen og positionen af præsentationsvinduet (en omgåelse for et problem med skalering i Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7787,127 +7884,127 @@ Prøv at vælg den individuelt. RemotePlugin.Mobile - + Service Manager Programhåndtering - + Slide Controller Diashåndtering - + Alerts Meddelelser - + Search Søg - + Home Hjem - + Refresh Opdatér - + Blank Mørkelæg - + 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 - + Remote Fjernbetjening - + Stage View Scenevisning - + Live View Præsentationsvisning @@ -7915,79 +8012,89 @@ Prøv at vælg den individuelt. RemotePlugin.RemoteTab - + Serve on IP address: Benyt følgende IP-adresse: - + Port number: Port nummer: - + Server Settings Serverindstillinger - + Remote URL: Fjern-URL: - + Stage view URL: Scenevisning-URL: - + Display stage time in 12h format Vis scenetiden i 12-timer format - + Android App Android App - + 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 - + Password: Adgangskode: - + Show thumbnails of non-text slides in remote and stage view. Vis miniaturebilleder af ikke-tekst dias i fjernbetjening og scenevisning. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Skan QR-koden, eller klik <a href="%s">hent</a> for at installere Android app'en fra Google Play. + + iOS App + iOS app + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8028,50 +8135,50 @@ Prøv at vælg den individuelt. 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 />Dette udvidelsesmodul 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 @@ -8139,24 +8246,10 @@ Al data optaget før denne dato vil blive slettet permanent. Placering af output-fil - - usage_detail_%s_%s.txt - forbrugsdetaljer_%s_%s.txt - - - + Report Creation Oprettelse af rapport - - - Report -%s -has been successfully created. - Rapport -%s -er blevet oprettet. - Output Path Not Selected @@ -8170,45 +8263,57 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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 />Dette udvidelsesmodul 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... @@ -8304,80 +8409,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 and remove duplicate songs in the song database. Find og fjern sang dubletter i sangdatabasen. @@ -8466,62 +8571,67 @@ Tegnkodningen er ansvarlig for den korrekte visning af tegn. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administreret af %s - - - - "%s" could not be imported. %s - "%s" kunne ikke importeres. %s - - - + Unexpected data formatting. Uventet data formattering. - + No song text found. Ingen sang tekst fundet. - + [above are Song Tags with notes imported from EasyWorship] [ovenstående er Song Tags med noter importeret fra EasyWorship] - + This file does not exist. Denne fil eksisterer ikke. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Kunne ikke finde filen "Songs.MB". Den skal være i samme mappe som filen "Songs.DB". - + This file is not a valid EasyWorship database. Filen er ikke en gyldig EasyWorship database. - + Could not retrieve encoding. Kunne ikke hente tekstkodning. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Metadata - + Custom Book Names Brugerdefinerede bognavne @@ -8604,57 +8714,57 @@ Tegnkodningen er ansvarlig for den korrekte visning af tegn. Tema, ophavsret && kommentarer - + Add Author Tilføj forfatter - + This author does not exist, do you want to add them? Denne forfatter eksisterer ikke. Vil du tilføje dem? - + This author is already in the list. Denne forfatter er allerede på listen. - + 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. Du har ikke valgt en gyldig forfatter. Vælg enten en forfatter fra listen, eller indtast en ny forfatter og klik på "Tilføj forfatter til sang"-knappen for at tilføje den nye forfatter. - + Add Topic Tilføj emne - + This topic does not exist, do you want to add it? Dette emne eksisterer ikke. Vil du tilføje det? - + This topic is already in the list. Dette emne er allerede på listen. - + 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 gyldigt emne. Vælg enten et emne fra listen, eller indtast et nyt emne og klik på "Tilføj emne til sang"-knappen for at tilføje det nye emne. - + You need to type in a song title. Vælg først en sangtitel. - + You need to type in at least one verse. Skriv mindst ét vers. - + You need to have an author for this song. Du mangler en forfatter til denne sang. @@ -8679,7 +8789,7 @@ Tegnkodningen er ansvarlig for den korrekte visning af tegn. Fjern &alt - + Open File(s) Åbn fil(er) @@ -8694,14 +8804,7 @@ Tegnkodningen er ansvarlig for den korrekte visning af tegn. <strong>Advarsel:</strong> Du har ikke indtastet en rækkefølge for versene. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Der er intet vers svarende til "%(invalid)s". Gyldige værdier er %(valid)s. -Indtast venligst versene adskildt af mellemrum. - - - + Invalid Verse Order Ugyldig versrækkefølge @@ -8711,22 +8814,15 @@ Indtast venligst versene adskildt af mellemrum. &Rediger forfattertype - + Edit Author Type Rediger forfattertype - + Choose type for this author Vælg type for denne forfatter - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Der er ingen vers svarende til "%(invalid)s". Gyldige værdier er %(valid)s. -Indtast venligst versene adskildt af mellemrum. - &Manage Authors, Topics, Songbooks @@ -8748,45 +8844,71 @@ Indtast venligst versene adskildt af mellemrum. - + Add Songbook - + This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Redigér vers - + &Verse type: &Verstype: - + &Insert &Indsæt - + Split a slide into two by inserting a verse splitter. Del et dias i to ved at indsætte en versopdeler. @@ -8799,77 +8921,77 @@ Indtast venligst versene adskildt af mellemrum. Guide til eksportering af sange - + Select Songs Vælg sange - + Check the songs you want to export. Markér de sange du vil eksportere. - + Uncheck All Afmarkér alle - + Check All Markér alle - + Select Directory Vælg mappe - + Directory: Mappe: - + Exporting Eksporterer - + Please wait while your songs are exported. Vent imens dines sange eksporteres. - + You need to add at least one Song to export. Vælg mindst én sang der skal eksporteres. - + No Save Location specified Ingen placering angivet til at gemme - + Starting export... Påbegynder eksportering... - + You need to specify a directory. Du er nødt til at vælge en mappe. - + Select Destination Folder Vælg en destinationsmappe - + Select the directory where you want the songs to be saved. Vælg den mappe hvori du ønsker at gemme sangene. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Denne guide vil hjælp dig med at eksportere dine sange til det åbne og frie <strong>OpenLyrics</strong> lovsangsformat. @@ -8877,7 +8999,7 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Ugyldig Foilpresenter sang-fil. Kunne ikke finde nogen vers. @@ -8885,7 +9007,7 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.GeneralTab - + Enable search as you type Slå søg-mens-du-skriver til @@ -8893,7 +9015,7 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Vælg dokument-/præsentationfiler @@ -8903,237 +9025,252 @@ Indtast venligst versene adskildt af mellemrum. Guide til import af sange - + 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. Denne guide vil hjælpe dig med at importere sange fra forskellige formater. Klik på næste-knappen herunder for at påbegynde processen ved at vælge et format du vil importere fra. - + Generic Document/Presentation Almindeligt dokument/præsentation - + Add Files... Tilføj filer... - + Remove File(s) Fjern fil(er) - + Please wait while your songs are imported. Vent imens dine sange bliver importeret. - + Words Of Worship Song Files Words Of Worship sangfiler - + Songs Of Fellowship Song Files Songs Of Fellowship sangfiler - + SongBeamer Files SongBeamer filer - + SongShow Plus Song Files SongShow Plus sangfiler - + Foilpresenter Song Files Foilpresenter sangfiler - + Copy Kopiér - + Save to File Gem til fil - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Songs of Fellowship-importeringen er blevet deaktiveret på grund af at OpenLP ikke kan oprette forbindelse til OpenOffice, eller LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Importeringen af dokumenter/præsentationer er blevet slået fra, da OpenLP ikke kan tilgå OpenOffice eller LibreOffice. - + OpenLyrics Files OpenLyrics filer - + CCLI SongSelect Files CCLI SongSelect-filer - + EasySlides XML File EasySlides XML-fil - + EasyWorship Song Database EasyWorship sangdatabase - + DreamBeam Song Files DreamBeam sangfiler - + You need to specify a valid PowerSong 1.0 database folder. Du skal angive en gyldig PowerSong 1.0-database-mappe. - + 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>. Konvertér først din ZionWorx-database til en CSV-tekstfil, som forklaret i<a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Brugerhåndbogen</a>. - + SundayPlus Song Files SundayPlus sangfiler - + This importer has been disabled. Denne importør er slået fra. - + 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. Importeringen fra MediaShout er kun understøttet på Windows. Det er deaktiveret på grund af et manglende Python-modul. Hvis du ønsker at bruge denne importør, skal du installere "pyodbc"-modulet. - + SongPro Text Files SongPro-tekstfiler - + SongPro (Export File) SongPro (Eksportfil) - + In SongPro, export your songs using the File -> Export menu I SongPro eksporterer du dine sange ved at benytte eksporteringsmenuen i File -> Export menu - + EasyWorship Service File EasyWorship programfil - + WorshipCenter Pro Song Files WorshipCenter Pro sangfiler - + 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. Importeringen fra WorshipCenter Pro er kun understøttet på Windows. Det er deaktiveret på grund af et manglende Python-modul. Hvis du ønsker at bruge denne importør, skal du installere "pyodbc"-modulet. - + 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 database til en CSV fil. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics eller OpenLP 2 eksporteret sang - + OpenLP 2 Databases OpenLP 2 databaser - + LyriX Files LyriX-filer - + LyriX (Exported TXT-files) LyriX (Eksporterede TXT-filer) - + VideoPsalm Files VideoPsalm-filer - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - VideoPsalm-sangbøger er normalt placeret i %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Fejl: %s + File {name} + + + + + Error: {error} + @@ -9152,79 +9289,117 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.MediaItem - + Titles Titler - + Lyrics Sangtekst - + CCLI License: CCLI-licens: - + Entire Song Hele sang - + Maintain the lists of authors, topics and books. Vedligehold listen over forfattere, emner og bøger. - + copy For song cloning kopi - + Search Titles... Søg blandt titler... - + Search Entire Song... Søg hele sang... - + Search Lyrics... Søg sangtekster... - + Search Authors... Søg forfattere... - - Are you sure you want to delete the "%d" selected song(s)? - Er du sikker på at du vil slette de %d valgte sang(e)? + + Search Songbooks... + - - Search Songbooks... + + Search Topics... + + + + + Copyright + Ophavsret + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Kunne ikke åbne MediaShout databasen. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Ikke en gyldig OpenLP 2 sangdatabase. @@ -9232,9 +9407,9 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Eksporterer "%s"... + + Exporting "{title}"... + @@ -9253,29 +9428,37 @@ Indtast venligst versene adskildt af mellemrum. Ingen sange der kan importeres. - + Verses not found. Missing "PART" header. Versene kunne ikke findes. Manglende "PART" header. - No %s files found. - Ingen %s filer fundet. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Ugyldig %s-fil. Uforventet byte-værdi. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Ugyldig %s-fil. Mangler sidehovedet "TITLE". + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Ugyldig %s-fil. Mangler sidehovedet "COPYRIGHTLINE". + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9304,19 +9487,19 @@ 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 + + Your song export failed because this error occurred: {error} + @@ -9332,17 +9515,17 @@ Indtast venligst versene adskildt af mellemrum. De følgende sange kunne ikke importeres: - + Cannot access OpenOffice or LibreOffice Kan ikke tilgå OpenOffice eller LibreOffice - + Unable to open file Kunne ikke åbne fil - + File not found Fil ikke fundet @@ -9350,109 +9533,109 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.SongMaintenanceForm - + Could not add your author. Kunne ikke tilføje din forfatter. - + This author already exists. Denne forfatter eksisterer allerede. - + Could not add your topic. Kunne ikke tilføje dit emne. - + This topic already exists. Dette emne eksisterer allerede. - + Could not add your book. Kunne ikke tilføje din bog. - + This book already exists. Denne bog eksisterer allerede. - + Could not save your changes. Kunne ikke gemme dine ændringer. - + Could not save your modified author, because the author already exists. Kunne ikke gemme din ændrede forfatter, da denne forfatter allerede eksisterer. - + Could not save your modified topic, because it already exists. Kunne ikke gemme dit ændrede emne, da det allerede eksisterer. - + Delete Author Slet forfatter - + Are you sure you want to delete the selected author? Er du sikker på at du vil slette den valgte forfatter? - + This author cannot be deleted, they are currently assigned to at least one song. Denne forfatter kan ikke slettes, da den er tilkyttet til mindst én sang. - + Delete Topic Slet emne - + Are you sure you want to delete the selected topic? Er du sikker på at du vil slette det valgte emne? - + This topic cannot be deleted, it is currently assigned to at least one song. Dette emne kan ikke slettes, da den er tilkyttet til mindst én sang. - + Delete Book Slet bog - + Are you sure you want to delete the selected book? Er du sikker på at du vil slette den valgte bog? - + This book cannot be deleted, it is currently assigned to at least one song. Denne bog kan ikke slettes, da den er tilkyttet til mindst én sang. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Forfatteren %s eksisterer allerede. Vil du få sangene med forfatter %s til at benytte den eksisterende forfatter %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Emnet %s eksisterer allerede. Vil du få sangene med emne %s til at benytte det eksisterende emne %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Bogen %s eksisterer allerede. Vil du få sangene med bog %s til at benytte den eksisterende bog %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9498,52 +9681,47 @@ Indtast venligst versene adskildt af mellemrum. Søg - - Found %s song(s) - Fandt %s sang(e) - - - + Logout Log ud - + View Vis - + Title: Titel: - + Author(s): Forfatter(e)? - + Copyright: Ophavsret: - + CCLI Number: CCLI nummer: - + Lyrics: Sangtekster: - + Back Tilbage - + Import Importér @@ -9583,7 +9761,7 @@ Indtast venligst versene adskildt af mellemrum. Der opstod et problem ved indlogning, måske er dit brugernavn og kode forkert? - + Song Imported Sang importeret @@ -9598,13 +9776,18 @@ Indtast venligst versene adskildt af mellemrum. Denne sang mangler noget information, som f.eks. sangteksten, og kan ikke importeres. - + Your song has been imported, would you like to import more songs? Sangen er blevet importeret, vil du importere flere sange? Stop + Stop + + + + Found {count:d} song(s) @@ -9615,30 +9798,30 @@ Indtast venligst versene adskildt af mellemrum. Songs Mode Sangtilstand - - - Display verses on live tool bar - Vis vers på fremvisningsværktøjslinjen - Update service from song edit Opdatér program efter redigering af sang - - - Import missing songs from service files - Importér manglende sange fra programfiler - Display songbook in footer Vis sangbog i sidefod + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Vis "%s" symbol før ophavsrets information + Display "{symbol}" symbol before copyright info + @@ -9662,37 +9845,37 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.VerseType - + Verse Vers - + Chorus Omkvæd - + Bridge C-stykke - + Pre-Chorus Bro - + Intro Intro - + Ending Slutning - + Other Anden @@ -9700,22 +9883,22 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.VideoPsalmImport - - Error: %s - Fejl: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Ugyldig Words of Worship fil. Mangler "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Ugyldig Words of Worship sang. Mangler "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9726,30 +9909,30 @@ Indtast venligst versene adskildt af mellemrum. Fejl ved læsning af CSV-fil. - - Line %d: %s - Linje %d: %s - - - - Decoding error: %s - Afkodningsfejl: %s - - - + File not valid WorshipAssistant CSV format. Fil er ikke i et gyldigt WorshipAssistant CSV-format. - - Record %d - Optag %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Kunne ikke forbinde til WorshipCenter Pro databasen. @@ -9762,25 +9945,30 @@ Indtast venligst versene adskildt af mellemrum. Fejl ved læsning af CSV-fil. - + File not valid ZionWorx CSV format. Filen er ikke et gyldigt ZionWorx CSV-format. - - Line %d: %s - Linje %d: %s - - - - Decoding error: %s - Afkodningsfejl: %s - - - + Record %d Optag %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9790,39 +9978,960 @@ Indtast venligst versene adskildt af mellemrum. Guide - + 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 guide vil hjælpe dig med at fjerne sangdubletter fra sangdatabasen. Du får mulighed for at gennemse alle potentielle sangdubletter før de slettes. Ingen sange slettes uden at du har godkendt det. - + Searching for duplicate songs. Søger efter sangdubletter. - + Please wait while your songs database is analyzed. Vent venligst mens din sangdatabase analyseres. - + Here you can decide which songs to remove and which ones to keep. Her kan du vælge hvilke sange du vil fjerne og hvilke du vil beholde. - - Review duplicate songs (%s/%s) - Gennemse sangdubletter (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. Ingen sangdubletter blev fundet i databasen. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Dansk + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/de.ts b/resources/i18n/de.ts index 8fd4ccfdf..4fcba57d3 100644 --- a/resources/i18n/de.ts +++ b/resources/i18n/de.ts @@ -120,32 +120,27 @@ Bitte geben Sie etwas ein. AlertsPlugin.AlertsTab - + Font Schrift - + Font name: Schriftart: - + Font color: Schriftfarbe: - - Background color: - Hintergrundfarbe: - - - + Font size: Schriftgröße: - + Alert timeout: Anzeigedauer: @@ -153,88 +148,78 @@ 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 />Diese 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. - Genesis @@ -739,162 +724,109 @@ Bitte geben Sie etwas ein. Diese Bibel existiert bereit. Bitte geben Sie einen anderen Übersetzungsnamen an oder löschen Sie zuerst die Existierende. - - You need to specify a book name for "%s". - Sie müssen ein Buchnamen für »%s« angeben. - - - - 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. - Der Buchname "%s" ist nicht korrekt. -Nummern können nur am Anfang benutzt werden -und ein nichtnumerisches Zeichen muss folgen. - - - + Duplicate Book Name Doppelter Buchname - - The Book Name "%s" has been entered more than once. - Der Buchnamen »%s« wurde mehrmals angegeben. + + You need to specify a book name for "{text}". + Sie müssen ein Buchnamen für "{text}" angeben. + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Buchname "{name}" ist nicht vorhanden. +Zahlen können nur am Anfang stehen und +nichtnumerischen Zeichen müssen folgen. + + + + The Book Name "{name}" has been entered more than once. + Der Buchname "{name}" wurde mehrfach verwendet. BiblesPlugin.BibleManager - + Scripture Reference Error Fehler im Textverweis - - Web Bible cannot be used - Für Onlinebibeln nicht verfügbar + + Web Bible cannot be used in Text Search + Textsuche nicht für Online-Bibel 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Die Bibelstelle ist entweder ungültig, oder hat ein Format, das von OpenLP nicht unterstützt wird. Stellen Sie bitte sicher, dass Ihre Bibelstelle einem der folgenden Muster entspricht oder ziehen Sie das Handbuch zu Rate: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Buch Kapitel -Buch Kapitel%(verse)sVers -Buch Kapitel%(range)sKapitel -Buch Kapitel%(verse)sVers%(range)sVers -Buch Kapitel%(verse)sVers%(range)sKapitel%(verse)sVers -Buch Kapitel%(verse)sVers%(range)sVers%(list)sVers%(range)sVers -Buch Kapitel%(verse)sVers%(range)sVers%(list)sKapitel%(verse)sVers +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + Nichts gefunden BiblesPlugin.BiblesTab - + Verse Display Bibelstellenanzeige - + Only show new chapter numbers Nur neue Kapitelnummern anzeigen - + Bible theme: Bibel-Design: - + No Brackets Keine Klammern - + ( And ) ( und ) - + { And } { und } - + [ And ] [ und ] - - Note: -Changes do not affect verses already in the service. - Hinweis: -Änderungen beeinflussen keine Bibelverse, welche bereits im Ablauf vorhanden sind. - - - + Display second Bible verses Vergleichsbibel anzeigen - + Custom Scripture References Benutzerdefiniertes Bibelstellenformat - - Verse Separator: - Verstrenner: - - - - Range Separator: - Bereichstrenner: - - - - List Separator: - Aufzählungstrenner: - - - - End Mark: - Endmarkierung: - - - + 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. @@ -903,37 +835,83 @@ Striche »|« getrennt angegeben werden. Der erste Trenner wird zur Darstellung in OpenLP genutzt. Durch Leeren des Eingabefeldes kann der Standard-Wert wiederhergestellt werden. - + English Deutsch - + Default Bible Language Standard Bibelsprache - + Book name language in search field, search results and on display: Sprache des Buchnames im Suchfeld, Suchergebnis und Projektionsbildschirm: - + Bible Language Bibelsprache - + Application Language Anwendungssprache - + Show verse numbers Versnummer anzeigen + + + Note: Changes do not affect verses in the Service + Achtung: Änderungen wirken sich nicht auf Verse im Ablauf aus. + + + + Verse separator: + Verstrenner: + + + + Range separator: + Bereichstrenner: + + + + List separator: + Aufzählungstrenner: + + + + End mark: + + + + + Quick Search Settings + Schnellsuch Einstellungen + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -989,70 +967,76 @@ Suchergebnis und Projektionsbildschirm: BiblesPlugin.CSVBible - - Importing books... %s - Importiere Bücher... %s - - - + Importing verses... done. Importiere Verse... Fertig. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + BiblesPlugin.EditBibleForm - + Bible Editor Bibeleditor - + License Details Lizenzdetails - + Version name: Bibelausgabe: - + Copyright: Copyright: - + Permissions: Genehmigung: - + Default Bible Language Standard Bibelsprache - + Book name language in search field, search results and on display: Sprache des Buchnames im Suchfeld, Suchergebnis und Projektionsbildschirm: - + Global Settings Globale Einstellung - + Bible Language Bibelsprache - + Application Language Anwendungssprache - + English Deutsch @@ -1072,224 +1056,259 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. Während des herunterladens der Liste der Bibeln von %s trat ein Fehler auf. + + + Bibles: + Bibeln: + + + + SWORD data folder: + SWORD Daten-Ordner: + + + + SWORD zip-file: + SWORD Zip-Datei: + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + Aus Ordner importieren + + + + Import from Zip-file + Aus Zip-Datei importieren + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Zum importieren von SWORD Bibeln muss das python Modul "pysword" installiert sein. Mehr Informationen finden Sie im Handbuch. + BiblesPlugin.LanguageDialog @@ -1320,113 +1339,130 @@ Es ist nicht möglich die Büchernamen anzupassen. BiblesPlugin.MediaItem - - Quick - Schnellsuche - - - + Find: Suchen: - + Book: Liederbuch: - + Chapter: Kapitel: - + Verse: Vers: - + From: Von: - + To: Bis: - + Text Search Textsuche - + Second: Vergleichstext: - + Scripture Reference Bibelstelle - + Toggle to keep or clear the previous results. Vorheriges Suchergebnis behalten oder verwerfen. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Es ist nicht möglich Einzel- und Zweifach Bibelvers Suchergebnisse zu kombinieren. Sollen die Suchergebnisse gelöscht und eine neue Suche gestartet werden? - + Bible not fully loaded. Bibel wurde nicht vollständig geladen. - + Information 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. - Die Vergleichsbibel enthält nicht alle Verse, die in der Hauptbibel vorhanden sind. Nur die Verse, die in beiden Bibeln vorhanden sind, werden angezeigt. %d Verse sind nicht enthalten. - - - + Search Scripture Reference... Suche Bibelstelle... - + Search Text... Suche 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. - Sind Sie sicher, das Sie die "%s" Bibel komplett löschen wollen? -Um sie wieder zu benutzen, muss sie erneut importier werden. + + Search + Suche - - Advanced - Erweitert + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Falscher Dateityp. OpenSong Bibeln sind möglicherweise komprimiert und müssen entpackt werden, bevor sie importiert werden. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. Falscher Bibel Datei Typ. Dies scheint eine Zefania XML Bibel zu sein. Bitte die Zefania Import funktion benutzen. @@ -1434,178 +1470,51 @@ Um sie wieder zu benutzen, muss sie erneut importier werden. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importiere %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Entferne unbenutzte Tags (dies kann einige Minuten dauern) ... - + Importing %(bookname)s %(chapter)s... Importiere %(bookname)s %(chapter)s... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Ein Backup-Verzeichnis wählen + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Bibelupgradeassistent - - - - 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. - Dieser Assistent hilft Ihnen Ihre Bibeln auf das aktuelle Format umzustellen. Klicken Sie »Weiter« um den Prozess zu starten. - - - - Select Backup Directory - Backup-Verzeichnis wählen - - - - Please select a backup directory for your Bibles - Bitte wählen Sie ein Backup-Verzeichnis für Ihre Bibeln - - - - 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>. - Vorherige Versionen von OpenLP 2.0 können nicht mit den aktualisierten Bibeln umgehen. Sie können eine Backup von ihren Bibeln erstellen. Wie Sie ein Backup wiedereinspielen können Sie in den <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a> lesen. - - - - Please select a backup location for your Bibles. - Bitte wählen Sie ein Backup-Verzeichnis für Ihre Bibeln. - - - - Backup Directory: - Backup-Verzeichnis: - - - - There is no need to backup my Bibles - Es soll kein Backup gemacht werden - - - - Select Bibles - Bibeln wählen - - - - Please select the Bibles to upgrade - Bitte wählen Sie die Bibeln welche aktualisiert werden sollen - - - - Upgrading - Aktualisiere... - - - - Please wait while your Bibles are upgraded. - Bitte warten Sie bis Ihre Bibeln aktualisiert sind. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Das Backup war nicht erfolgreich. -Damit das Backup erstellt werden kann brauchen Sie Schreibrechte in dem Verzeichnis. - - - - Upgrading Bible %s of %s: "%s" -Failed - Aktualisiere Bibel %s von %s: »%s« -Fehlgeschlagen... - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Aktualisiere Bibel %s von %s: »%s« -Aktualisiere... - - - - Download Error - Download Fehler - - - - To upgrade your Web Bibles an Internet connection is required. - Um Onlinebibeln zu aktualisieren ist eine Internetverbindung notwendig. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Aktualisiere Bibel %s von %s: »%s« -Aktualisiere »%s«... - - - - Upgrading Bible %s of %s: "%s" -Complete - Aktualisiere Bibel %s von %s: »%s« -Fertig - - - - , %s failed - , %s fehlgeschlagen - - - - Upgrading Bible(s): %s successful%s - Aktualisiere Bibeln: %s erfolgreich%s - - - - Upgrade failed. - Aktualisierung schlug fehl. - - - - You need to specify a backup directory for your Bibles. - Sie müssen ein Backup-Verzeichnis für Ihre Bibeln angeben. - - - - Starting upgrade... - Beginne mit der Aktualisierung... - - - - There are no Bibles that need to be upgraded. - Es sind keine Bibel für eine Aktualisierung vorhanden. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Aktualisiere Bibel(n): %(success)d erfolgreich%(failed_text)s -Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung geladen werden. Daher ist eine Internetverbindung erforderlich. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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. @@ -1613,9 +1522,9 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importiere %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1730,7 +1639,7 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela Bearbeite alle Folien. - + Split a slide into two by inserting a slide splitter. Füge einen Folienumbruch ein. @@ -1745,7 +1654,7 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela A&utoren: - + You need to type in a title. Bitte geben Sie einen Titel ein. @@ -1755,12 +1664,12 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela &Alle Bearbeiten - + Insert Slide Folie einfügen - + You need to add at least one slide. Sie müssen mindestens eine Folie hinzufügen. @@ -1768,7 +1677,7 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela CustomPlugin.EditVerseForm - + Edit Slide Folie bearbeiten @@ -1776,9 +1685,9 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Sollen die %d ausgewählten Sonderfolien wirklich gelöscht werden? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1806,11 +1715,6 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela container title Bilder - - - Load a new image. - Lade ein neues Bild. - Add a new image. @@ -1841,6 +1745,16 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela Add the selected image to the service. Füge das ausgewählte Bild zum Ablauf hinzu. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1865,12 +1779,12 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela 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. @@ -1906,7 +1820,7 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela ImagePlugin.ExceptionDialog - + Select Attachment Anhang auswählen @@ -1914,39 +1828,22 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1956,25 +1853,41 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Sichtbarer Hintergrund für Bilder mit einem anderem Seitenverhältnis als der Projektionsbildschirm. @@ -1982,27 +1895,27 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Dieser Mediaplayer verwendet Ihr Betriebssystem um Medienfunktionalitäten bereitzustellen. @@ -2010,60 +1923,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>Medien-Erweiterung</strong><br />Diese Erweiterung 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. @@ -2179,47 +2092,47 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? Der VLC Player konnte diese Audio-/Videodatei nicht abspielen - + CD not loaded correctly Die CD konnte nicht geladen werden - + The CD was not loaded correctly, please re-load and try again. Die CD konnte nicht geladen werden. Bitte erneut einlegen und nochmals probieren. - + DVD not loaded correctly Die DVD konnte nicht geladen werden - + The DVD was not loaded correctly, please re-load and try again. Die DVD konnte nicht geladen werden. Bitte erneut einlegen und nochmals probieren. - + Set name of mediaclip Setze den Namen des Audio-/Videoausschnitts - + Name of mediaclip: Name des Audio-/Videoausschnitts - + Enter a valid name or cancel Gültigen Name eingeben oder abbrechen - + Invalid character Ungültiges Zeichen - + The name of the mediaclip must not contain the character ":" Der Name des Audio-/Videoausschnitts darf kein ":" enthalten @@ -2227,90 +2140,100 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Nicht unterstütztes Dateiformat - + Use Player: Nutze Player: - + VLC player required Der VLC Player erforderlich - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + Datei %s wird nicht von %s unterstützt + + + + Unsupported Media File + Nicht unterstützte Mediendatei + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2321,41 +2244,19 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? - Start Live items automatically - Live-Einträge automatisch starten - - - - OPenLP.MainWindow - - - &Projector Manager - &Projektorverwaltung + Start new Live media automatically + OpenLP - + Image Files Bilddateien - - Information - Information - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Das Bibelformat wurde geändert. -Sie müssen Ihre Bibeln aktualisieren. -Möchten Sie dies jetzt tun? - - - + Backup Sicherung @@ -2370,15 +2271,20 @@ Möchten Sie dies jetzt tun? Sicherung des Daten Ordners fehlgeschlagen! - - A backup of the data folder has been created at %s - Die Sicherung des Daten Ordners wurde in %s erzeugt - - - + Open Öffnen + + + A backup of the data folder has been createdat {text} + + + + + Video Files + Videodateien + OpenLP.AboutForm @@ -2388,15 +2294,10 @@ Möchten Sie dies jetzt tun? Danksagungen - + License Lizenz - - - 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. @@ -2425,9 +2326,9 @@ Weitere Informationen finden Sie unter: http://openlp.org/ OpenLP wird von Freiwilligen Helfern entwickelt und unterstützt. Wenn Sie sich beteiligen wollen betätigen Sie untenstehende Schaltfläche und in ihrem Browser wird ihnen angezeigt, welche Möglichkeiten es gibt. - + Volunteer - Freiwillige + Mitwirken @@ -2611,321 +2512,237 @@ Zu guter Letzt geht der Dank an unseren Vater im Himmel, der seinen Sohn gesandt Wir veröffentlichen diese Software kostenlos, weil er uns befreit hat, ohne dass wir etwas dafür getan haben. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Anteiliges Copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} + OpenLP.AdvancedTab - + UI Settings Benutzeroberfläche - - - Number of recent files to display: - Anzahl zuletzt geöffneter Abläufe: - - Remember active media manager tab on startup - Beim Starten die zuletzt gewählte Medienverwaltung wieder auswählen - - - - Double-click to send items straight to live - Objekte bei Doppelklick live anzeigen - - - Expand new service items on creation Neue Elemente in der Ablaufverwaltung mit Details anzeigen - + Enable application exit confirmation Bestätigung vor dem Beenden anzeigen - + Mouse Cursor Mauszeiger - + Hide mouse cursor when over display window Verstecke den Mauszeiger auf dem Bildschrim - - Default Image - Standardbild - - - - Background color: - Hintergrundfarbe: - - - - Image file: - Bild-Datei: - - - + Open File Ablauf öffnen - + Advanced Erweitert - - - Preview items when clicked in Media Manager - Objekte in der Vorschau zeigen, wenn sie in -der Medienverwaltung ausgewählt werden - - Browse for an image file to display. - Wählen Sie die Bild-Datei aus, die angezeigt werden soll. - - - - Revert to the default OpenLP logo. - Standard-Logo wiederherstellen. - - - Default Service Name Voreingestellter Ablaufname - + Enable default service name Ablaufnamen vorschlagen - + Date and Time: Zeitpunkt: - + Monday Montag - + Tuesday Dienstag - + Wednesday Mittwoch - + Friday Freitag - + Saturday Samstag - + Sunday Sonntag - + Now Jetzt - + Time when usual service starts. Übliche Uhrzeit. - + Name: Name: - + Consult the OpenLP manual for usage. Verwendungsdetails sind im Handbuch zu finden. - - Revert to the default service name "%s". - Auf den vorgegebenen Ablaufnahmen »%s« zurücksetzen. - - - + Example: Beispiel: - + Bypass X11 Window Manager Fenstermanager X11 umgehen - + Syntax error. Syntaxfehler. - + Data Location Pfad für Datenablage: - + Current path: Aktueller Pfad: - + Custom path: Benutzerdefinierter Pfad: - + Browse for new data file location. Pfad für Datenablage wählen. - + Set the data location to the default. Pfad für Datenablage zurücksetzen. - + Cancel Abbruch - + Cancel OpenLP data directory location change. Aktuelle Änderungen verwerfen. - + Copy data to new location. Existierende Daten kopieren. - + Copy the OpenLP data files to the new location. Existierende Daten kopieren. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>Warnung:</strong>Der neue Datenpfad enthält bereits Daten. Diese Daten werden während des Kopiervorganges ersetzt. - + Data Directory Error Fehler im Daten Ordner - + Select Data Directory Location Bitte wählen Sie Pfad des Daten Ordners - + Confirm Data Directory Change Bitte bestätigen Sie die Änderung des Daten Ordners - + Reset Data Directory Daten Ordner zurücksetzen - + Overwrite Existing Data Existierende Daten überschreiben - - 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. - Das OpenLP Daten Verzeichnis konnte nicht gefunden werden⏎ ⏎%s⏎ ⏎Befindet sich dieses Verzeichnis auf einem Wechseldatenträger, aktivieren Sie dieses bitte.⏎ ⏎Wählen Sie "Nein" um den Start von OpenLP abzubrechen, um das Problem zu beheben. Wählen Sie "Ja" um das Daten Verzeichnis auf seinen Auslieferungzustand zurück zu setzen. - - - - 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. - Sollen die OpenLP Daten wirklich in folgendem Verzeichnis abgelegt werden:⏎ ⏎%s⏎ ⏎ Das Datenverzeichnis wird geändert, wenn OpenLP geschlossen wird. - - - + Thursday Donnerstag - + Display Workarounds Display-Workarounds - + Use alternating row colours in lists Abwechselnde Zeilenfarben in Listen verwenden - - 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? - Warnung: -Das Verzeichnis, das Sie ausgewählt haben - -%s - -beinhaltet Dateien von OpenLP. Möchten Sie diese mit den aktuellen Daten ersetzen? - - - + Restart Required Neustart erforderlich - + This change will only take effect once OpenLP has been restarted. Diese Änderung wird erst wirksam, wenn Sie OpenLP neustarten. - + 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. @@ -2933,11 +2750,156 @@ This location will be used after OpenLP is closed. Dieser Ort wird beim nächsten Start benutzt. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + Deaktiviert + + + + When changing slides: + Beim Wechseln der Folien: + + + + Do not auto-scroll + Nicht automatisch weiter-zappen + + + + Auto-scroll the previous slide into view + Automatisch die vorherige Folie in der Vorschau anzeigen + + + + Auto-scroll the previous slide to top + Automatisch die vorherige Folie nach oben scrollen + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + Automatisch die aktuelle Folie in der Vorschau anzeigen + + + + Auto-scroll the current slide to top + Automatisch die aktuelle Folie nach oben scrollen + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + Automatisch die aktuelle Folie nach unten scrollen + + + + Auto-scroll the next slide into view + Automatisch die nächste Folie in der Vorschau anzeigen + + + + Auto-scroll the next slide to top + Automatisch die nächste Folie nach oben scrollen + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + Automatisch die nächste Folie nach unten scrollen + + + + Number of recent service files to display: + Anzahl zuletzt geöffneter Abläufe: + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + Objekte bei Doppelklick live anzeigen + + + + Preview items when clicked in Library + Elemente in der Vorschau zeigen, wenn sie in +der Medienverwaltung angklickt werden + + + + Preview items when clicked in Service + + + + + Automatic + automatisch + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klicken Sie, um eine Farbe aus zu wählen. @@ -2945,252 +2907,252 @@ Dieser Ort wird beim nächsten Start benutzt. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digital - + Storage Speicher - + Network Netzwerk - + 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 Speicher 1 - + Storage 2 Speicher 2 - + Storage 3 Speicher 3 - + Storage 4 Speicher 4 - + Storage 5 Speicher 5 - + Storage 6 Speicher 6 - + Storage 7 Speicher 7 - + Storage 8 Speicher 8 - + Storage 9 Speicher 9 - + Network 1 Netzwerk 1 - + Network 2 Netzwerk 2 - + Network 3 Netzwerk 3 - + Network 4 Netzwerk 4 - + Network 5 Netzwerk 5 - + Network 6 Netzwerk 6 - + Network 7 Netzwerk 7 - + Network 8 Netzwerk 8 - + Network 9 Netzwerk 9 @@ -3198,63 +3160,74 @@ Dieser Ort wird beim nächsten Start benutzt. OpenLP.ExceptionDialog - + Error Occurred Fehler aufgetreten - + Send E-Mail E-Mail senden - + Save to File In Datei speichern - + Attach File Datei einhängen - - - Description characters to enter : %s - Mindestens noch %s Zeichen eingeben - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Bitte beschreiben Sie, was Sie getan haben, bevor dieser Fehler auftrat. Wenn möglich, schreiben Sie bitte in Englisch. -(Mindestens 20 Zeichen) - - 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. Also attach any files that triggered the problem. - Ups! OpenLP hat ein Problem und kann es nicht beheben. Der Text im unteren Fenster enthält Informationen, welche möglicherweise hilfreich für die OpenLP Entwickler sind. -Bitte senden Sie eine E-Mail an: bugs@openlp.org mit einer ausführlichen Beschreibung was Sie taten als das Problem auftrat. Bitte fügen Sie außerdem Dateien hinzu, die das Problem auslösten. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation + OpenLP.ExceptionForm - - Platform: %s - - Plattform: %s - - - - + Save Crash Report Fehlerprotokoll speichern - + Text files (*.txt *.log *.text) Textdateien (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3295,268 +3268,259 @@ Bitte senden Sie eine E-Mail an: bugs@openlp.org mit einer ausführlichen Beschr 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 konnte 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. - Es wurde keine Internetverbindung erkannt. Um während des erstmaligen Startes von OpenLP Beispiel Lieder, Bibeln und Designs zu installieren ist eine Internetverbindung nötig. Klicken Sie »Abschließen«, um OpenLP nun mit Grundeinstellungen und ohne Beispiel Daten zu starten. - -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. Während des Herunterladens trat ein Verbindungsfehler auf, daher wird das Herunterladen weiterer Dateien übersprungen. Versuchen Sie den Erstinstallations Assistenten später erneut zu starten. - - 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. Während des Herunterladens trat ein Verbindungsfehler auf, daher wird das Herunterladen weiterer Dateien übersprungen. Versuchen Sie den Erstinstallations Assistenten später erneut zu starten. - - This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - Dieser Assistent unterstützt Sie bei der Konfiguration von OpenLP für die erste Benutzung. Drücken Sie den %s Knopf weiter unten zum Start - - - - - -To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - Um den Einrichtungsassistenten zu unterbrechen (und OpenLP nicht zu starten), bitte »%s« klicken. - - - - - + Downloading Resource Index Ressourcen-Index wird heruntergeladen - + Please wait while the resource index is downloaded. Bitte warten Sie, während der Ressourcen-Index heruntergeladen wird. - + Please wait while OpenLP downloads the resource index file... Bitte warten Sie, während OpenLP die Ressourcen-Index-Datei herunterlädt... - + Downloading and Configuring Herunterladen und Konfigurieren - + Please wait while resources are downloaded and OpenLP is configured. Bitte warten Sie, während die Ressourcen heruntergeladen und OpenLP konfiguriert wird. - + Network Error Netzwerkfehler - + There was a network error attempting to connect to retrieve initial configuration information Es trat ein Netzwerkfehler beim Laden der initialen Konfiguration auf - - Cancel - Abbruch - - - + Unable to download some files Einige Dateien konnten nicht heruntergeladen werden + + + Select parts of the program you wish to use + Wählen Sie die Teile des Programms aus, die Sie nutzen wollen. + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + Bibeln – Importieren und anzeigen von Bibeln + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + Präsentation – .ppt, .odp und .pdf-Dateien anzeigen + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3599,44 +3563,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML hier> - + Validation Error Validierungsfehler - + Description is missing Beschreibung fehlt - + Tag is missing Formatvorlage fehlt - Tag %s already defined. - Tag »%s« bereits definiert. + Tag {tag} already defined. + - Description %s already defined. - Beschreibung »%s« bereits definiert. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Der Start-Tag %s ist kein gültiges HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Der End-Tag %(end)s stimmt nicht mit dem Start-Tag %(start)s überein. + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3725,170 +3694,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General Allgemein - + Monitors Bildschirme - + Select monitor for output display: Projektionsbildschirm: - + Display if a single screen Anzeige bei nur einem Bildschirm - + Application Startup Programmstart - + Show blank screen warning Warnung wenn Projektion deaktiviert wurde - - Automatically open the last service - Zuletzt benutzten Ablauf beim Start laden - - - + Show the splash screen Zeige den Startbildschirm - + Application Settings Anwendungseinstellungen - + Prompt to save before starting a new service Geänderte Abläufe nicht ungefragt ersetzen - - Automatically preview next item in service - Vorschau des nächsten Ablaufelements - - - + sec sek - + CCLI Details CCLI-Details - + SongSelect username: SongSelect-Benutzername: - + SongSelect password: SongSelect-Passwort: - + X X - + Y Y - + Height Höhe - + Width Breite - + Check for updates to OpenLP OpenLP auf Updates überprüfen - - Unblank display when adding new live item - Neues Element hellt Anzeige automatisch auf - - - + Timed slide interval: Automatischer Folienwechsel: - + Background Audio Hintergrundton - + Start background audio paused Starte Hintergrundmusik pausiert - + Service Item Slide Limits Navigation in Folienkontrollfeld - + Override display position: Anzeigeposition überschreiben: - + Repeat track list Abspielliste wiederholen - + Behavior of next/previous on the last/first slide: Verhalten von "Vorherige/Nächste Folie" bei letzter Folie: - + &Remain on Slide &Halte - + &Wrap around &Umlauf - + &Move to next/previous service item &Nächstes/vorheriges Ablaufelement + + + Logo + Logo + + + + Logo file: + Logo-Datei: + + + + Browse for an image file to display. + Wählen Sie die Bild-Datei aus, die angezeigt werden soll. + + + + Revert to the default OpenLP logo. + Standard-Logo wiederherstellen. + + + + Don't show logo on startup + Beim Programmstart kein Logo anzeigen + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Sprache - + Please restart OpenLP to use your new language setting. Bitte starten Sie OpenLP neu, um die neue Spracheinstellung zu verwenden. @@ -3896,7 +3895,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP-Anzeige @@ -3923,11 +3922,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View &Ansicht - - - M&ode - An&sichtsmodus - &Tools @@ -3948,16 +3942,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help &Hilfe - - - Service Manager - Ablaufverwaltung - - - - Theme Manager - Designverwaltung - Open an existing service. @@ -3983,11 +3967,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit &Beenden - - - Quit OpenLP - OpenLP beenden - &Theme @@ -3999,191 +3978,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Einstellungen... - - &Media Manager - &Medienverwaltung - - - - Toggle Media Manager - Die Medienverwaltung ein- bzw. ausblenden - - - - Toggle the visibility of the media manager. - Die Medienverwaltung ein- bzw. ausblenden. - - - - &Theme Manager - &Designverwaltung - - - - Toggle Theme Manager - Die Designverwaltung ein- bzw. ausblenden - - - - Toggle the visibility of the theme manager. - Die Designverwaltung ein- bzw. ausblenden. - - - - &Service Manager - &Ablaufverwaltung - - - - Toggle Service Manager - Die Ablaufverwaltung ein- bzw. ausblenden - - - - Toggle the visibility of the service manager. - Die Ablaufverwaltung ein- bzw. ausblenden. - - - - &Preview Panel - &Vorschau-Ansicht - - - - Toggle Preview Panel - Die Vorschau ein- bzw. ausblenden - - - - Toggle the visibility of the preview panel. - Die Vorschau ein- bzw. ausschalten. - - - - &Live Panel - &Live-Ansicht - - - - Toggle Live Panel - Die Live Ansicht ein- bzw. ausschalten - - - - Toggle the visibility of the live panel. - Die Live Ansicht ein- bzw. ausschalten. - - - - List the Plugins - Erweiterungen verwalten - - - + &User Guide Benutzer&handbuch - + &About &Info über OpenLP - - More information about OpenLP - Mehr Informationen über OpenLP - - - + &Online Help &Online Hilfe - + &Web Site &Webseite - + Use the system language, if available. Die Systemsprache, sofern diese verfügbar ist, verwenden. - - Set the interface language to %s - Die Sprache von OpenLP auf %s stellen - - - + Add &Tool... Hilfsprogramm hin&zufügen... - + Add an application to the list of tools. Eine Anwendung zur Liste der Hilfsprogramme hinzufügen. - - &Default - &Standard - - - - Set the view mode back to the default. - Den Ansichtsmodus auf Standardeinstellung setzen. - - - + &Setup &Einrichten - - Set the view mode to Setup. - Die Ansicht für die Ablauferstellung optimieren. - - - + &Live &Live - - Set the view mode to Live. - Die Ansicht für den Live-Betrieb optimieren. - - - - 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/. - Version %s von OpenLP ist verfügbar (installierte Version ist %s). - -Sie können die letzte Version auf http://openlp.org abrufen. - - - + OpenLP Version Updated Neue OpenLP Version verfügbar - + OpenLP Main Display Blanked Hauptbildschirm abgedunkelt - + The Main Display has been blanked out Die Projektion ist momentan nicht aktiv. - - Default Theme: %s - Standarddesign: %s - - - + English Please add the name of your language here Deutsch @@ -4194,27 +4049,27 @@ Sie können die letzte Version auf http://openlp.org abrufen. Konfiguriere &Tastenkürzel... - + Open &Data Folder... Öffne &Datenverzeichnis... - + Open the folder where songs, bibles and other data resides. Öffne das Verzeichnis, wo Lieder, Bibeln und andere Daten gespeichert sind. - + &Autodetect &Automatisch - + Update Theme Images Aktualisiere Design Bilder - + Update the preview images for all themes. Aktualisiert die Vorschaubilder aller Designs. @@ -4224,32 +4079,22 @@ Sie können die letzte Version auf http://openlp.org abrufen. Drucke den aktuellen Ablauf. - - L&ock Panels - Ansicht &sperren - - - - Prevent the panels being moved. - Unterbindet das Bewegen der Leisten. - - - + Re-run First Time Wizard Einrichtungsassistent starten - + Re-run the First Time Wizard, importing songs, Bibles and themes. Einrichtungsassistent erneut starten um Beispiel-Lieder, Bibeln und Designs zu importieren. - + Re-run First Time Wizard? Einrichtungsassistent starten? - + 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. @@ -4258,13 +4103,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. @@ -4273,75 +4118,36 @@ Der Einrichtungsassistent kann einige Einstellungen verändern und ggf. neue Lie Configure &Formatting Tags... Konfiguriere &Formatvorlagen... - - - Export OpenLP settings to a specified *.config file - Exportiere OpenLPs Einstellungen in ein *.config-Datei. - Settings Einstellungen - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importiere OpenLPs Einstellungen aus ein *.config-Datei, die vorher an diesem oder einem anderen Computer exportiert wurde. - - - + Import settings? Importiere Einstellungen? - - Open File - Ablauf öffnen - - - - OpenLP Export Settings Files (*.conf) - OpenLP Einstellungsdatei (*.conf) - - - + Import settings Importiere Einstellungen - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP wird nun geschlossen. Importierte Einstellungen werden bei dem nächsten Start übernommen. - + Export Settings File Exportiere Einstellungsdatei - - OpenLP Export Settings File (*.conf) - 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 - OpenLP Datenverzeichnis Kopievorgang ist fehlgeschlagen - -%s - General @@ -4353,12 +4159,12 @@ Der Einrichtungsassistent kann einige Einstellungen verändern und ggf. neue Lie Bibliothek - + Jump to the search box of the current active plugin. Zum Suchfeld der aktiven Erweiterung springen. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4371,7 +4177,7 @@ Wenn Sie die Einstellungen importieren, machen Sie unwiderrufliche Änderungen a Fehlerhafte Einstellungen können zu Fehlern oder Abstürzen führen. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4380,35 +4186,10 @@ Processing has terminated and no changes have been made. Der Import wurde abgebrochen und es wurden keine Änderungen gemacht. - - Projector Manager - Projektorverwaltung - - - - Toggle Projector Manager - Die Projektorverwaltung ein- bzw. ausblenden - - - - Toggle the visibility of the Projector Manager - Die Projektorverwaltung ein- bzw. ausblenden - - - + Export setting error Fehler beim Exportieren der Einstellungen - - - The key "%s" does not have a default value so it will be skipped in this export. - Der Schlüssel „%s“ hat keinen Standardwert, deshalb wird er beim Exportieren übersprungen. - - - - An error occurred while exporting the settings: %s - Folgender Fehler trat beim Exportieren der Einstellungen auf: %s - &Recent Services @@ -4440,131 +4221,340 @@ Der Import wurde abgebrochen und es wurden keine Änderungen gemacht.Plugins &verwalten - + Exit OpenLP OpenLP beenden - + Are you sure you want to exit OpenLP? Soll OpenLP wirklich beendet werden? - + &Exit OpenLP OpenLP &beenden + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + Standarddesign: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Ablauf + + + + Themes + Designs + + + + Projectors + Projektoren + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + &Designs + + + + Hide or show themes + Designs anzeigen oder verbergen + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 - Die Datenbank die versucht wird zu laden, wurde in einer neueren Version von OpenLP erstellt. Die Datenbank hat die Version %d, wobei OpenLP die Version %d erwartet. Die Datenkbank wird nicht geladen. - -Datenbank: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP kann die Datenbank nicht laden. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Datenbank: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Keine Elemente ausgewählt. - + &Add to selected Service Item Zum &gewählten Ablaufelement hinzufügen - + You must select one or more items to preview. Zur Vorschau muss mindestens ein Elemente auswählt sein. - + You must select one or more items to send live. Zur Live Anzeige muss mindestens ein Element ausgewählt sein. - + You must select one or more items. Es muss mindestens ein Element ausgewählt sein. - + You must select an existing service item to add to. Sie müssen ein vorhandenes Ablaufelement auswählen. - + Invalid Service Item Ungültiges Ablaufelement - - You must select a %s service item. - Sie müssen ein %s-Element im Ablaufs wählen. - - - + You must select one or more items to add. Sie müssen ein oder mehrer Element auswählen. - + No Search Results Kein Suchergebnis - + Invalid File Type Ungültige Dateiendung - - Invalid File %s. -Suffix not supported - Ungültige Datei %s. -Dateiendung nicht unterstützt. - - - + &Clone &Klonen - + Duplicate files were found on import and were ignored. Duplikate wurden beim Importieren gefunden und wurden ignoriert. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Ein <lyrics>-Tag fehlt. - + <verse> tag is missing. Ein <verse>-Tag fehlt. @@ -4572,22 +4562,22 @@ Dateiendung nicht unterstützt. OpenLP.PJLink1 - + Unknown status Unbekannter Status - + No message Keine Meldung - + Error while sending data to projector Fehler während der Datenübertragung zum Projektor - + Undefined command: Unbekanntes Kommando: @@ -4595,32 +4585,32 @@ Dateiendung nicht unterstützt. OpenLP.PlayerTab - + Players Mediaplayer - + Available Media Players Verfügbare Mediaplayer - + Player Search Order Mediaplayer Suchreihenfolge - + Visible background for videos with aspect ratio different to screen. Sichtbarer Hintergrund für Videos mit einem anderen Seitenverhältnis als die Anzeige. - + %s (unavailable) %s (nicht verfügbar) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" Achtung: Um VCL zu benutzen, müssen Sie die %s-Version installieren. @@ -4629,55 +4619,50 @@ Dateiendung nicht unterstützt. OpenLP.PluginForm - + Plugin Details Erweiterungsdetails - + Status: Status: - + Active aktiv - - Inactive - inaktiv - - - - %s (Inactive) - %s (inaktiv) - - - - %s (Active) - %s (aktiv) + + Manage Plugins + Plugins verwalten - %s (Disabled) - %s (deaktiviert) + {name} (Disabled) + - - Manage Plugins - Plugins verwalten + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Auf Seite einpassen - + Fit Width An Breite anpassen @@ -4685,77 +4670,77 @@ Dateiendung nicht unterstützt. OpenLP.PrintServiceForm - + Options Optionen - + Copy Kopieren - + Copy as HTML Als HTML kopieren - + Zoom In Heranzoomen - + Zoom Out Wegzoomen - + Zoom Original Original Zoom - + Other Options Andere Optionen - + Include slide text if available Drucke Folientext wenn verfügbar - + Include service item notes Drucke Element-Notizen - + Include play length of media items Drucke Spiellänge von Medien Elementen - + Add page break before each text item Einen Seitenumbruch nach jedem Text-Element einfügen - + Service Sheet Ablauf - + Print Drucken - + Title: Titel: - + Custom Footer Text: Ablaufnotizen: @@ -4763,257 +4748,257 @@ Dateiendung nicht unterstützt. OpenLP.ProjectorConstants - + OK OK - + General projector error Allgemeiner Projektor Fehler - + Not connected error Fehler: Nicht verbunden - + Lamp error Lampen Fehler - + Fan error Lüfter Fehler - + High temperature detected Übertemperatur festgestellt - + Cover open detected Gehäuse offen festgestellt - + Check filter Bitte Filter prüfen - + Authentication Error Authentifizierungsfehler - + Undefined Command Unbekanntes Kommando - + Invalid Parameter Ungültiger Parameter - + Projector Busy Projektor beschäftigt - + Projector/Display Error Projektor/Anzeige Fehler - + Invalid packet received Ungültiges Datenpaket empfangen - + Warning condition detected Alarmbedingung erkannt - + Error condition detected Fehlerbedingung erkannt - + PJLink class not supported Die PJLink-Klasse wird nicht unterstützt - + Invalid prefix character Ungültiger Prefix-Buchstabe - + The connection was refused by the peer (or timed out) Die Verbindung wurde vom Peer abgelehnt (oder sie wurde unterbrochen) - + The remote host closed the connection Die Verbindung wurde am anderen Rechner getrennt. - + The host address was not found Die Hostadresse wurde nicht gefunden - + The socket operation failed because the application lacked the required privileges Die Socketoperation konnte nicht ausgeführt werden, da die nötigen Rechte fehlen. - + The local system ran out of resources (e.g., too many sockets) Das lokale System hat nicht genügend Ressourcen (z.B. zu viele Sockets) - + The socket operation timed out Die Socket-Operation wurde unterbrochen - + The datagram was larger than the operating system's limit Das Datagramm war größer als das Limit des Betriebssystems - + An error occurred with the network (Possibly someone pulled the plug?) Ein Netzwerkfehler ist aufgetreten (vielleicht hat jemand den Stecker gezogen?) - + The address specified with socket.bind() is already in use and was set to be exclusive Die Adresse für socket.bind() ist bereits in Benutzung und ist nur exklusiv nutzbar - + The address specified to socket.bind() does not belong to the host Die Adresse für socket.bind() gehört nicht zu diesem Rechner - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) Die angeforderte Socket-Operation wird nicht vom Betriebssystem unterstützt (z.B. fehlende IPv6 Unterstützung) - + The socket is using a proxy, and the proxy requires authentication Der Socket benutzt einen Proxy, der eine Anmeldung erfordert - + The SSL/TLS handshake failed Der SSL/TLS-Handshake ist fehlgeschlagen - + The last operation attempted has not finished yet (still in progress in the background) Der letzte Vorgang ist noch nicht beendet (er läuft noch im Hintergrund) - + Could not contact the proxy server because the connection to that server was denied Konnte den Proxy Server nicht kontaktieren, da die Verbindung abgewiesen wurde - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) Die Verbindung zum Proxy-Server wurde unerwartet beendet (bevor die Verbindung zum Ziel-Server hergestellt war) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Die Verbindung zum Proxy-Server lief in einen Timeout oder der Proxy-Server antwortet nicht mehr während der Anmeldung - + The proxy address set with setProxy() was not found Die Proxy-Adresse bei setProxy() wurde nicht gefunden - + An unidentified error occurred Unbekannter Fehler - + Not connected Nicht verbunden - + Connecting Verbinde - + Connected Verbunden - + Getting status Status Abfrage - + Off Aus - + Initialize in progress Initialisierungsphase - + Power in standby Standby Modus - + Warmup in progress Aufwärmphase - + Power is on Eingeschaltet - + Cooldown in progress Abkühlphase - + Projector Information available Projektorinformation verfügbar - + Sending data Sende Daten - + Received data Daten Empfangen - + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood Der Verbindungsaufbau zum Proxy-Server ist fehlgeschlagen, da die Antwort des Proxy-Servers nicht verarbeitet werden konnte @@ -5021,17 +5006,17 @@ Dateiendung nicht unterstützt. OpenLP.ProjectorEdit - + Name Not Set Name nicht festgelegt - + You must enter a name for this entry.<br />Please enter a new name for this entry. Dieser Eintrag benötigt einen Namen.<br />Bitte einen Namen für diesen Eintrag eingeben. - + Duplicate Name Doppelter Name @@ -5039,52 +5024,52 @@ Dateiendung nicht unterstützt. OpenLP.ProjectorEditForm - + Add New Projector Neuen Projektor hinzufügen - + Edit Projector Projektor bearbeiten - + IP Address IP Adresse - + Port Number Port Nummer - + PIN PIN - + Name Name - + Location Ort - + Notes Notizen - + Database Error Datenbankfehler - + There was an error saving projector information. See the log for the error Es gab einen Fehler beim Speichern der Projektorinformation. Mehr Informationen zum Fehler gibt es in der Log-Datei @@ -5092,305 +5077,360 @@ Dateiendung nicht unterstützt. OpenLP.ProjectorManager - + Add Projector Projektor hinzufügen - - Add a new projector - Füge neuen Projektor hinzu - - - + Edit Projector Projektor bearbeiten - - Edit selected projector - Bearbeite den ausgewählten Projektor - - - + Delete Projector Projektor löschen - - Delete selected projector - Lösche den ausgewählten Projektor - - - + Select Input Source Eingangsquelle auswählen - - Choose input source on selected projector - Wähle die Eingangsquelle für ausgewählten Projektor - - - + View Projector Zeige Projektor - - View selected projector information - Zeige Informationen zum ausgewählten Projektor - - - - Connect to selected projector - Verbinde ausgewählten Projektor - - - + Connect to selected projectors Verbindung zu ausgewählten Projektoren herstellen - + Disconnect from selected projectors Verbindung zu ausgewählten Projektoren trennen - + Disconnect from selected projector Trenne ausgewählten Projektor - + Power on selected projector Schalte ausgewählten Projektor ein - + Standby selected projector Standby für ausgewählten Projektor - - Put selected projector in standby - Ausgewählten Projektor in Standy schalten - - - + Blank selected projector screen Ausgewählten Projektor abdunkeln - + Show selected projector screen Ausgewählten Projektor anzeigen - + &View Projector Information &V Projektorinformation anzeigen - + &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 - + &Blank Projector Screen &B Projektion abdunkeln - + &Show Projector Screen &S Projektion anzeigen - + &Delete Projector &Lösche Projektor - + Name Name - + IP IP - + Port Port - + Notes Notizen - + Projector information not available at this time. Derzeit keine Projektorinformation verfügbar. - + Projector Name Projektor Name - + Manufacturer Hersteller - + Model Modell - + Other info Andere Informationen - + Power status Stromversorgungsstatus - + Shutter is Rolladen - + Closed Geschlossen - + Current source input is Aktuell gewählter Eingang ist - + Lamp Lampe - - On - An - - - - Off - Aus - - - + Hours Stunden - + No current errors or warnings Keine aktuellen Fehler oder Warnungen - + Current errors/warnings Aktuelle Fehler/Warnungen - + Projector Information Projektorinformation - + No message Keine Meldung - + Not Implemented Yet Derzeit nicht implementiert - - Delete projector (%s) %s? - Projektor löschen (%s) %s? - - - + Are you sure you want to delete this projector? Soll dieser Projektor wirklich gelöscht werden? + + + Add a new projector. + Neuen Projektor hinzufügen + + + + Edit selected projector. + Bearbeite den ausgewählten Projektor. + + + + Delete selected projector. + Lösche den ausgewählten Projektor. + + + + Choose input source on selected projector. + Wähle die Eingangsquelle für den ausgewählten Projektor. + + + + View selected projector information. + Zeige Informationen zum ausgewählten Projektor. + + + + Connect to selected projector. + Verbinde ausgewählten Projektor. + + + + Connect to selected projectors. + Verbinde mit ausgewählten Projektoren. + + + + Disconnect from selected projector. + Trenne den ausgewählten Projektor. + + + + Disconnect from selected projectors. + Trenne die ausgewählte Projektoren. + + + + Power on selected projector. + Schalte ausgewählten Projektor ein. + + + + Power on selected projectors. + Schalte ausgewählte Projektoren ein. + + + + Put selected projector in standby. + Ausgewählten Projektor in Standby schalten. + + + + Put selected projectors in standby. + Ausgewählte Projektoren in Standby schalten. + + + + Blank selected projectors screen + Ausgewählte Projektoren abdunkeln + + + + Blank selected projectors screen. + Ausgewählte Projektoren abdunkeln. + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + eingeschaltet + + + + is off + ausgeschaltet + + + + Authentication Error + Authentifizierungsfehler + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Lüfter - + Lamp Lampe - + Temperature Temperatur - + Cover Deckblatt - + Filter Filter - + Other Anderes @@ -5436,17 +5476,17 @@ Dateiendung nicht unterstützt. OpenLP.ProjectorWizard - + Duplicate IP Address Doppelte IP-Adresse - + Invalid IP Address Ungültige IP Adresse - + Invalid Port Number Ungültige Port Nummer @@ -5459,27 +5499,27 @@ Dateiendung nicht unterstützt. Bildschirm - + primary Primär OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Anfang</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Spiellänge</strong>: %s - - [slide %d] - [Folie %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5543,52 +5583,52 @@ Dateiendung nicht unterstützt. Das ausgewählte Element aus dem Ablaufs entfernen. - + &Add New Item &Neues Element hinzufügen - + &Add to Selected Item &Zum gewählten Element hinzufügen - + &Edit Item Element &bearbeiten - + &Reorder Item &Aufnahmeelement - + &Notes &Notizen - + &Change Item Theme &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. @@ -5613,7 +5653,7 @@ Dateiendung nicht unterstützt. Alle Ablaufelemente einklappen. - + Open File Ablauf öffnen @@ -5643,22 +5683,22 @@ Dateiendung nicht unterstützt. Zeige das ausgewählte Element Live. - + &Start Time &Startzeit - + Show &Preview &Vorschau - + Modified Service Modifizierter Ablauf - + The current service has been modified. Would you like to save this service? Der momentane Ablauf wurde modifiziert. Möchten Sie ihn speichern? @@ -5678,27 +5718,27 @@ Dateiendung nicht unterstützt. Spiellänge: - + Untitled Service 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 @@ -5718,146 +5758,145 @@ 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. - + Service File(s) Missing Ablaufdatei(en) fehlen - + &Rename... &Umbenennen… - + Create New &Custom Slide Neue &Sonderfolie erstellen - + &Auto play slides &Folien automatisch abspielen - + Auto play slides &Loop Folien automatisch abspielen (mit &Wiederholung) - + Auto play slides &Once Folien automatisch abspielen (&einmalig) - + &Delay between slides &Pause zwischen Folien - + OpenLP Service Files (*.osz *.oszl) 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 - Folgender Fehler trat beim Schreiben der Service-Datei auf: %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Die folgende(n) Datei(en) fehlen im Ablauf: %s -Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren. + + + + + An error occurred while writing the service file: {error} + @@ -5889,15 +5928,10 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren.Tastenkürzel - + Duplicate Shortcut Belegtes Tastenkürzel - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Das Tastenkürzel »%s« ist bereits einer anderen Aktion zugeordnet. Bitte wählen Sie ein anderes Tastenkürzel. - Alternate @@ -5943,219 +5977,234 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren.Configure Shortcuts Konfiguriere Tastaturkürzel... + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Verbergen - + Go To Gehe zu - + Blank Screen Anzeige abdunkeln - + Blank to Theme Design leeren - + Show Desktop Desktop anzeigen - + Previous Service Vorheriges Element - + Next Service Nächstes Element - + Escape Item Folie schließen - + Move to previous. Vorherige Folie anzeigen. - + Move to next. Vorherige Folie anzeigen. - + Play Slides Schleife - + Delay between slides in seconds. Verzögerung zwischen den Folien (in Sekunden) - + Move to live. Zur Live Ansicht verschieben. - + Add to Service. Füge zum Ablauf hinzu. - + Edit and reload song preview. Bearbeiten und Vorschau aktualisieren. - + Start playing media. Beginne Wiedergabe. - + Pause audio. Pausiere Musik. - + Pause playing media. Pausiere Wiedergabe. - + Stop playing media. Beende Wiedergabe. - + Video position. Videoposition - + Audio Volume. Lautstärke - + Go to "Verse" Gehe zu »Strophe« - + Go to "Chorus" Gehe zu »Refrain« - + Go to "Bridge" Gehe zu »Bridge« - + Go to "Pre-Chorus" Gehe zu »Überleitung« - + Go to "Intro" Gehe zu »Intro« - + Go to "Ending" Gehe zu »Ende« - + Go to "Other" Gehe zu »Anderes« - + Previous Slide Vorherige Folie - + Next Slide Nächste Folie - + Pause Audio Tonausgabe anhalten - + Background Audio Hintergrundton - + Go to next audio track. Zum nächsten Stück gehen. - + Tracks Stücke + + + Loop playing media. + + + + + Video timer. + Video-Timer. + OpenLP.SourceSelectForm - + Select Projector Source Wähle Projektor Quelle - + Edit Projector Source Text Wähle Projektor Quelle - + Ignoring current changes and return to OpenLP Änderungen verwerfen und zu OpenLP zurückkehren - + Delete all user-defined text and revert to PJLink default text Lösche den benutzerdefinieren Text und stelle den Standardtext wieder her. - + Discard changes and reset to previous user-defined text Änderungen verwerfen und vorherigen benutzerdefinierten Text verwenden - + Save changes and return to OpenLP Änderungen speichern und zu OpenLP zurückkehren - + Delete entries for this projector Eingaben dieses Projektors löschen - + Are you sure you want to delete ALL user-defined source input text for this projector? Sind Sie sicher, dass sie ALLE benutzerdefinieren Quellen für diesen Projektor löschen wollen? @@ -6163,17 +6212,17 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren. OpenLP.SpellTextEdit - + Spelling Suggestions Rechtschreibvorschläge - + Formatting Tags Formatvorlagen - + Language: Sprache: @@ -6252,7 +6301,7 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren. OpenLP.ThemeForm - + (approximately %d lines per slide) (ungefähr %d Zeilen pro Folie) @@ -6260,523 +6309,531 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren. OpenLP.ThemeManager - + Create a new theme. Erstelle ein neues Design. - + Edit Theme Bearbeite Design - + Edit a theme. Ein bestehendes Design bearbeiten. - + Delete Theme Lösche Design - + Delete a theme. Ein Design löschen. - + Import Theme Importiere Design - + Import a theme. Ein Design aus einer Datei importieren. - + Export Theme Exportiere Design - + Export a theme. Ein Design in eine Datei exportieren. - + &Edit Theme Design &bearbeiten - + &Delete Theme &Lösche Design - + Set As &Global Default Als &globalen Standard setzen - - %s (default) - %s (Standard) - - - + You must select a theme to edit. 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. - + 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 - + Select Theme Import File OpenLP Designdatei importieren - + File is not a valid theme. Diese Datei ist keine gültige OpenLP Designdatei. - + &Copy Theme Design &kopieren - + &Rename Theme Design &umbenennen - + &Export Theme Design &exportieren - + You must select a theme to rename. Es ist kein Design zur Umbenennung ausgewählt. - + Rename Confirmation Umbenennung bestätigen - + Rename %s theme? Soll das Design »%s« wirklich umbenennt werden? - + You must select a theme to delete. Es ist kein Design zum Löschen ausgewählt. - + Delete Confirmation Löschbestätigung - + Delete %s theme? 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. - - Copy of %s - Copy of <theme name> - 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 - Der Design-Export schlug fehl, weil dieser Fehler auftrat: %s - - - + OpenLP Themes (*.otz) OpenLP Designs (*.otz) - - %s time(s) by %s - %s Mal von %s - - - + Unable to delete theme Es ist nicht möglich das Design zu löschen + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Das Design wird momentan benutzt - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Designassistent - + Welcome to the Theme Wizard Willkommen beim Designassistenten - + Set Up Background Hintergrund einrichten - + Set up your theme's background according to the parameters below. Der Designhintergrund wird anhand der Parameter unten eingerichtet. - + Background type: Hintergrundart: - + Gradient Farbverlauf - + Gradient: Verlauf: - + Horizontal horizontal - + Vertical vertikal - + Circular radial - + Top Left - Bottom Right diagonal abwärts - + Bottom Left - Top Right diagonal aufwärts - + Main Area Font Details Schriftschnitt und -farbe - + Define the font and display characteristics for the Display text Die Schrift und die Anzeigeeigenschaften für die Hauptanzeigefläche einrichten - + Font: Schriftart: - + Size: Schriftgröße: - + Line Spacing: Zeilenabstand: - + &Outline: &Umrandung: - + &Shadow: S&chatten: - + Bold Fett - + Italic Kursiv - + Footer Area Font Details Fußzeile einrichten - + Define the font and display characteristics for the Footer text Die Schrift und die Anzeigeeigenschaften für die Fußzeile einrichten - + Text Formatting Details Weitere Formatierung - + Allows additional display formatting information to be defined Hier können zusätzliche Anzeigeeigenschaften eingerichtet werden. - + Horizontal Align: Horizontale Ausrichtung: - + Left links - + Right rechts - + Center zentriert - + Output Area Locations Anzeigeflächen - + &Main Area &Hauptanzeigefläche - + &Use default location &Automatisch positionieren - + X position: Von links: - + px px - + Y position: Von oben: - + Width: Breite: - + Height: Höhe: - + Use default location Automatisch positionieren - + Theme name: Designname: - - Edit Theme - %s - Bearbeite Design - %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. Dieser Assistent hilft Ihnen Designs zu erstellen oder zu bearbeiten. Klicken Sie auf »Weiter« um den Hintergrund einzurichten. - + Transitions: Übergänge: - + &Footer Area &Fußzeile - + Starting color: Startfarbe: - + Ending color: Endfarbe - + Background color: Hintergrundfarbe: - + Justify bündig - + Layout Preview Layout-Vorschau - + Transparent transparent - + Preview and Save Vorschau und Speichern - + Preview the theme and save it. Vorschau des Designs zeigen und speichern. - + Background Image Empty Hintergrundbild fehlt - + Select Image Bild auswählen - + Theme Name Missing Designname fehlt - + There is no name for this theme. Please enter one. Es wurde kein Designname angegeben. Bitte geben Sie eine an. - + Theme Name Invalid Designname ungültig - + Invalid theme name. Please enter one. Ungültiger Designname. Bitte geben Sie einen gültigen Namen ein. - + Solid color Einfache Farbe - + color: Farbe: - + Allows you to change and move the Main and Footer areas. Hier können Sie die Hauptanzeigefläche und die Fußzeile positionieren. - + You have not selected a background image. Please select one before continuing. Sie haben kein Hintergrundbild ausgewählt. Bitte wählen sie eins um fortzufahren. + + + Edit Theme - {name} + + + + + Select Video + Video auswählen + OpenLP.ThemesTab @@ -6859,73 +6916,73 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren.&Vertikale Ausrichtung: - + Finished import. Importvorgang abgeschlossen. - + Format: Format: - + Importing Importieren - + Importing "%s"... »%s« wird importiert... - + Select Import Source Importquelle auswählen - + Select the import format and the location to import from. Wählen Sie das Importformat und das Quellverzeichnis aus. - + Open %s File Öffne %s Datei - + %p% %p% - + Ready. Fertig. - + Starting import... Beginne Import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Sie müssen wenigstens eine %s-Datei zum Importieren auswählen. - + Welcome to the Bible Import Wizard Willkommen beim Bibel Importassistenten - + Welcome to the Song Export Wizard Willkommen beim Lied Exportassistenten - + Welcome to the Song Import Wizard Willkommen beim Lied Importassistenten @@ -6975,39 +7032,34 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren.XML Syntax Fehler - - Welcome to the Bible Upgrade Wizard - Willkommen zum Aktualisierungsssistent - - - + Open %s Folder Öffne %s Ordner - + You need to specify one %s file to import from. A file type e.g. OpenSong Bitte wählen Sie eine %s Datei, welche importiert werden soll. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Bitte wählen Sie wenigstens einen %s Ordner der importiert werden soll. - + Importing Songs Lieder importieren - + Welcome to the Duplicate Song Removal Wizard Willkommen beim Assistenten zum Entfernen von Liedduplikaten - + Written by Geschrieben von @@ -7017,502 +7069,490 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren.Autor unbekannt - + About Über - + &Add &Hinzufügen - + Add group Gruppe hinzufügen - + Advanced Erweitert - + All Files Alle Dateien - + Automatic automatisch - + Background Color Hintergrundfarbe - + Bottom unten - + Browse... Durchsuchen... - + Cancel Abbruch - + CCLI number: CCLI-Nummer: - + Create a new service. Erstelle neuen Ablauf. - + Confirm Delete Löschbestätigung - + Continuous Fortlaufend - + Default Standard - + Default Color: Standardfarbe: - + 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. Ablauf %Y-%m-%d %H-%M - + &Delete &Löschen - + Display style: Versangabenformat: - + Duplicate Error Duplikate gefunden - + &Edit &Bearbeiten - + Empty Field Leeres Feld - + Error Fehler - + Export Export - + File Datei - + File Not Found Datei nicht gefunden - - File %s not found. -Please try selecting it individually. - Datei %s nicht gefunden. -Bitte wählen Sie die Dateien einzeln aus. - - - + pt Abbreviated font pointsize unit pt - + Help Hilfe - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Ungültiger Ordner gewählt - + Invalid File Selected Singular Ungültige Datei ausgewählt - + Invalid Files Selected Plural Ungültige Dateien gewählt - + Image Bild - + Import Import - + Layout style: Folienformat: - + Live Live - + Live Background Error Live-Hintergrund Fehler - + Live Toolbar Live-Ansicht - + Load Öffnen - + Manufacturer Singular Hersteller - + Manufacturers Plural Hersteller - + Model Singular Modell - + Models Plural Modelle - + m The abbreviated unit for minutes m - + Middle mittig - + New Neu - + New Service Neuer Ablauf - + New Theme Neues Design - + Next Track Nächstes Stück - + No Folder Selected Singular Kein Ordner ausgewählt - + No File Selected Singular Keine Datei ausgewählt - + No Files Selected Plural Keine Dateien ausgewählt - + No Item Selected Singular Kein Element ausgewählt - + No Items Selected Plural Keine Elemente ausgewählt. - + OpenLP is already running. Do you wish to continue? OpenLP läuft bereits. Möchten Sie trotzdem fortfahren? - + Open service. Öffne einen Ablauf. - + Play Slides in Loop Endlosschleife - + Play Slides to End Schleife bis zum Ende - + Preview 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: - + Preview Toolbar Vorschau-Werkzeugleiste - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Der Live-Hintergund kann nicht ersetzt werden wenn der WebKit-Player deaktiviert ist. @@ -7528,29 +7568,100 @@ Bitte wählen Sie die Dateien einzeln aus. Plural Liederbücher + + + Background color: + Hintergrundfarbe: + + + + Add group. + Gruppe hinzufügen. + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Keine Bibeln verfügbar + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Strophe + + + + Psalm + Psalm + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s und %s - + %s, and %s Locale list separator: end %s, und %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7633,47 +7744,47 @@ Bitte wählen Sie die Dateien einzeln aus. Anzeigen mit: - + File Exists Datei existiert - + A presentation with that filename already exists. Eine Präsentation mit diesem Dateinamen existiert bereits. - + This type of presentation is not supported. Präsentationsdateien dieses Dateiformats werden nicht unterstützt. - - Presentations (%s) - 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. + + Presentations ({text}) + - - The presentation %s no longer exists. - Die Präsentation %s existiert nicht mehr. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + PresentationPlugin.PowerpointDocument - - An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - Ein Fehler in der Powerpoint Integration ist aufgetreten und die Präsentation wird nun gestoppt. Um die Präsentation zu zeigen, muss diese neu gestartet werden. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7683,11 +7794,6 @@ Bitte wählen Sie die Dateien einzeln aus. Available Controllers Verwendete Präsentationsprogramme - - - %s (unavailable) - %s (nicht verfügbar) - Allow presentation application to be overridden @@ -7704,12 +7810,12 @@ Bitte wählen Sie die Dateien einzeln aus. 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. @@ -7720,13 +7826,19 @@ Bitte wählen Sie die Dateien einzeln aus. - Clicking on a selected slide in the slidecontroller advances to next effect. - Ein Klick auf die ausgewählte Folie in der Folien-Leiste führt zum nächsten Effekt / der nächsten Aktion der Präsentation + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Lässt PowerPoint die Größe und Position des Präsentations-Fensters bestimmen (Übergangslösung für das Skalierungs-Problem in Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7768,127 +7880,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 - + Remote Fernsteuerung - + Stage View Bühnenansicht - + Live View Echtzeit-Anzeige @@ -7896,79 +8008,89 @@ Bitte wählen Sie die Dateien einzeln aus. RemotePlugin.RemoteTab - + Serve on IP address: Verfügbar über IP-Adresse: - + Port number: Port-Nummer: - + Server Settings Server-Einstellungen - + Remote URL: Fernsteuerung: - + Stage view URL: Bühnenmonitor: - + Display stage time in 12h format Nutze 12h Format für den Bühnenmonitor - + Android App Android App - + Live view URL: Liveansicht 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. Konnte kein SSL-Zertifikat finden. Der HTTPS-Server wird nicht verfügbar sein solange kein SSL-Zertifikat gefunden werden kann. Bitte lesen Sie das Benutzerhandbuch für mehr Informationen. - + User Authentication Benutzerauthentifizierung - + User id: Benutzername: - + Password: Passwort: - + Show thumbnails of non-text slides in remote and stage view. Vorschaubilder für Folien ohne Text in der Fernsteuerung und auf dem Bühnenmonitor anzeigen. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Scannen Sie den QR-Code oder <a href="%s">laden</a> Sie die Android-App von Google Play herunter. + + iOS App + iOS-App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8009,50 +8131,50 @@ Bitte wählen Sie die Dateien einzeln aus. Setzt die Protokollierung aus. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Liedernutzungs-Protokollierungs-Erweiterung</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 @@ -8120,24 +8242,10 @@ Alle Daten, die vor diesem Datum aufgezeichnet wurden, werden permanent gelösch Zielverzeichnis - - usage_detail_%s_%s.txt - Aufrufprotokoll_%s_%s.txt - - - + Report Creation Statistik Erstellung - - - Report -%s -has been successfully created. - Bericht -%s -wurde erfolgreich erstellt. - Output Path Not Selected @@ -8151,45 +8259,57 @@ Please select an existing path on your computer. Bitte geben Sie einen gültigen Pfad an. - + Report Creation Failed Fehler beim Erstellen des Berichts - - An error occurred while creating the report: %s - Folgender Fehler trat beim Erstellen des Berichts auf: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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>Liedtext-Erweiterung</strong><br />Diese Erweiterung 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... @@ -8286,80 +8406,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. @@ -8448,62 +8568,66 @@ Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Verwaltet durch %s - - - - "%s" could not be imported. %s - „%s“ konnte nicht importiert werden. -%s - - - + Unexpected data formatting. Unerwartete Datenformatierung. - + No song text found. Kein Liedtext gefunden. - + [above are Song Tags with notes imported from EasyWorship] [Dies sind Tags und Notizen, die aus EasyWorship importiert wurden] - + This file does not exist. Diese Datei existiert nicht. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Konnte die Datei „Songs.MB“ nicht finden. Sie muss in dem selben Ordner wie die „Songs.DB“-Datei sein. - + This file is not a valid EasyWorship database. Diese Datei ist keine gültige EasyWorship Datenbank. - + Could not retrieve encoding. Konnte die Zeichenkodierung nicht feststellen. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Metadaten - + Custom Book Names Benutzerdefinierte Büchernamen @@ -8586,57 +8710,57 @@ Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich.Design, Copyright && Kommentare - + Add Author Autor hinzufügen - + This author does not exist, do you want to add them? Dieser Autor existiert nicht. Soll er zur Datenbank hinzugefügt werden? - + This author is already in the list. Dieser Autor ist bereits vorhanden. - + 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. Es wurde kein gültiger Autor ausgewählt. Bitte wählen Sie einen Autor aus der Liste oder geben Sie einen neuen Autor ein und drücken die Schaltfläche »Autor hinzufügen«. - + Add Topic Thema hinzufügen - + This topic does not exist, do you want to add it? Dieses Thema existiert nicht. Soll es zur Datenbank hinzugefügt werden? - + This topic is already in the list. Dieses Thema ist bereits vorhanden. - + 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. Es wurde kein gültiges Thema ausgewählt. Bitte wählen Sie ein Thema aus der Liste oder geben Sie ein neues Thema ein und drücken die Schaltfläche »Thema hinzufügen«. - + You need to type in a song title. Ein Liedtitel muss angegeben sein. - + You need to type in at least one verse. Mindestens ein Vers muss angegeben sein. - + You need to have an author for this song. Das Lied benötigt mindestens einen Autor. @@ -8661,7 +8785,7 @@ Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich.&Alle Entfernen - + Open File(s) Datei(en) öffnen @@ -8676,14 +8800,7 @@ Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich.<strong>Achtung:</strong> Sie haben keine Versfolge eingegeben. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Es gibt keinen Vers, der "%(invalid)s" entspricht. Gültige Eingaben sind %(valid)s. -Bitte geben Sie die Verse mit Leerzeichen getrennt ein. - - - + Invalid Verse Order Ungültige Versfolge @@ -8693,22 +8810,15 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. Autortyp &bearbeiten - + Edit Author Type Autortyp bearbeiten - + Choose type for this author Wählen Sie den Typ für diesen Autor - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Es gibt keine Verse, die "%(invalid)s" entsprechen. Gültige Eingaben sind %(valid)s. -Bitte geben Sie die Verse mit Leerzeichen getrennt ein. - &Manage Authors, Topics, Songbooks @@ -8730,45 +8840,71 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. Autoren, Themen && Liederbücher - + Add Songbook Zum Liederbuch hinzufügen - + This Songbook does not exist, do you want to add it? Dieses Liederbuch existiert nicht, möchten Sie es erstellen? - + This Songbook is already in the list. Dieses Liederbuch ist bereits in der Liste. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Es wurde kein gültiges Liederbuch ausgewählt. Bitte wählen Sie ein Liederbuch aus der Liste oder geben Sie ein neues Liederbuch ein und drücken die Schaltfläche »Liederbuch hinzufügen«. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Vers bearbeiten - + &Verse type: &Verstyp: - + &Insert &Einfügen - + Split a slide into two by inserting a verse splitter. Füge den Verstyp ein. @@ -8781,77 +8917,77 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. Lied Exportassistent - + Select Songs Lieder auswählen - + Check the songs you want to export. Wählen Sie die Lieder aus, die Sie exportieren wollen. - + Uncheck All Alle abwählen - + Check All Alle auswählen - + Select Directory Zielverzeichnis auswählen - + Directory: Verzeichnis: - + Exporting Exportiere - + Please wait while your songs are exported. Bitte warten Sie, während die Lieder exportiert werden. - + You need to add at least one Song to export. Sie müssen wenigstens ein Lied zum Exportieren auswählen. - + No Save Location specified Kein Zielverzeichnis angegeben - + Starting export... Beginne mit dem Export... - + You need to specify a directory. Sie müssen ein Verzeichnis angeben. - + Select Destination Folder Zielverzeichnis wählen - + Select the directory where you want the songs to be saved. Geben Sie das Zielverzeichnis an. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Mit diesem Assistenten können Sie Ihre Lieder in das offene <strong>OpenLyrics</strong>-Format exportieren. @@ -8859,7 +8995,7 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Ungültige Foilpresenter-Datei. Es wurden keine Verse gefunden. @@ -8867,7 +9003,7 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. SongsPlugin.GeneralTab - + Enable search as you type Während dem Tippen suchen @@ -8875,7 +9011,7 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Präsentationen/Textdokumente auswählen @@ -8885,238 +9021,253 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. Lied Importassistent - + 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. Dieser Assistent hilft Ihnen Liedtexte aus verschiedenen Formaten zu importieren. Klicken Sie auf »Weiter« um das Quellformat auszuwählen, aus dem Sie importieren möchten. - + Generic Document/Presentation Präsentation/Textdokument - + Add Files... Hinzufügen... - + Remove File(s) Entfernen - + Please wait while your songs are imported. Die Liedtexte werden importiert. Bitte warten. - + Words Of Worship Song Files »Words of Worship« Lieddateien - + Songs Of Fellowship Song Files Songs Of Fellowship Song Dateien - + SongBeamer Files SongBeamer Dateien - + SongShow Plus Song Files SongShow Plus Song Dateien - + Foilpresenter Song Files Foilpresenter Lied-Dateien - + Copy Kopieren - + Save to File In Datei speichern - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Der Songs of Fellowship importer wurde deaktiviert, weil OpenLP nicht OpenOffice oder LibreOffice öffnen konnte. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Der Präsentation/Textdokument importer wurde deaktiviert, weil OpenLP nicht OpenOffice oder LibreOffice öffnen konnte. - + OpenLyrics Files »OpenLyrics« Datei - + CCLI SongSelect Files CLI SongSelect Dateien - + EasySlides XML File EasySlides XML Datei - + EasyWorship Song Database EasyWorship Lieddatenbank - + DreamBeam Song Files DreamBeam Lied Dateien - + You need to specify a valid PowerSong 1.0 database folder. Bitte wählen sie einen gültigen PowerSong 1.0 Datenbank Ordner. - + 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>. Bitte konvertieren Sie zuerst die ZionWorx Datenbank in eine CSV Text Datei, wie beschrieben im <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. - + SundayPlus Song Files SundayPlus Lied Dateien - + This importer has been disabled. Dieser Import Typ wurde deaktiviert. - + MediaShout Database Media Shout Datenbestand - + 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. Der Import von MediaShout Datensätzen wird nur unter Windows unterstützt. Er wurde aufgrund fehlender Python Module deaktiviert. Wenn Sie diese Dateien importieren wollen, müssen sie das "pyodbc" Modul installieren. - + SongPro Text Files SongPro Text Dateien - + SongPro (Export File) SongPro (Export Datei) - + In SongPro, export your songs using the File -> Export menu Um in SongPro Dateien zu exportieren, nutzen Sie dort das Menü "Datei -> Export" - + EasyWorship Service File EasyWorship-Ablaufplan - + WorshipCenter Pro Song Files WorshipCenter Pro-Lieddateien - + 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. Der WorshipCenter Pro-Importer wird nur unter Windows standardmäßig unterstützt. Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importer benutzen möchten, installieren Sie das „pyodbc“-Modul. - + PowerPraise Song Files PowerPraise Lieddateien - + PresentationManager Song Files PresentationManager Lieddateien - - ProPresenter 4 Song Files - ProPresenter 4 Lied Dateien - - - + Worship Assistant Files Worship Assistant-Dateien - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. Exportiere die Datenbank in WorshipAssistant als CSV-Datei. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics oder OpenLP 2 exportierte Lieder - + OpenLP 2 Databases OpenLP 2 Datenbanken - + LyriX Files LyriX-Dateien - + LyriX (Exported TXT-files) LyriX (Exportierte TXT-Dateien) - + VideoPsalm Files VideoPsalm-Dateien - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Die VideoPsalm-Liederbücher befinden sich normalerweise in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Fehler: %s + File {name} + + + + + Error: {error} + Fehler: {error} @@ -9135,79 +9286,117 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe SongsPlugin.MediaItem - + Titles Titel - + Lyrics Liedtext - + CCLI License: CCLI-Lizenz: - + Entire Song Ganzes Lied - + Maintain the lists of authors, topics and books. Autoren, Themen und Bücher verwalten. - + copy For song cloning Kopie - + Search Titles... Suche Titel... - + Search Entire Song... Suche im ganzem Lied... - + Search Lyrics... Suche Liedtext... - + Search Authors... Suche Autoren... - - Are you sure you want to delete the "%d" selected song(s)? - Sollen die markierten %d Lieder wirklich gelöscht werden? - - - + Search Songbooks... Suche Liederbücher... + + + Search Topics... + + + + + Copyright + Urheberrecht + + + + Search Copyright... + + + + + CCLI number + CCLI-Nummer + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Der MediaShout Datensatz kann nicht geöffnet werden. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Keine gültige OpenLP 2 Liederdatenbank @@ -9215,9 +9404,9 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportiere »%s«... + + Exporting "{title}"... + @@ -9236,29 +9425,37 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe Keine Lieder zu importieren. - + Verses not found. Missing "PART" header. Es wurden keine Verse gefunden. "PART" Kopfzeile fehlt. - No %s files found. - Keine %s Dateien gefunden. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Ungültige %s Datei. Unerwarteter Inhalt. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Ungültige »%s« Datei. Die "TITLE" Eigenschaft fehlt. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Ungültige »%s« Datei. Die "COPYRIGHTLINE" Eigenschaft fehlt. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9287,19 +9484,19 @@ 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 - Der Liedexport schlug wegen des folgenden Fehlers fehl: %s + + Your song export failed because this error occurred: {error} + @@ -9315,17 +9512,17 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe Die folgenden Lieder konnten nicht importiert werden: - + Cannot access OpenOffice or LibreOffice Kann OpenOffice.org oder LibreOffice nicht öffnen - + Unable to open file Konnte Datei nicht öffnen - + File not found Datei nicht gefunden @@ -9333,109 +9530,109 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe SongsPlugin.SongMaintenanceForm - + Could not add your author. Der Autor konnte nicht hinzugefügt werden. - + This author already exists. Der Autor existiert bereits in der Datenbank. - + Could not add your topic. Das Thema konnte nicht hinzugefügt werden. - + This topic already exists. Das Thema existiert bereits in der Datenbank. - + Could not add your book. Das Liederbuch konnte nicht hinzugefügt werden. - + This book already exists. Das Liederbuch existiert bereits in der Datenbank. - + Could not save your changes. Die Änderungen konnten nicht gespeichert werden. - + Could not save your modified author, because the author already exists. Der geänderte Autor konnte nicht gespeichert werden, da es bereits in der Datenbank existiert. - + Could not save your modified topic, because it already exists. Das geänderte Thema konnte nicht gespeichert werden, da es bereits in der Datenbank existiert. - + Delete Author Autor löschen - + Are you sure you want to delete the selected author? Soll der ausgewählte Autor wirklich gelöscht werden? - + This author cannot be deleted, they are currently assigned to at least one song. Der Autor konnte nicht gelöscht werden, da er mindestens einem Lied zugeordnet ist. - + Delete Topic Thema löschen - + Are you sure you want to delete the selected topic? Soll das ausgewählte Thema wirklich gelöscht werden? - + This topic cannot be deleted, it is currently assigned to at least one song. Das Thema konnte nicht gelöscht werden, da es mindestens einem Lied zugeordnet ist. - + Delete Book Liederbuch löschen - + Are you sure you want to delete the selected book? Soll das ausgewählte Liederbuch wirklich gelöscht werden? - + This book cannot be deleted, it is currently assigned to at least one song. Das Liederbuch konnte nicht gelöscht werden, da es mindestens einem Lied zugeordnet ist. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Der Autor »%s« existiert bereits. Sollen Lieder von »%s« »%s« als Autor setzen? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Das Thema »%s« existiert bereits. Sollen Lieder zum Thema »%s« das Thema »%s« verwenden? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Das Liederbuch »%s« existiert bereits. Sollen Lieder aus »%s« dem Buch »%s« zugeordnet werden? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9481,52 +9678,47 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe Suche - - Found %s song(s) - %s Lied(er) gefunden - - - + Logout Abmeldung - + View Ansicht - + Title: Titel: - + Author(s): Autor(en) - + Copyright: Copyright: - + CCLI Number: CCLI Nummer: - + Lyrics: Text: - + Back Zurück - + Import Import @@ -9568,7 +9760,7 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Fehler beim Anmelden, bitte überprüfen Sie Ihren Benutzernamen und Ihr Passwort. - + Song Imported Lied importiert @@ -9583,7 +9775,7 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Die Informationen zu diesem Lied, beispielsweise der Liedtext, sind unvollständig und können deshalb nicht importiert werden. - + Your song has been imported, would you like to import more songs? Das Lied wurde importiert. Sollen weitere Lieder importiert werden? @@ -9592,6 +9784,11 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Stop Abbrechen + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9600,30 +9797,30 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Songs Mode Lieder-Einstellungen - - - Display verses on live tool bar - Versauswahl in der Live-Symbolleiste zeigen - Update service from song edit Lieder im Ablauf nach Bearbeitung aktualisieren - - - Import missing songs from service files - Neue Lieder aus Ablauf in die Datenbank importieren - Display songbook in footer Liederbuch in der Fußzeile anzeigen + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Das „%s“-Symbol vor den Copyright-Informationen anzeigen. + Display "{symbol}" symbol before copyright info + @@ -9647,37 +9844,37 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE SongsPlugin.VerseType - + Verse Strophe - + Chorus Refrain - + Bridge Bridge - + Pre-Chorus Überleitung - + Intro Intro - + Ending Ende - + Other Anderes @@ -9685,22 +9882,22 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE SongsPlugin.VideoPsalmImport - - Error: %s - Fehler: %s + + Error: {error} + Fehler: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Ungültige Words of Worship-Datei. Der „Wow-File\nSong-Words“-Header fehlt. + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Ungültige Words of Worship-Datei. Der "CSongDoc::CBlock"-Text wurde nicht gefunden. + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9711,30 +9908,30 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Fehler beim Lesen der CSV Datei. - - Line %d: %s - Zeile %d: %s - - - - Decoding error: %s - Dekodier Fehler: %s - - - + File not valid WorshipAssistant CSV format. Die Datei ist kein gültiges WorshipAssistant CSV Format. - - Record %d - Datensatz %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Konnte nicht mit der WorshipCenter Pro-Datenbank verbinden. @@ -9747,25 +9944,30 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Fehler beim Lesen der CSV Datei. - + File not valid ZionWorx CSV format. Die Datei hat kein gültiges ZionWorx CSV Format. - - Line %d: %s - Zeile %d: %s - - - - Decoding error: %s - Dekodier Fehler: %s - - - + Record %d Datensatz %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9775,39 +9977,960 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Assistent - + 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. Dieser Assistent hilft Ihnen, doppelte Lieder aus der Lieddatenbank zu entfernen. Sie können jedes potentielle Duplikat überprüfen bevor es gelöscht wird. Es werden also keine Lieder ohne Ihre Zustimmung gelöscht. - + Searching for duplicate songs. Suche nach Duplikaten. - + Please wait while your songs database is analyzed. Bitte warten Sie, während Ihre Lieddatenbank analysiert wird. - + Here you can decide which songs to remove and which ones to keep. Hier können Sie entscheiden, welche Lieder behalten und welche gelöscht werden sollen. - - Review duplicate songs (%s/%s) - Duplikate überprüfen (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. Es wurden keine Duplikate gefunden. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Deutsch + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + Deutsch + + + + Greek + Language code: el + Griechisch + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + Ungarisch + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + Indonesisch + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + Italienisch + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + Japanisch + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + Koreanisch + + + + Kurdish + Language code: ku + Kurdisch + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + Norwegisch + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + Persisch + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + Polnisch + + + + Portuguese + Language code: pt + Portugiesisch + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + Rumänisch + + + + Russian + Language code: ru + Russisch + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + Serbisch + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + Spanisch + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + Schwedisch + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + Türkisch + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + Vietnamesisch + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/el.ts b/resources/i18n/el.ts index bf0ad577b..500c2ce9c 100644 --- a/resources/i18n/el.ts +++ b/resources/i18n/el.ts @@ -119,32 +119,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font Γραμματοσειρά - + Font name: Ονομασία γραμματοσειράς: - + Font color: Χρώμα γραμματοσειράς: - - Background color: - Χρώμα φόντου: - - - + Font size: Μέγεθος γραμματοσειράς: - + Alert timeout: Χρόνος αναμονής: @@ -152,88 +147,78 @@ 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. - Αναβάθμιση της βάσης δεδομένων Βίβλων στην τελευταία μορφή. - Genesis @@ -738,161 +723,107 @@ Please type in some text before clicking New. Αυτή η Βίβλος υπάρχει ήδη. Παρακαλούμε εισάγετε μια διαφορετική Βίβλο ή πρώτα διαγράψτε την ήδη υπάρχουσα. - - 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" έχει εισαχθεί πάνω από μία φορές. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error Σφάλμα Αναφοράς Βίβλου - - Web Bible cannot be used - Η Βίβλος Web δεν μπορεί να χρησιμοποιηθεί + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 ή είναι ακατάλληλη. Παρακαλώ επιβεβαιώστε ότι η παραπομπή σας συμμορφώνεται με ένα από τα παρακάτω πρότυπα ή συμβουλευτείτε το εγχειρίδιο χρήσης: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -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 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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. @@ -901,37 +832,83 @@ 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 + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -987,70 +964,76 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - Εισαγωγή βιβλίων... %s - - - + Importing verses... done. Εισαγωγή εδαφίων... ολοκληρώθηκε. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + 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 Αγγλικά @@ -1070,224 +1053,259 @@ 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. Υπήρξε πρόβλημα κατά την εξαγωγή των επιλεγμένων εδαφίων σας. Αν αυτό το σφάλμα επανεμφανιστεί σκεφτείτε να κάνετε μια αναφορά σφάλματος. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1318,114 +1336,130 @@ It is not possible to customize the Book Names. 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; - -Θα χρειαστεί να την κάνετε εισαγωγή εκ νέου για να την χρησιμοποιήσετε. + + Search + Αναζήτηση - - Advanced - Για προχωρημένους + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + 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. @@ -1433,177 +1467,51 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... + + Importing {name} {chapter}... BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - + Importing %(bookname)s %(chapter)s... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Επιλέξτε έναν Κατάλογο Αντιγράφων Ασφαλείας + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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. - Για αναβάθμιση των Βίβλων Web χρειάζεστε σύνδεση στο Internet. - - - - 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 - Αναβάθμιση Βίβλου(-ων): %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. - Δεν υπάρχουν Βίβλοι που χρειάζονται αναβάθμιση. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. @@ -1611,8 +1519,8 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... + + Importing {book} {chapter}... @@ -1728,7 +1636,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Επεξεργασία όλων των διαφανειών ταυτόχρονα. - + Split a slide into two by inserting a slide splitter. Χωρίστε μια διαφάνεια σε δύο με εισαγωγή ενός διαχωριστή διαφανειών. @@ -1743,7 +1651,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Πιστώσεις: - + You need to type in a title. Πρέπει να δηλώσετε έναν τίτλο. @@ -1753,12 +1661,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Ε&πεξεργασία Όλων - + Insert Slide Εισαγωγή Διαφάνειας - + You need to add at least one slide. @@ -1766,7 +1674,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Επεξεργασία Διαφάνειας @@ -1774,8 +1682,8 @@ 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 "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1804,11 +1712,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Εικόνες - - - Load a new image. - Φόρτωση νέας εικόνας. - Add a new image. @@ -1839,6 +1742,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Προβολή της επιλεγμένης εικόνας σε λειτουργία. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1863,12 +1776,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. @@ -1904,7 +1817,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Επιλογή Επισυναπτόμενου @@ -1912,39 +1825,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. Δεν υπήρξε αντικείμενο προς προβολή για διόρθωση. @@ -1954,25 +1850,41 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Ορατό φόντο για εικόνες με διαφορετικές αναλογίες από την οθόνη. @@ -1980,27 +1892,27 @@ Do you want to add the other images anyway? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. @@ -2008,60 +1920,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. Προσθήκη επιλεγμένων πολυμέσων σε λειτουργία. @@ -2177,47 +2089,47 @@ Do you want to add the other images anyway? - + 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 ":" @@ -2225,90 +2137,100 @@ Do you want to add the other images anyway? 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 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2319,41 +2241,19 @@ Do you want to add the other images anyway? - Start Live items automatically - - - - - OPenLP.MainWindow - - - &Projector Manager + Start new Live media automatically OpenLP - + Image Files Αρχεία Εικόνων - - Information - Πληροφορίες - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Η μορφή των Βίβλων έχει αλλάξει. -Πρέπει να αναβαθμίσετε τις υπάρχουσες Βίβλους. -Να τις αναβαθμίσει το OpenLP τώρα; - - - + Backup @@ -2368,13 +2268,18 @@ Should OpenLP upgrade now? - - A backup of the data folder has been created at %s + + Open - - Open + + A backup of the data folder has been createdat {text} + + + + + Video Files @@ -2386,15 +2291,10 @@ Should OpenLP upgrade now? Πιστώσεις - + 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. @@ -2423,7 +2323,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr Το OpenLP γράφεται και υποστηρίζεται από εθελοντές. Αν θα θέλατε να δείτε να γράφεται περισσότερο Χριστιανικό λογισμικό, παρακαλούμε σκεφτείτε να συνεισφέρετε εθελοντικά χρησιμοποιώντας το παρακάτω πλήκτρο. - + Volunteer Εθελοντική Προσφορά @@ -2599,326 +2499,237 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} 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 - + 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 επιτρέποντάς σας να διορθώσετε το πρόβλημα. - -Κάντε κλικ στο "Ναι" για να επαναφέρετε τον φάκελο δεδομένων στην προκαθορισμένη τοποθεσία. - - - - 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. - Είστε σίγουροι ότι θέλετε να αλλάξετε την τοποθεσία του φακέλου δεδομένων στο: - -%s - -Ο φάκελος δεδομένων θα αλλαχτεί μόλις κλείσετε το OpenLP. - - - + Thursday - + Display Workarounds - + Use alternating row colours in lists - - 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. - + 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. @@ -2926,11 +2737,155 @@ This location will be used after OpenLP is closed. Η τοποθεσία αυτή θα χρησιμοποιηθεί αφού κλείσετε το OpenLP. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Αυτόματο + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Κάντε κλικ για επιλογή χρώματος. @@ -2938,252 +2893,252 @@ This location will be used after OpenLP is closed. 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 @@ -3191,61 +3146,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred Παρουσιάστηκε Σφάλμα - + Send E-Mail Αποστολή E-Mail - + Save to File Αποθήκευση στο Αρχείο - + Attach File Επισύναψη Αρχείου - - Description characters to enter : %s - Χαρακτήρες περιγραφής προς εισαγωγή: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) + + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. - - 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. Also attach any files that triggered the problem. + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation OpenLP.ExceptionForm - - Platform: %s - - Πλατφόρμα: %s - - - - + Save Crash Report Αποθήκευση Αναφοράς Σφάλματος - + Text files (*.txt *.log *.text) Αρχεία κειμένου (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3286,264 +3254,257 @@ This location will be used after OpenLP is closed. 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 + - - Unable to download some files + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. @@ -3588,43 +3549,48 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML εδώ> - + Validation Error Σφάλμα Ελέγχου - + Description is missing - + Tag is missing - Tag %s already defined. - Η ετικέτα %s έχει ήδη οριστεί. + Tag {tag} already defined. + - Description %s already defined. + Description {tag} already defined. - - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML - - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} @@ -3714,170 +3680,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 &Μετακίνηση στην επόμενο/προηγούμενο στοιχείο λειτουργίας + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Αναζήτηση για αρχείο εικόνας προς προβολή. + + + + Revert to the default OpenLP logo. + Επαναφορά στο προκαθορισμένο λογότυπο του OpenLP. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Γλώσσα - + Please restart OpenLP to use your new language setting. Παρακαλούμε επανεκκινήστε το OpenLP για να ενεργοποιηθεί η νέα γλώσσα. @@ -3885,7 +3881,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Προβολή του OpenLP @@ -3912,11 +3908,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View &Προβολή - - - M&ode - Λ&ειτουργία - &Tools @@ -3937,16 +3928,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help &Βοήθεια - - - Service Manager - Διαχειριστής Λειτουργίας - - - - Theme Manager - Διαχειριστής Θεμάτων - Open an existing service. @@ -3972,11 +3953,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit Έ&ξοδος - - - Quit OpenLP - Έξοδος από το OpenLP - &Theme @@ -3988,191 +3964,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Ρύθμιση του 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. - Εναλλαγή εμφάνισης της οθόνης προβολής. - - - - List the Plugins - Λίστα των Πρόσθετων - - - + &User Guide &Οδηγίες Χρήστη - + &About &Σχετικά - - More information about OpenLP - Περισσότερες πληροφορίες για το OpenLP - - - + &Online Help &Online Βοήθεια - + &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 Αγγλικά @@ -4183,27 +4035,27 @@ You can download the latest version from http://openlp.org/. Ρύθμιση &Συντομεύσεων... - + Open &Data Folder... Άνοιγμα Φακέλου &Δεδομένων... - + Open the folder where songs, bibles and other data resides. Άνοιγμα του φακέλου που περιέχει τους ύμνους, τις βίβλους και άλλα δεδομένα. - + &Autodetect &Αυτόματη Ανίχνευση - + Update Theme Images Ενημέρωση Εικόνων Θέματος - + Update the preview images for all themes. Ενημέρωση των εικόνων προεπισκόπησης όλων των θεμάτων. @@ -4213,32 +4065,22 @@ You can download the latest version from http://openlp.org/. Εκτύπωση της τρέχουσας λειτουργίας. - - 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. @@ -4247,13 +4089,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. Εκκαθάριση της λίστας πρόσφατων αρχείων. @@ -4262,75 +4104,36 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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 @@ -4342,12 +4145,12 @@ Re-running this wizard may make changes to your current OpenLP configuration and - + 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. @@ -4356,42 +4159,17 @@ Re-running this wizard may make changes to your current OpenLP configuration and - + 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 - - &Recent Services @@ -4423,131 +4201,340 @@ Processing has terminated and no changes have been made. - + Exit OpenLP - + Are you sure you want to exit OpenLP? - + &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Λειτουργία + + + + Themes + Θέματα + + + + Projectors + + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 δεν μπορεί να φορτώσει την βάση δεδομένων σας. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Βάση Δεδομένων: %s +Database: {db_name} + 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. Κατά την εισαγωγή των αρχείων βρέθηκαν διπλά αρχεία που αγνοήθηκαν. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Η ετικέτα <lyrics> απουσιάζει. - + <verse> tag is missing. Η ετικέτα <verse> απουσιάζει. @@ -4555,22 +4542,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status - + No message - + Error while sending data to projector - + Undefined command: @@ -4578,32 +4565,32 @@ Suffix not supported OpenLP.PlayerTab - + Players - + Available Media Players Διαθέσιμα Προγράμματα Αναπαραγωγής - + Player Search Order - + Visible background for videos with aspect ratio different to screen. - + %s (unavailable) %s (μη διαθέσιμο) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" @@ -4612,55 +4599,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details Λεπτομέρειες Πρόσθετου - + Status: Κατάσταση: - + Active Ενεργό - - Inactive - Ανενεργό - - - - %s (Inactive) - %s (Ανενεργό) - - - - %s (Active) - %s (Ενεργό) + + Manage Plugins + - %s (Disabled) - %s (Απενεργοποιημένο) + {name} (Disabled) + - - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page Πλάτος Σελίδας - + Fit Width Πλάτος Κειμένου @@ -4668,77 +4650,77 @@ Suffix not supported 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: Εξατομικευμένο Κείμενο Υποσέλιδου: @@ -4746,257 +4728,257 @@ Suffix not supported 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 @@ -5004,17 +4986,17 @@ Suffix not supported OpenLP.ProjectorEdit - + Name Not Set - + You must enter a name for this entry.<br />Please enter a new name for this entry. - + Duplicate Name @@ -5022,52 +5004,52 @@ Suffix not supported 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 @@ -5075,305 +5057,360 @@ Suffix not supported 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 - - Delete projector (%s) %s? + + Are you sure you want to delete this projector? - - Are you sure you want to delete this projector? + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + + + + + No Authentication Error OpenLP.ProjectorPJLink - + Fan - + Lamp - + Temperature - + Cover - + Filter - + Other Άλλο @@ -5419,17 +5456,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address - + Invalid IP Address - + Invalid Port Number @@ -5442,26 +5479,26 @@ Suffix not supported Οθόνη - + primary Πρωτεύων OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Έναρξη</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Διάρκεια</strong>: %s - - [slide %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} @@ -5526,52 +5563,52 @@ Suffix not supported Διαγραφή του επιλεγμένου αντικειμένου από την λειτουργία. - + &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 Το αντικείμενό σας δεν μπορεί να προβληθεί αφού το πρόσθετο που απαιτείται για την προβολή απουσιάζει ή είναι ανενεργό @@ -5596,7 +5633,7 @@ Suffix not supported Σύμπτυξη όλων των αντικειμένων λειτουργίας. - + Open File Άνοιγμα Αρχείου @@ -5626,22 +5663,22 @@ Suffix not supported Προβολή του επιλεγμένου αντικειμένου. - + &Start Time Ώρα &Έναρξης - + Show &Preview Προβολή &Προεπισκόπησης - + Modified Service Τροποποιημένη Λειτουργία - + The current service has been modified. Would you like to save this service? Η τρέχουσα λειτουργία έχει τροποποιηθεί. Θέλετε να αποθηκεύσετε ετούτη την λειτουργία; @@ -5661,27 +5698,27 @@ Suffix not supported Χρόνος Αναπαραγωγής: - + Untitled Service Ανώνυμη Λειτουργία - + File could not be opened because it is corrupt. Το αρχείο δεν ανοίχθηκε επειδή είναι φθαρμένο. - + Empty File Κενό Αρχείο - + This service file does not contain any data. Ετούτο το αρχείο λειτουργίας δεν περιέχει δεδομένα. - + Corrupt File Φθαρμένο Αρχείο @@ -5701,142 +5738,142 @@ Suffix not supported Επιλέξτε ένα θέμα για την λειτουργία. - + 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: {name} + +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. + + An error occurred while writing the service file: {error} @@ -5869,15 +5906,10 @@ These files will be removed if you continue to save. Συντόμευση - + Duplicate Shortcut Αντίγραφο Συντόμευσης - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Η συντόμευση "%s" έχει ήδη ανατεθεί σε άλλη ενέργεια, παρακαλούμε χρησιμοποιήστε διαφορετική συντόμευση. - Alternate @@ -5923,219 +5955,234 @@ These files will be removed if you continue to save. Configure Shortcuts Ρύθμιση Συντομεύσεων + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + 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. Θέση Video. - + 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 Κομμάτια + + + Loop playing media. + + + + + Video timer. + + 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? @@ -6143,17 +6190,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions Προτάσεις Ορθογραφίας - + Formatting Tags Ετικέτες Μορφοποίησης - + Language: Γλώσσα: @@ -6232,7 +6279,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (περίπου %d γραμμές ανά διαφάνεια) @@ -6240,521 +6287,531 @@ These files will be removed if you continue to save. 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. Δεν μπορείτε να διαγράψετε το προκαθορισμένο θέμα. - + 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) - - %s time(s) by %s - - - - + Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s +{text} 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. Δεν έχετε επιλέξει εικόνα για το φόντο. Επιλέξτε μία πριν συνεχίσετε. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6837,73 +6894,73 @@ These files will be removed if you continue to save. &Κάθετη Ευθυγράμμιση: - + 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 Καλωσορίσατε στον Οδηγό Εισαγωγής Ύμνου @@ -6953,39 +7010,34 @@ These files will be removed if you continue to save. Συντακτικό λάθος 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 @@ -6995,501 +7047,490 @@ These files will be removed if you continue to save. - + 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 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: - + Preview Toolbar - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. @@ -7505,29 +7546,100 @@ Please try selecting it individually. Plural + + + Background color: + Χρώμα φόντου: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Βίβλοι Μη Διαθέσιμοι + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Εδάφιο + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + 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 @@ -7610,46 +7722,46 @@ Please try selecting it individually. Παρουσίαση με χρήση: - + 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 είναι ατελής, παρακαλούμε φορτώστε την ξανά. + + Presentations ({text}) + - - The presentation %s no longer exists. - Η παρουσίαση %s δεν υπάρχει πλέον. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. @@ -7660,11 +7772,6 @@ Please try selecting it individually. Available Controllers Διαθέσιμοι Ελεγκτές - - - %s (unavailable) - %s (μη διαθέσιμο) - Allow presentation application to be overridden @@ -7681,12 +7788,12 @@ Please try selecting it individually. - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. @@ -7697,12 +7804,18 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) @@ -7745,127 +7858,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 Ρυθμίσεις - + Remote Τηλεχειρισμός - + Stage View - + Live View @@ -7873,78 +7986,88 @@ Please try selecting it individually. 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 - + 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. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. @@ -7986,50 +8109,50 @@ Please try selecting it individually. Εναλλαγή της παρακολούθησης της χρήσης ύμνων. - + <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 εκτυπώθηκε @@ -8096,24 +8219,10 @@ All data recorded before this date will be permanently deleted. Τοποθεσία Εξαγωγής Αρχείου - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation Δημιουργία Αναφοράς - - - Report -%s -has been successfully created. - Η Αναφορα -%s -έχει δημιουργηθεί επιτυχώς. - Output Path Not Selected @@ -8126,45 +8235,57 @@ Please select an existing path on your computer. - + Report Creation Failed - - An error occurred while creating the report: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} 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... Ανακατομή Ύμνων... @@ -8260,80 +8381,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. @@ -8422,61 +8543,66 @@ The encoding is responsible for the correct character representation. 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Παραμετροποιημένα Ονόματα Βιβλίων @@ -8559,57 +8685,57 @@ The encoding is responsible for the correct character representation. Θέμα, Πληροφορίες Πνευματικών Δικαιωμάτων && Σχόλια - + 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. Πρέπει να πληκτρολογήσετε τουλάχιστον ένα εδάφιο. - + You need to have an author for this song. Πρέπει να έχετε έναν συγγραφέα για αυτόν τον ύμνο. @@ -8634,7 +8760,7 @@ The encoding is responsible for the correct character representation. &Αφαίρεση Όλων - + Open File(s) Άνοιγμα Αρχείου(-ων) @@ -8649,13 +8775,7 @@ The encoding is responsible for the correct character representation. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - - - + Invalid Verse Order @@ -8665,21 +8785,15 @@ Please enter the verses separated by spaces. - + Edit Author Type - + Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks @@ -8701,45 +8815,71 @@ Please enter the verses separated by spaces. - + Add Songbook - + This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Επεξεργασία Εδαφίου - + &Verse type: &Τύπος Στροφής: - + &Insert &Εισαγωγή - + Split a slide into two by inserting a verse splitter. Διαχωρισμός μιας διαφάνειας σε δύο με εισαγωγή ενός διαχωριστή στροφών. @@ -8752,77 +8892,77 @@ Please enter the verses separated by spaces. Οδηγός Εξαγωγής Ύμνων - + 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. @@ -8830,7 +8970,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. @@ -8838,7 +8978,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Ενεργοποίηση αναζήτησης κατά την πληκτρολόγηση @@ -8846,7 +8986,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Επιλέξτε Αρχεία Εγγράφων/Παρουσιάσεων @@ -8856,228 +8996,238 @@ Please enter the verses separated by spaces. Οδηγός Εισαγωγής Ύμνων - + 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. Παρακαλούμε περιμένετε όσο οι ύμνοι σας εισάγονται. - + 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 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">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. Έχει απενεργοποιηθεί λόγω μιας απούσας προσθήκης του Python. Αν θέλετε να χρησιμοποιήσετε το πρόγραμμα εισαγωγής θα χρειαστεί να εγκαταστήσετε το πρόσθετο "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. - + OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases - + LyriX Files - + LyriX (Exported TXT-files) - + VideoPsalm Files - + VideoPsalm - - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} @@ -9085,7 +9235,12 @@ Please enter the verses separated by spaces. SongsPlugin.LyrixImport - Error: %s + File {name} + + + + + Error: {error} @@ -9105,79 +9260,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Τίτλοι - + Lyrics Στίχοι - + CCLI License: Άδεια CCLI: - + Entire Song Ολόκληρος Ύμνος - + Maintain the lists of authors, topics and books. Διατήρηση της λίστας συγγραφέων, θεμάτων και βιβλίων. - + copy For song cloning αντιγραφή - + Search Titles... Αναζήτηση Τίτλων... - + Search Entire Song... Αναζήτηση Ολόκληρου Ύμνου... - + Search Lyrics... Αναζήτηση Στίχων... - + Search Authors... Αναζήτηση Συγγραφέων... - - Are you sure you want to delete the "%d" selected song(s)? + + Search Songbooks... - - Search Songbooks... + + Search Topics... + + + + + Copyright + Πνευματικά δικαιώματα + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Δεν ήταν δυνατό να ανοιχτή η βάση δεδομένων MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. @@ -9185,9 +9378,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Εξαγωγή "%s"... + + Exporting "{title}"... + @@ -9206,29 +9399,37 @@ Please enter the verses separated by spaces. Κανένας ύμνος προς εισαγωγή. - + Verses not found. Missing "PART" header. Δεν βρέθηκαν εδάφια. Απουσιάζει η κεφαλίδα "PART". - No %s files found. - Δεν βρέθηκαν αρχεία %s. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Μη έγκυρο αρχείο %s. Μη αναμενόμενη τιμή byte. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Μη έγκυρο αρχείο %s. Απουσία κεφαλίδας "TITLE". + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Μη έγκυρο αρχείο %s. Απουσία κεφαλίδας "COPYRIGHTLINE". + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9257,18 +9458,18 @@ 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 + + Your song export failed because this error occurred: {error} @@ -9285,17 +9486,17 @@ Please enter the verses separated by spaces. Τα ακόλουθα τραγούδια δεν εισήχθηκαν: - + Cannot access OpenOffice or LibreOffice Δεν είναι δυνατή η πρόσβαση στο OpenOffice ή το LibreOffice - + Unable to open file Αδύνατο το άνοιγμα του αρχείου - + File not found Το αρχείο δεν βρέθηκε @@ -9303,109 +9504,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Η κατηγορία %s υπάρχει ήδη. Θέλετε να κάνετε τους ύμνους με κατηγορία %s να χρησιμοποιούν την υπάρχουσα κατηγορία %s; + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Το βιβλίο %s υπάρχει ήδη. Θέλετε να κάνετε τους ύμνους με το βιβλίο %s να χρησιμοποιούν το υπάρχον βιβλίο %s; + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9451,52 +9652,47 @@ Please enter the verses separated by spaces. Αναζήτηση - - Found %s song(s) - - - - + Logout - + View Προβολή - + Title: Τίτλος: - + Author(s): - + Copyright: Πνευματικά Δικαιώματα: - + CCLI Number: - + Lyrics: - + Back Πίσω - + Import Εισαγωγή @@ -9536,7 +9732,7 @@ Please enter the verses separated by spaces. - + Song Imported @@ -9551,7 +9747,7 @@ Please enter the verses separated by spaces. - + Your song has been imported, would you like to import more songs? @@ -9560,6 +9756,11 @@ Please enter the verses separated by spaces. Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9568,29 +9769,29 @@ Please enter the verses separated by spaces. Songs Mode Λειτουργία Ύμνων - - - Display verses on live tool bar - Προβολή των εδαφίων στην εργαλειοθήκη προβολής - Update service from song edit Ενημέρωση λειτουργίας από την επεξεργασία ύμνων - - - Import missing songs from service files - Εισαγωγή απόντων ύμνων από αρχεία λειτουργίας - Display songbook in footer + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info @@ -9615,37 +9816,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Εδάφιο - + Chorus Ρεφραίν - + Bridge Γέφυρα - + Pre-Chorus Προ-Ρεφραίν - + Intro Εισαγωγή - + Ending Τέλος - + Other Άλλο @@ -9653,8 +9854,8 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s + + Error: {error} @@ -9662,12 +9863,12 @@ Please enter the verses separated by spaces. SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. @@ -9679,30 +9880,30 @@ Please enter the verses separated by spaces. Σφάλμα κατά την ανάγνωση του αρχείου CSV. - - Line %d: %s - Γραμμή %d: %s - - - - Decoding error: %s - Σφάλμα αποκωδικοποίησης: %s - - - + File not valid WorshipAssistant CSV format. - - Record %d - Εγγραφή %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. @@ -9715,25 +9916,30 @@ Please enter the verses separated by spaces. Σφάλμα κατά την ανάγνωση του αρχείου CSV. - + File not valid ZionWorx CSV format. Το αρχείο δεν έχει την κατάλληλη μορφή του ZionWorx CSV. - - Line %d: %s - Γραμμή %d: %s - - - - Decoding error: %s - Σφάλμα αποκωδικοποίησης: %s - - - + Record %d Εγγραφή %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9743,39 +9949,960 @@ 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. - + 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. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Αγγλικά + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/en.ts b/resources/i18n/en.ts index f77eab94c..5136c65d3 100644 --- a/resources/i18n/en.ts +++ b/resources/i18n/en.ts @@ -120,32 +120,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font Font - + Font name: Font name: - + Font color: Font color: - - Background color: - Background color: - - - + Font size: Font size: - + Alert timeout: Alert timeout: @@ -153,88 +148,78 @@ 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. - Genesis @@ -739,161 +724,116 @@ Please type in some text before clicking New. 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 Duplicate Book Name - - The Book Name "%s" has been entered more than once. - The Book Name "%s" has been entered more than once. + + You need to specify a book name for "{text}". + You need to specify a book name for "{text}". + + + + The book name "{name}" 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 "{name}" 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 "{name}" has been entered more than once. + The Book Name "{name}" has been entered more than once. BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - - Web Bible cannot be used - Web Bible cannot be used + + Web Bible cannot be used in Text Search + Web Bible cannot be used in Text Search - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -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 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. + +This means that the currently used Bible +or Second Bible is installed as Web Bible. + +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + Nothing found + Nothing found BiblesPlugin.BiblesTab - + Verse Display Verse Display - + Only show new chapter numbers Only show new chapter numbers - + Bible theme: Bible theme: - + No Brackets No Brackets - + ( And ) ( And ) - + { And } { And } - + [ And ] [ And ] - - Note: -Changes do not affect verses already in the service. - Note: -Changes do not affect verses already in the service. - - - + Display second Bible verses Display second Bible verses - + Custom Scripture References Custom Scripture References - - Verse Separator: - Verse Separator: - - - - Range Separator: - Range Separator: - - - - List Separator: - List Separator: - - - - End Mark: - 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. @@ -902,37 +842,84 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English English - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Bible Language Bible Language - + Application Language Application Language - + Show verse numbers Show verse numbers + + + Note: Changes do not affect verses in the Service + Note: Changes do not affect verses in the Service + + + + Verse separator: + Verse separator: + + + + Range separator: + Range separator: + + + + List separator: + List separator: + + + + End mark: + End mark: + + + + Quick Search Settings + Quick Search Settings + + + + Reset search type to "Text or Scripture Reference" on startup + Reset search type to "Text or Scripture Reference" on startup + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Don't show error if nothing is found in "Text or Scripture Reference" + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + BiblesPlugin.BookNameDialog @@ -988,70 +975,76 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - Importing books... %s - - - + Importing verses... done. Importing verses... done. + + + Importing books... {book} + Importing books... {book} + + + + Importing verses from {book}... + Importing verses from <book name>... + Importing verses from {book}... + BiblesPlugin.EditBibleForm - + Bible Editor Bible Editor - + License Details License Details - + Version name: Version name: - + Copyright: Copyright: - + Permissions: Permissions: - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Global Settings Global Settings - + Bible Language Bible Language - + Application Language Application Language - + English English @@ -1071,224 +1064,259 @@ 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. + + + Importing {book}... + Importing <book name>... + Importing {book}... + 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. + + + Bibles: + Bibles: + + + + SWORD data folder: + SWORD data folder: + + + + SWORD zip-file: + SWORD zip-file: + + + + Defaults to the standard SWORD data folder + Defaults to the standard SWORD data folder + + + + Import from folder + Import from folder + + + + Import from Zip-file + Import from Zip-file + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + BiblesPlugin.LanguageDialog @@ -1319,114 +1347,135 @@ It is not possible to customize the Book Names. BiblesPlugin.MediaItem - - Quick - Quick - - - + Find: Find: - + Book: Book: - + Chapter: Chapter: - + Verse: Verse: - + From: From: - + To: To: - + Text Search Text Search - + 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. Bible not fully loaded. - + Information 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. - 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 Scripture Reference... - + Search Text... Search Text... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Search + + + + Select + Select + + + + Clear the search results. + Clear the search results. + + + + Text or Reference + Text or Reference + + + + Text or Reference... + Text or Reference... + + + + Are you sure you want to completely delete "{bible}" 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? + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - - Advanced - Advanced + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count: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. + +{count:d} verses have not been included in the results. BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. 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. Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. @@ -1434,178 +1483,53 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importing %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + Importing {name} {chapter}... 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... + + + The file is not a valid OSIS-XML file: +{text} + The file is not a valid OSIS-XML file: +{text} + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Select a Backup Directory + + Importing {name}... + Importing {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - 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. - 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 - Select Backup Directory - - - - Please select a backup directory for your Bibles - 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>. - 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 Directory: - - - - There is no need to backup my Bibles - There is no need to backup my Bibles - - - - Select Bibles - Select Bibles - - - - Please select the Bibles to upgrade - Please select the Bibles to upgrade - - - - Upgrading - Upgrading - - - - Please wait while your Bibles are upgraded. - 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. - 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" -Failed - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Upgrading Bible %s of %s: "%s" -Upgrading ... - - - - Download Error - Download Error - - - - To upgrade your Web Bibles an Internet connection is required. - To upgrade your Web Bibles an Internet connection is required. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Upgrading Bible %s of %s: "%s" -Complete - - - - , %s failed - , %s failed - - - - Upgrading Bible(s): %s successful%s - Upgrading Bible(s): %s successful%s - - - - Upgrade failed. - Upgrade failed. - - - - You need to specify a backup directory for your Bibles. - You need to specify a backup directory for your Bibles. - - - - Starting upgrade... - Starting upgrade... - - - - There are no Bibles that need to be upgraded. - There are no Bibles that need to be upgraded. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} 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. @@ -1613,9 +1537,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importing %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importing {book} {chapter}... @@ -1730,7 +1654,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. - + Split a slide into two by inserting a slide splitter. Split a slide into two by inserting a slide splitter. @@ -1745,7 +1669,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Credits: - + You need to type in a title. You need to type in a title. @@ -1755,12 +1679,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Ed&it All - + Insert Slide Insert Slide - + You need to add at least one slide. You need to add at least one slide. @@ -1768,7 +1692,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Edit Slide @@ -1776,9 +1700,9 @@ 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 "%d" selected custom slide(s)? - Are you sure you want to delete the "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1806,11 +1730,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Images - - - Load a new image. - Load a new image. - Add a new image. @@ -1841,6 +1760,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Add the selected image to the service. + + + Add new image(s). + Add new image(s). + + + + Add new image(s) + Add new image(s) + ImagePlugin.AddGroupForm @@ -1865,12 +1794,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. @@ -1906,7 +1835,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Select Attachment @@ -1914,39 +1843,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1956,25 +1868,42 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + Are you sure you want to remove "{name}" and everything in it? + + + + The following image(s) no longer exist: {names} + The following image(s) no longer exist: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + There was a problem replacing your background, the image file "{name}" no longer exists. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Visible background for images with aspect ratio different to screen. @@ -1982,27 +1911,27 @@ Do you want to add the other images anyway? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. This media player uses your operating system to provide media capabilities. @@ -2010,60 +1939,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. @@ -2179,47 +2108,47 @@ Do you want to add the other images anyway? 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 ":" @@ -2227,90 +2156,100 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File 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 + + + File %s not supported using player %s + File %s not supported using player %s + + + + Unsupported Media File + Unsupported Media File + + + + CD/DVD playback is only supported if VLC is installed and enabled. + CD/DVD playback is only supported if VLC is installed and enabled. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + The optical disc {name} is no longer available. + The optical disc {name} is no longer available. + + + + The file {name} no longer exists. + The file {name} no longer exists. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Videos ({video});;Audio ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2321,41 +2260,19 @@ Do you want to add the other images anyway? - Start Live items automatically - Start Live items automatically - - - - OPenLP.MainWindow - - - &Projector Manager - &Projector Manager + Start new Live media automatically + Start new Live media automatically OpenLP - + Image Files Image Files - - Information - Information - - - - 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 Backup @@ -2370,15 +2287,20 @@ Should OpenLP upgrade now? 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 + + + A backup of the data folder has been createdat {text} + A backup of the data folder has been createdat {text} + + + + Video Files + Video Files + OpenLP.AboutForm @@ -2388,15 +2310,10 @@ Should OpenLP upgrade now? Credits - + License License - - - 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. @@ -2425,7 +2342,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. - + Volunteer Volunteer @@ -2617,260 +2534,363 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr He has set us free. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + build {version} + build {version} OpenLP.AdvancedTab - + UI Settings UI Settings - - - Number of recent files to display: - Number of recent files to display: - - Remember active media manager tab on startup - Remember active media manager tab on startup - - - - Double-click to send items straight to live - Double-click to send items straight to live - - - Expand new service items on creation Expand new service items on creation - + Enable application exit confirmation Enable application exit confirmation - + Mouse Cursor Mouse Cursor - + Hide mouse cursor when over display window Hide mouse cursor when over display window - - Default Image - Default Image - - - - Background color: - Background color: - - - - Image file: - Image file: - - - + Open File Open File - + Advanced Advanced - - - Preview items when clicked in Media Manager - Preview items when clicked in Media Manager - - Browse for an image file to display. - Browse for an image file to display. - - - - Revert to the default OpenLP logo. - Revert to the default OpenLP logo. - - - Default Service Name Default Service Name - + Enable default service name Enable default service name - + Date and Time: Date and Time: - + Monday Monday - + Tuesday Tuesday - + Wednesday Wednesday - + Friday Friday - + Saturday Saturday - + Sunday Sunday - + Now Now - + Time when usual service starts. Time when usual service starts. - + Name: Name: - + Consult the OpenLP manual for usage. Consult the OpenLP manual for usage. - - Revert to the default service name "%s". - Revert to the default service name "%s". - - - + Example: Example: - + Bypass X11 Window Manager Bypass X11 Window Manager - + Syntax error. Syntax error. - + Data Location Data Location - + Current path: Current path: - + Custom path: Custom path: - + Browse for new data file location. Browse for new data file location. - + Set the data location to the default. Set the data location to the default. - + Cancel Cancel - + Cancel OpenLP data directory location change. Cancel OpenLP data directory location change. - + Copy data to new location. Copy data to new location. - + Copy the OpenLP data files to the 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 Data Directory Error - + Select Data Directory Location Select Data Directory Location - + Confirm Data Directory Change Confirm Data Directory Change - + Reset Data Directory Reset Data Directory - + Overwrite Existing Data Overwrite Existing Data - + + Thursday + Thursday + + + + Display Workarounds + Display Workarounds + + + + Use alternating row colours in lists + Use alternating row colours in lists + + + + Restart Required + Restart Required + + + + This change will only take effect once OpenLP has been restarted. + This change will only take effect once OpenLP has been restarted. + + + + 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. + 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. + + + + Max height for non-text slides +in slide controller: + Max height for non-text slides +in slide controller: + + + + Disabled + Disabled + + + + When changing slides: + When changing slides: + + + + Do not auto-scroll + Do not auto-scroll + + + + Auto-scroll the previous slide into view + Auto-scroll the previous slide into view + + + + Auto-scroll the previous slide to top + Auto-scroll the previous slide to top + + + + Auto-scroll the previous slide to middle + Auto-scroll the previous slide to middle + + + + Auto-scroll the current slide into view + Auto-scroll the current slide into view + + + + Auto-scroll the current slide to top + Auto-scroll the current slide to top + + + + Auto-scroll the current slide to middle + Auto-scroll the current slide to middle + + + + Auto-scroll the current slide to bottom + Auto-scroll the current slide to bottom + + + + Auto-scroll the next slide into view + Auto-scroll the next slide into view + + + + Auto-scroll the next slide to top + Auto-scroll the next slide to top + + + + Auto-scroll the next slide to middle + Auto-scroll the next slide to middle + + + + Auto-scroll the next slide to bottom + Auto-scroll the next slide to bottom + + + + Number of recent service files to display: + Number of recent service files to display: + + + + Open the last used Library tab on startup + Open the last used Library tab on startup + + + + Double-click to send items straight to Live + Double-click to send items straight to Live + + + + Preview items when clicked in Library + Preview items when clicked in Library + + + + Preview items when clicked in Service + Preview items when clicked in Service + + + + Automatic + Automatic + + + + Revert to the default service name "{name}". + Revert to the default service name "{name}". + + + OpenLP data directory was not found -%s +{path} 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. @@ -2879,7 +2899,7 @@ 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 +{path} 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. @@ -2888,74 +2908,40 @@ 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 +{path} 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 +{path} The data directory will be changed when OpenLP is closed. - - Thursday - Thursday - - - - Display Workarounds - Display Workarounds - - - - Use alternating row colours in lists - Use alternating row colours in lists - - - + WARNING: The location you have selected -%s +{path} appears to contain OpenLP data files. Do you wish to replace these files with the current data files? WARNING: The location you have selected -%s +{path} appears to contain OpenLP data files. Do you wish to replace these files with the current data files? - - - Restart Required - Restart Required - - - - This change will only take effect once OpenLP has been restarted. - This change will only take effect once OpenLP has been restarted. - - - - 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. - 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.ColorButton - + Click to select a color. Click to select a color. @@ -2963,252 +2949,252 @@ This location will be used after OpenLP is closed. OpenLP.DB - + RGB RGB - + Video 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 - + 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 @@ -3216,62 +3202,75 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred Error Occurred - + Send E-Mail Send E-Mail - + Save to File Save to File - + Attach File Attach File - - - Description characters to enter : %s - Description characters to enter : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - 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. Also attach any files that triggered the problem. - 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. Also attach any files that triggered the problem. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + <strong>Thank you for your description!</strong> + <strong>Thank you for your description!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Tell us what you were doing when this happened.</strong> + + + + <strong>Please enter a more detailed description of the situation + <strong>Please enter a more detailed description of the situation OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Save Crash Report - + Text files (*.txt *.log *.text) Text files (*.txt *.log *.text) + + + Platform: {platform} + + Platform: {platform} + + OpenLP.FileRenameForm @@ -3312,268 +3311,263 @@ This location will be used after OpenLP is closed. 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. - 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. 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 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 + + + Select parts of the program you wish to use + Select parts of the program you wish to use + + + + You can also change these settings after the Wizard. + You can also change these settings after the Wizard. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + Bibles – Import and show Bibles + Bibles – Import and show Bibles + + + + Images – Show images or replace background with them + Images – Show images or replace background with them + + + + Presentations – Show .ppt, .odp and .pdf files + Presentations – Show .ppt, .odp and .pdf files + + + + Media – Playback of Audio and Video files + Media – Playback of Audio and Video files + + + + Remote – Control OpenLP via browser or smartphone app + Remote – Control OpenLP via browser or smartphone app + + + + Song Usage Monitor + Song Usage Monitor + + + + Alerts – Display informative messages while showing other slides + Alerts – Display informative messages while showing other slides + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + Downloading {name}... + Downloading {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Download complete. Click the {button} button to return to OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Download complete. Click the {button} button to start OpenLP. + + + + Click the {button} button to return to OpenLP. + Click the {button} button to return to OpenLP. + + + + Click the {button} button to start OpenLP. + Click the {button} button to start OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + 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 {button} 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 {button} 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. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + OpenLP.FormattingTagDialog @@ -3616,44 +3610,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error Validation Error - + Description is missing Description is missing - + Tag is missing Tag is missing - Tag %s already defined. - Tag %s already defined. + Tag {tag} already defined. + Tag {tag} already defined. - Description %s already defined. - Description %s already defined. + Description {tag} already defined. + Description {tag} already defined. - - Start tag %s is not valid HTML - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML + Start tag {tag} is not valid HTML - - End tag %(end)s does not match end tag for start tag %(start)s - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + End tag {end} does not match end tag for start tag {start} + + + + New Tag {row:d} + New Tag {row:d} @@ -3742,170 +3741,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General General - + Monitors Monitors - + Select monitor for output display: Select monitor for output display: - + Display if a single screen Display if a single screen - + Application Startup Application Startup - + Show blank screen warning Show blank screen warning - - Automatically open the last service - Automatically open the last service - - - + Show the splash screen Show the splash screen - + Application Settings Application Settings - + Prompt to save before starting a new service Prompt to save before starting a new service - - Automatically preview next item in service - Automatically preview next item in service - - - + sec sec - + CCLI Details CCLI Details - + SongSelect username: SongSelect username: - + SongSelect password: SongSelect password: - + X X - + Y Y - + Height Height - + Width Width - + Check for updates to OpenLP Check for updates to OpenLP - - Unblank display when adding new live item - Unblank display when adding new live item - - - + Timed slide interval: Timed slide interval: - + Background Audio Background Audio - + Start background audio paused Start background audio paused - + Service Item Slide Limits Service Item Slide Limits - + Override display position: Override display position: - + Repeat track list Repeat track list - + Behavior of next/previous on the last/first slide: Behavior of next/previous on the last/first slide: - + &Remain on Slide &Remain on Slide - + &Wrap around &Wrap around - + &Move to next/previous service item &Move to next/previous service item + + + Logo + Logo + + + + Logo file: + Logo file: + + + + Browse for an image file to display. + Browse for an image file to display. + + + + Revert to the default OpenLP logo. + Revert to the default OpenLP logo. + + + + Don't show logo on startup + Don't show logo on startup + + + + Automatically open the previous service file + Automatically open the previous service file + + + + Unblank display when changing slide in Live + Unblank display when changing slide in Live + + + + Unblank display when sending items to Live + Unblank display when sending items to Live + + + + Automatically preview the next item in service + Automatically preview the next item in service + OpenLP.LanguageManager - + Language Language - + Please restart OpenLP to use your new language setting. Please restart OpenLP to use your new language setting. @@ -3913,7 +3942,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -3940,11 +3969,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View &View - - - M&ode - M&ode - &Tools @@ -3965,16 +3989,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help &Help - - - Service Manager - Service Manager - - - - Theme Manager - Theme Manager - Open an existing service. @@ -4000,11 +4014,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit E&xit - - - Quit OpenLP - Quit OpenLP - &Theme @@ -4016,191 +4025,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Configure OpenLP... - - &Media Manager - &Media Manager - - - - Toggle Media Manager - Toggle Media Manager - - - - Toggle the visibility of the media manager. - Toggle the visibility of the media manager. - - - - &Theme Manager - &Theme Manager - - - - Toggle Theme Manager - Toggle Theme Manager - - - - Toggle the visibility of the theme manager. - Toggle the visibility of the theme manager. - - - - &Service Manager - &Service Manager - - - - Toggle Service Manager - Toggle Service Manager - - - - Toggle the visibility of the service manager. - Toggle the visibility of the service manager. - - - - &Preview Panel - &Preview Panel - - - - Toggle Preview Panel - Toggle Preview Panel - - - - Toggle the visibility of the preview panel. - Toggle the visibility of the preview panel. - - - - &Live Panel - &Live Panel - - - - Toggle Live Panel - Toggle Live Panel - - - - Toggle the visibility of the live panel. - Toggle the visibility of the live panel. - - - - List the Plugins - List the Plugins - - - + &User Guide &User Guide - + &About &About - - More information about OpenLP - More information about OpenLP - - - + &Online Help &Online Help - + &Web Site &Web Site - + Use the system language, if available. Use the system language, if available. - - Set the interface language to %s - Set the interface language to %s - - - + Add &Tool... Add &Tool... - + Add an application to the list of tools. Add an application to the list of tools. - - &Default - &Default - - - - Set the view mode back to the default. - Set the view mode back to the default. - - - + &Setup &Setup - - Set the view mode to Setup. - Set the view mode to Setup. - - - + &Live &Live - - Set the view mode to 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/. - 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 OpenLP Main Display Blanked - + The Main Display has been blanked out The Main Display has been blanked out - - Default Theme: %s - Default Theme: %s - - - + English Please add the name of your language here English @@ -4211,27 +4096,27 @@ You can download the latest version from http://openlp.org/. Configure &Shortcuts... - + Open &Data Folder... Open &Data Folder... - + Open the folder where songs, bibles and other data resides. Open the folder where songs, bibles and other data resides. - + &Autodetect &Autodetect - + Update Theme Images Update Theme Images - + Update the preview images for all themes. Update the preview images for all themes. @@ -4241,32 +4126,22 @@ You can download the latest version from http://openlp.org/. Print the current service. - - L&ock Panels - L&ock Panels - - - - Prevent the panels being moved. - Prevent the panels being moved. - - - + Re-run First Time Wizard Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? 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. @@ -4275,13 +4150,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. @@ -4290,75 +4165,36 @@ Re-running this wizard may make changes to your current OpenLP configuration and Configure &Formatting Tags... Configure &Formatting Tags... - - - Export OpenLP settings to a specified *.config file - Export OpenLP settings to a specified *.config file - Settings Settings - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Import OpenLP settings from a specified *.config file previously exported on this or another machine - - - + Import settings? Import settings? - - Open File - Open File - - - - OpenLP Export Settings Files (*.conf) - OpenLP Export Settings Files (*.conf) - - - + Import settings Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File Export Settings File - - OpenLP Export Settings File (*.conf) - 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 - OpenLP Data directory copy failed - -%s - General @@ -4370,12 +4206,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. 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. @@ -4388,7 +4224,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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. @@ -4397,35 +4233,10 @@ Processing has terminated and no changes have been made. 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 - &Recent Services @@ -4457,131 +4268,349 @@ Processing has terminated and no changes have been made. &Manage Plugins - + Exit OpenLP Exit OpenLP - + Are you sure you want to exit OpenLP? Are you sure you want to exit OpenLP? - + &Exit OpenLP &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + The key "{key}" does not have a default value so it will be skipped in this export. + + + + An error occurred while exporting the settings: {err} + An error occurred while exporting the settings: {err} + + + + Default Theme: {theme} + Default Theme: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + OpenLP Data directory copy failed + +{err} + OpenLP Data directory copy failed + +{err} + + + + &Layout Presets + &Layout Presets + + + + Service + Service + + + + Themes + Themes + + + + Projectors + Projectors + + + + Close OpenLP - Shut down the program. + Close OpenLP - Shut down the program. + + + + Export settings to a *.config file. + Export settings to a *.config file. + + + + Import settings from a *.config file previously exported from this or another machine. + Import settings from a *.config file previously exported from this or another machine. + + + + &Projectors + &Projectors + + + + Hide or show Projectors. + Hide or show Projectors. + + + + Toggle visibility of the Projectors. + Toggle visibility of the Projectors. + + + + L&ibrary + L&ibrary + + + + Hide or show the Library. + Hide or show the Library. + + + + Toggle the visibility of the Library. + Toggle the visibility of the Library. + + + + &Themes + &Themes + + + + Hide or show themes + Hide or show themes + + + + Toggle visibility of the Themes. + Toggle visibility of the Themes. + + + + &Service + &Service + + + + Hide or show Service. + Hide or show Service. + + + + Toggle visibility of the Service. + Toggle visibility of the Service. + + + + &Preview + &Preview + + + + Hide or show Preview. + Hide or show Preview. + + + + Toggle visibility of the Preview. + Toggle visibility of the Preview. + + + + Li&ve + Li&ve + + + + Hide or show Live + Hide or show Live + + + + L&ock visibility of the panels + L&ock visibility of the panels + + + + Lock visibility of the panels. + Lock visibility of the panels. + + + + Toggle visibility of the Live. + Toggle visibility of the Live. + + + + You can enable and disable plugins from here. + You can enable and disable plugins from here. + + + + More information about OpenLP. + More information about OpenLP. + + + + Set the interface language to {name} + Set the interface language to {name} + + + + &Show all + &Show all + + + + Reset the interface back to the default layout and show all the panels. + Reset the interface back to the default layout and show all the panels. + + + + Use layout that focuses on setting up the Service. + Use layout that focuses on setting up the Service. + + + + Use layout that focuses on Live. + Use layout that focuses on Live. + + + + OpenLP Settings (*.conf) + OpenLP Settings (*.conf) + 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 +Database: {db} OpenLP cannot load your database. -Database: %s +Database: {db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} OpenLP.MediaManagerItem - + No Items Selected No Items Selected - + &Add to selected Service Item &Add to selected Service Item - + You must select one or more items to preview. 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 to send live. - + You must select one or more items. You must select one or more items. - + You must select an existing service item to add to. You must select an existing service item to add to. - + Invalid Service Item Invalid Service Item - - You must select a %s service item. - You must select a %s service item. - - - + You must select one or more items to add. You must select one or more items to add. - + No Search Results No Search Results - + Invalid File Type Invalid File Type - - Invalid File %s. -Suffix not supported - Invalid File %s. -Suffix not supported - - - + &Clone &Clone - + Duplicate files were found on import and were ignored. Duplicate files were found on import and were ignored. + + + Invalid File {name}. +Suffix not supported + Invalid File {name}. +Suffix not supported + + + + You must select a {title} service item. + You must select a {title} service item. + + + + Search is too short to be used in: "Search while typing" + Search is too short to be used in: "Search while typing" + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag is missing. - + <verse> tag is missing. <verse> tag is missing. @@ -4589,22 +4618,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status Unknown status - + No message No message - + Error while sending data to projector Error while sending data to projector - + Undefined command: Undefined command: @@ -4612,32 +4641,32 @@ Suffix not supported OpenLP.PlayerTab - + Players Players - + Available Media Players Available Media Players - + Player Search Order Player Search Order - + Visible background for videos with aspect ratio different to screen. Visible background for videos with aspect ratio different to screen. - + %s (unavailable) %s (unavailable) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" NOTE: To use VLC you must install the %s version @@ -4646,55 +4675,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details Plugin Details - + Status: Status: - + Active Active - - Inactive - Inactive - - - - %s (Inactive) - %s (Inactive) - - - - %s (Active) - %s (Active) + + Manage Plugins + Manage Plugins - %s (Disabled) - %s (Disabled) + {name} (Disabled) + {name} (Disabled) - - Manage Plugins - Manage Plugins + + {name} (Active) + {name} (Active) + + + + {name} (Inactive) + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page Fit Page - + Fit Width Fit Width @@ -4702,77 +4726,77 @@ Suffix not supported OpenLP.PrintServiceForm - + Options Options - + Copy Copy - + Copy as HTML Copy as HTML - + Zoom In Zoom In - + Zoom Out Zoom Out - + Zoom Original Zoom Original - + Other Options Other Options - + Include slide text if available Include slide text if available - + Include service item notes Include service item notes - + Include play length of media items Include play length of media items - + Add page break before each text item Add page break before each text item - + Service Sheet Service Sheet - + Print Print - + Title: Title: - + Custom Footer Text: Custom Footer Text: @@ -4780,257 +4804,257 @@ Suffix not supported OpenLP.ProjectorConstants - + 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 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 Initialize 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 @@ -5038,17 +5062,17 @@ Suffix not supported OpenLP.ProjectorEdit - + 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 @@ -5056,52 +5080,52 @@ Suffix not supported OpenLP.ProjectorEditForm - + Add New Projector Add New Projector - + Edit Projector Edit Projector - + IP Address IP Address - + Port Number Port Number - + PIN PIN - + Name Name - + Location Location - + Notes Notes - + Database Error Database Error - + 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 @@ -5109,305 +5133,360 @@ Suffix not supported OpenLP.ProjectorManager - + 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 - + Port Port - + Notes Notes - + 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 - - Delete projector (%s) %s? - Delete projector (%s) %s? - - - + Are you sure you want to delete this projector? Are you sure you want to delete this projector? + + + Add a new projector. + Add a new projector. + + + + Edit selected projector. + Edit selected projector. + + + + Delete selected projector. + Delete selected projector. + + + + Choose input source on selected projector. + Choose input source on selected 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 projector. + Disconnect from selected projector. + + + + Disconnect from selected projectors. + Disconnect from selected projectors. + + + + Power on selected projector. + Power on selected projector. + + + + Power on selected projectors. + Power on selected projectors. + + + + Put selected projector in standby. + Put selected projector in standby. + + + + Put selected projectors in standby. + Put selected projectors in standby. + + + + Blank selected projectors screen + Blank selected projectors screen + + + + Blank selected projectors screen. + Blank selected projectors screen. + + + + Show selected projector screen. + Show selected projector screen. + + + + Show selected projectors screen. + Show selected projectors screen. + + + + is on + is on + + + + is off + is off + + + + Authentication Error + Authentication Error + + + + No Authentication Error + No Authentication Error + OpenLP.ProjectorPJLink - + Fan Fan - + Lamp Lamp - + Temperature Temperature - + Cover Cover - + Filter Filter - + Other Other @@ -5453,17 +5532,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address Duplicate IP Address - + Invalid IP Address Invalid IP Address - + Invalid Port Number Invalid Port Number @@ -5476,27 +5555,27 @@ Suffix not supported Screen - + primary primary OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Length</strong>: %s - - [slide %d] - [slide %d] + [slide {frame:d}] + [slide {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Start</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Length</strong>: {length} @@ -5560,52 +5639,52 @@ Suffix not supported Delete the selected item from the service. - + &Add New Item &Add New Item - + &Add to Selected Item &Add to Selected Item - + &Edit Item &Edit Item - + &Reorder Item &Reorder Item - + &Notes &Notes - + &Change Item Theme &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 @@ -5630,7 +5709,7 @@ Suffix not supported Collapse all the service items. - + Open File Open File @@ -5660,22 +5739,22 @@ Suffix not supported Send the selected item to Live. - + &Start Time &Start Time - + Show &Preview Show &Preview - + Modified Service Modified Service - + The current service has been modified. Would you like to save this service? The current service has been modified. Would you like to save this service? @@ -5695,27 +5774,27 @@ Suffix not supported Playing time: - + Untitled Service 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 @@ -5735,148 +5814,148 @@ 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. - + Service File(s) Missing Service File(s) Missing - + &Rename... &Rename... - + Create New &Custom Slide Create New &Custom Slide - + &Auto play slides &Auto play slides - + Auto play slides &Loop Auto play slides &Loop - + Auto play slides &Once Auto play slides &Once - + &Delay between slides &Delay between slides - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - The following file(s) in the service are missing: %s + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. + + + An error occurred while writing the service file: {error} + An error occurred while writing the service file: {error} + OpenLP.ServiceNoteForm @@ -5907,15 +5986,10 @@ These files will be removed if you continue to save. Shortcut - + Duplicate Shortcut Duplicate Shortcut - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Alternate @@ -5961,219 +6035,234 @@ These files will be removed if you continue to save. Configure Shortcuts Configure Shortcuts + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + OpenLP.SlideController - + Hide Hide - + Go To Go To - + Blank Screen Blank Screen - + Blank to Theme Blank to Theme - + Show Desktop Show Desktop - + Previous Service Previous Service - + Next Service Next Service - + Escape Item Escape Item - + Move to previous. Move to previous. - + Move to next. Move to next. - + Play Slides Play Slides - + Delay between slides in seconds. Delay between slides in seconds. - + Move to live. Move to live. - + Add to Service. Add to Service. - + Edit and reload song preview. Edit and reload song preview. - + Start playing media. Start playing media. - + Pause audio. Pause audio. - + Pause playing media. Pause playing media. - + Stop playing media. Stop playing media. - + Video position. Video position. - + Audio Volume. Audio Volume. - + Go to "Verse" Go to "Verse" - + Go to "Chorus" Go to "Chorus" - + Go to "Bridge" Go to "Bridge" - + Go to "Pre-Chorus" Go to "Pre-Chorus" - + Go to "Intro" Go to "Intro" - + Go to "Ending" Go to "Ending" - + Go to "Other" Go to "Other" - + Previous Slide Previous Slide - + Next Slide Next Slide - + Pause Audio Pause Audio - + Background Audio Background Audio - + Go to next audio track. Go to next audio track. - + Tracks Tracks + + + Loop playing media. + Loop playing media. + + + + Video timer. + Video timer. + 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 - + 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? @@ -6181,17 +6270,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling Suggestions - + Formatting Tags Formatting Tags - + Language: Language: @@ -6270,7 +6359,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (approximately %d lines per slide) @@ -6278,523 +6367,533 @@ These files will be removed if you continue to save. OpenLP.ThemeManager - + Create a new theme. Create a new theme. - + Edit Theme Edit Theme - + Edit a theme. Edit a theme. - + Delete Theme Delete Theme - + Delete a theme. Delete a theme. - + Import Theme Import Theme - + Import a theme. Import a theme. - + Export Theme Export Theme - + Export a theme. Export a theme. - + &Edit Theme &Edit Theme - + &Delete Theme &Delete Theme - + Set As &Global Default Set As &Global Default - - %s (default) - %s (default) - - - + You must select a theme to edit. You must select a theme to edit. - + You are unable to delete the default theme. You are unable to delete the default theme. - + 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 - + Select Theme Import File Select Theme Import File - + File is not a valid theme. File is not a valid theme. - + &Copy Theme &Copy Theme - + &Rename Theme &Rename Theme - + &Export Theme &Export Theme - + You must select a theme to rename. You must select a theme to rename. - + Rename Confirmation Rename Confirmation - + Rename %s theme? Rename %s theme? - + You must select a theme to delete. You must select a theme to delete. - + Delete Confirmation Delete Confirmation - + Delete %s theme? Delete %s theme? - + Validation Error Validation Error - + A theme with this name already exists. A theme with this name already exists. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s time(s) by %s - - - + Unable to delete theme Unable to delete theme + + + {text} (default) + {text} (default) + + + + Copy of {name} + Copy of <theme name> + Copy of {name} + + + + Save Theme - ({name}) + Save Theme - ({name}) + + + + The theme export failed because this error occurred: {err} + The theme export failed because this error occurred: {err} + + + + {name} (default) + {name} (default) + + + + Theme {name} already exists. Do you want to replace it? + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + {count} time(s) by {plugin} + + + Theme is currently used -%s +{text} Theme is currently used -%s +{text} OpenLP.ThemeWizard - + Theme Wizard Theme Wizard - + Welcome to the Theme Wizard Welcome to the Theme Wizard - + Set Up Background Set Up Background - + Set up your theme's background according to the parameters below. Set up your theme's background according to the parameters below. - + Background type: Background type: - + Gradient Gradient - + Gradient: Gradient: - + Horizontal Horizontal - + Vertical Vertical - + Circular Circular - + Top Left - Bottom Right Top Left - Bottom Right - + Bottom Left - Top Right Bottom Left - Top Right - + Main Area Font Details Main Area Font Details - + Define the font and display characteristics for the Display text Define the font and display characteristics for the Display text - + Font: Font: - + Size: Size: - + Line Spacing: Line Spacing: - + &Outline: &Outline: - + &Shadow: &Shadow: - + Bold Bold - + Italic Italic - + Footer Area Font Details Footer Area Font Details - + Define the font and display characteristics for the Footer text Define the font and display characteristics for the Footer text - + Text Formatting Details Text Formatting Details - + Allows additional display formatting information to be defined Allows additional display formatting information to be defined - + Horizontal Align: Horizontal Align: - + Left Left - + Right Right - + Center Center - + Output Area Locations Output Area Locations - + &Main Area &Main Area - + &Use default location &Use default location - + X position: X position: - + px px - + Y position: Y position: - + Width: Width: - + Height: Height: - + Use default location Use default location - + Theme name: Theme name: - - Edit Theme - %s - 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. 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: Transitions: - + &Footer Area &Footer Area - + Starting color: Starting color: - + Ending color: Ending color: - + Background color: Background color: - + Justify Justify - + Layout Preview Layout Preview - + Transparent Transparent - + Preview and Save Preview and Save - + Preview the theme and save it. Preview the theme and save it. - + Background Image Empty Background Image Empty - + Select Image Select Image - + Theme Name Missing Theme Name Missing - + There is no name for this theme. Please enter one. There is no name for this theme. Please enter one. - + Theme Name Invalid Theme Name Invalid - + Invalid theme name. Please enter one. Invalid theme name. Please enter one. - + Solid color Solid color - + color: color: - + Allows you to change and move the Main and Footer areas. Allows you to change and move the Main and Footer areas. - + You have not selected a background image. Please select one before continuing. You have not selected a background image. Please select one before continuing. + + + Edit Theme - {name} + Edit Theme - {name} + + + + Select Video + Select Video + OpenLP.ThemesTab @@ -6877,73 +6976,73 @@ These files will be removed if you continue to save. &Vertical Align: - + Finished import. Finished import. - + Format: Format: - + Importing Importing - + Importing "%s"... Importing "%s"... - + Select Import Source 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 Open %s File - + %p% %p% - + Ready. Ready. - + Starting import... Starting import... - + 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 @@ -6993,39 +7092,34 @@ These files will be removed if you continue to save. XML syntax error - - Welcome to the Bible Upgrade Wizard - Welcome to the Bible Upgrade Wizard - - - + Open %s Folder 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 file to import from. - + You need to specify one %s folder to import from. A song format e.g. PowerSong You need to specify one %s folder to import from. - + Importing Songs Importing Songs - + Welcome to the Duplicate Song Removal Wizard Welcome to the Duplicate Song Removal Wizard - + Written by Written by @@ -7035,502 +7129,490 @@ These files will be removed if you continue to save. Author Unknown - + About About - + &Add &Add - + Add group Add group - + Advanced Advanced - + All Files All Files - + Automatic Automatic - + Background Color Background Color - + Bottom Bottom - + Browse... Browse... - + Cancel Cancel - + CCLI number: CCLI number: - + Create a new service. Create a new service. - + Confirm Delete Confirm Delete - + Continuous Continuous - + Default Default - + Default Color: 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. Service %Y-%m-%d %H-%M - + &Delete &Delete - + Display style: Display style: - + Duplicate Error Duplicate Error - + &Edit &Edit - + Empty Field Empty Field - + Error Error - + Export Export - + File File - + File Not Found File Not Found - - File %s not found. -Please try selecting it individually. - File %s not found. -Please try selecting it individually. - - - + pt Abbreviated font pointsize unit pt - + Help Help - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Invalid Folder Selected - + Invalid File Selected Singular Invalid File Selected - + Invalid Files Selected Plural Invalid Files Selected - + Image Image - + Import Import - + Layout style: Layout style: - + Live Live - + Live Background Error Live Background Error - + Live Toolbar Live Toolbar - + Load Load - + Manufacturer Singular Manufacturer - + Manufacturers Plural Manufacturers - + Model Singular Model - + Models Plural Models - + m The abbreviated unit for minutes m - + Middle Middle - + New New - + New Service New Service - + New Theme New Theme - + Next Track Next Track - + No Folder Selected Singular No Folder Selected - + No File Selected Singular No File Selected - + No Files Selected Plural No Files Selected - + No Item Selected Singular No Item Selected - + No Items Selected Plural No Items Selected - + OpenLP is already running. Do you wish to continue? OpenLP is already running. Do you wish to continue? - + Open service. Open service. - + Play Slides in Loop Play Slides in Loop - + Play Slides to End Play Slides to End - + Preview 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 - + CCLI song number: CCLI song number: - + Preview Toolbar Preview Toolbar - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Replace live background is not available when the WebKit player is disabled. @@ -7546,29 +7628,101 @@ Please try selecting it individually. Plural Songbooks + + + Background color: + Background color: + + + + Add group. + Add group. + + + + File {name} not found. +Please try selecting it individually. + File {name} not found. +Please try selecting it individually. + + + + Start {code} + Start {code} + + + + Video + Video + + + + Search is Empty or too Short + Search is Empty or too Short + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + No Bibles Available + No Bibles Available + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + Book Chapter + Book Chapter + + + + Chapter + Chapter + + + + Verse + Verse + + + + Psalm + Psalm + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s and %s - + %s, and %s Locale list separator: end %s, and %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7651,47 +7805,47 @@ Please try selecting it individually. Present using: - + File Exists File Exists - + A presentation with that filename already exists. A presentation with that filename already exists. - + This type of presentation is not supported. This type of presentation is not supported. - - Presentations (%s) - Presentations (%s) - - - + Missing Presentation Missing Presentation - - The presentation %s is incomplete, please reload. - The presentation %s is incomplete, please reload. + + Presentations ({text}) + Presentations ({text}) - - The presentation %s no longer exists. - The presentation %s no longer exists. + + The presentation {name} no longer exists. + The presentation {name} no longer exists. + + + + The presentation {name} is incomplete, please reload. + The presentation {name} is incomplete, please reload. 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. + + 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. @@ -7701,11 +7855,6 @@ Please try selecting it individually. Available Controllers Available Controllers - - - %s (unavailable) - %s (unavailable) - Allow presentation application to be overridden @@ -7722,12 +7871,12 @@ Please try selecting it individually. 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. @@ -7738,13 +7887,20 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect + Clicking on the current slide advances to the next effect - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + {name} (unavailable) + {name} (unavailable) @@ -7786,127 +7942,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 - + Remote Remote - + Stage View Stage View - + Live View Live View @@ -7914,79 +8070,89 @@ Please try selecting it individually. 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 Display stage time in 12h format - + Android App Android App - + Live view URL: Live view 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. 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 Authentication - + User id: User id: - + Password: Password: - + Show thumbnails of non-text slides in remote and stage view. Show thumbnails of non-text slides in remote and stage view. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + iOS App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. @@ -8027,50 +8193,50 @@ Please try selecting it individually. 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 @@ -8138,24 +8304,10 @@ 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 Creation - - - Report -%s -has been successfully created. - Report -%s -has been successfully created. - Output Path Not Selected @@ -8169,45 +8321,59 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + usage_detail_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + Report +{name} +has been successfully created. + + + + An error occurred while creating the report: {error} + An error occurred while creating the report: {error} 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... @@ -8303,80 +8469,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. @@ -8465,62 +8631,67 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administered by %s - - - - "%s" could not be imported. %s - "%s" could not be imported. %s - - - + Unexpected data formatting. Unexpected data formatting. - + No song text found. No song text found. - + [above are Song Tags with notes imported from EasyWorship] [above are Song Tags with notes imported from EasyWorship] - + 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. + + + Administered by {admin} + Administered by {admin} + + + + "{title}" could not be imported. {entry} + "{title}" could not be imported. {entry} + + + + "{title}" could not be imported. {error} + "{title}" could not be imported. {error} + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Custom Book Names @@ -8603,57 +8774,57 @@ The encoding is responsible for the correct character representation.Theme, Copyright Info && Comments - + Add Author Add Author - + This author does not exist, do you want to add them? This author does not exist, do you want to add them? - + This author is already in the list. 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. 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 Add Topic - + This topic does not exist, do you want to add it? This topic does not exist, do you want to add it? - + This topic is already in the list. 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 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 a song title. - + You need to type in at least one verse. You need to type in at least one verse. - + You need to have an author for this song. You need to have an author for this song. @@ -8678,7 +8849,7 @@ The encoding is responsible for the correct character representation.Remove &All - + Open File(s) Open File(s) @@ -8693,14 +8864,7 @@ The encoding is responsible for the correct character representation.<strong>Warning:</strong> You have not entered a verse order. - - There is no verse 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 Invalid Verse Order @@ -8710,22 +8874,15 @@ Please enter the verses separated by spaces. &Edit Author Type - + Edit Author Type Edit Author Type - + Choose type for this author Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - &Manage Authors, Topics, Songbooks @@ -8747,45 +8904,77 @@ Please enter the verses separated by spaces. Authors, Topics && Songbooks - + Add Songbook Add Songbook - + This Songbook does not exist, do you want to add it? This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse Edit Verse - + &Verse type: &Verse type: - + &Insert &Insert - + Split a slide into two by inserting a verse splitter. Split a slide into two by inserting a verse splitter. @@ -8798,77 +8987,77 @@ Please enter the verses separated by spaces. Song Export Wizard - + Select Songs Select Songs - + Check the songs you want to export. Check the songs you want to export. - + Uncheck All Uncheck All - + Check All Check All - + Select Directory Select Directory - + Directory: Directory: - + Exporting Exporting - + Please wait while your songs are exported. Please wait while your songs are exported. - + You need to add at least one Song to export. You need to add at least one Song to export. - + No Save Location specified No Save Location specified - + Starting export... Starting export... - + You need to specify a directory. You need to specify a directory. - + Select Destination Folder Select Destination Folder - + Select the directory where you want the songs to be saved. 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. This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. @@ -8876,7 +9065,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Invalid Foilpresenter song file. No verses found. @@ -8884,7 +9073,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Enable search as you type @@ -8892,7 +9081,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Select Document/Presentation Files @@ -8902,237 +9091,252 @@ Please enter the verses separated by spaces. 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 Generic Document/Presentation - + Add Files... Add Files... - + Remove File(s) Remove File(s) - + Please wait while your songs are imported. Please wait while your songs are imported. - + Words Of Worship Song Files Words Of Worship Song Files - + Songs Of Fellowship Song Files Songs Of Fellowship Song Files - + SongBeamer Files SongBeamer Files - + SongShow Plus Song Files SongShow Plus Song Files - + Foilpresenter Song Files Foilpresenter Song Files - + Copy Copy - + Save to File 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 Files OpenLyrics Files - + CCLI SongSelect Files CCLI SongSelect Files - + EasySlides XML File EasySlides XML File - + EasyWorship Song Database EasyWorship Song Database - + DreamBeam Song Files DreamBeam Song Files - + You need to specify a valid PowerSong 1.0 database folder. You need to specify a valid PowerSong 1.0 database folder. - + 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>. 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 SundayPlus Song Files - + This importer has been disabled. 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. 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 EasyWorship Service File - + WorshipCenter Pro Song Files 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. 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 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. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases OpenLP 2 Databases - + LyriX Files LyriX Files - + LyriX (Exported TXT-files) LyriX (Exported TXT-files) - + VideoPsalm Files VideoPsalm Files - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + OPS Pro database + + + + The OPS 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. + The OPS 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. + + + + ProPresenter Song Files + ProPresenter Song Files + + + + The VideoPsalm songbooks are normally located in {path} + The VideoPsalm songbooks are normally located in {path} SongsPlugin.LyrixImport - Error: %s - Error: %s + File {name} + File {name} + + + + Error: {error} + Error: {error} @@ -9151,79 +9355,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Titles - + Lyrics Lyrics - + CCLI License: CCLI License: - + Entire Song Entire Song - + Maintain the lists of authors, topics and books. Maintain the lists of authors, topics and books. - + copy For song cloning copy - + Search Titles... Search Titles... - + Search Entire Song... Search Entire Song... - + Search Lyrics... Search Lyrics... - + Search Authors... Search Authors... - - Are you sure you want to delete the "%d" selected song(s)? - Are you sure you want to delete the "%d" selected song(s)? - - - + Search Songbooks... Search Songbooks... + + + Search Topics... + Search Topics... + + + + Copyright + Copyright + + + + Search Copyright... + Search Copyright... + + + + CCLI number + CCLI number + + + + Search CCLI number... + Search CCLI number... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Unable to open the MediaShout database. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Unable to connect the OPS Pro database. + + + + "{title}" could not be imported. {error} + "{title}" could not be imported. {error} + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Not a valid OpenLP 2 song database. @@ -9231,9 +9473,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exporting "%s"... + + Exporting "{title}"... + Exporting "{title}"... @@ -9252,29 +9494,37 @@ Please enter the verses separated by spaces. No songs to import. - + Verses not found. Missing "PART" header. Verses not found. Missing "PART" header. - No %s files found. - No %s files found. + No {text} files found. + No {text} files found. - Invalid %s file. Unexpected byte value. - Invalid %s file. Unexpected byte value. + Invalid {text} file. Unexpected byte value. + Invalid {text} file. Unexpected byte value. - Invalid %s file. Missing "TITLE" header. - Invalid %s file. Missing "TITLE" header. + Invalid {text} file. Missing "TITLE" header. + Invalid {text} file. Missing "TITLE" header. - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Invalid %s file. Missing "COPYRIGHTLINE" header. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + File is not in XML-format, which is the only format supported. @@ -9303,19 +9553,19 @@ 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 + + Your song export failed because this error occurred: {error} + Your song export failed because this error occurred: {error} @@ -9331,17 +9581,17 @@ Please enter the verses separated by spaces. The following songs could not be imported: - + Cannot access OpenOffice or LibreOffice Cannot access OpenOffice or LibreOffice - + Unable to open file Unable to open file - + File not found File not found @@ -9349,109 +9599,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Could not add your author. - + This author already exists. This author already exists. - + Could not add your topic. Could not add your topic. - + This topic already exists. This topic already exists. - + Could not add your book. Could not add your book. - + This book already exists. This book already exists. - + Could not save your changes. Could not save your changes. - + Could not save your modified author, because the author already exists. Could not save your modified author, because the author already exists. - + Could not save your modified topic, because it already exists. Could not save your modified topic, because it already exists. - + Delete Author Delete Author - + Are you sure you want to delete the selected 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. This author cannot be deleted, they are currently assigned to at least one song. - + Delete Topic Delete Topic - + Are you sure you want to delete the selected 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. This topic cannot be deleted, it is currently assigned to at least one song. - + Delete Book Delete Book - + Are you sure you want to delete the selected 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. 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 author %s already exists. Would you like to make songs with author %s use the existing author %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? @@ -9497,52 +9747,47 @@ Please enter the verses separated by spaces. Search - - Found %s song(s) - Found %s song(s) - - - + Logout Logout - + View View - + Title: Title: - + Author(s): Author(s): - + Copyright: Copyright: - + CCLI Number: CCLI Number: - + Lyrics: Lyrics: - + Back Back - + Import Import @@ -9582,7 +9827,7 @@ Please enter the verses separated by spaces. There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported Song Imported @@ -9597,7 +9842,7 @@ Please enter the verses separated by spaces. 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? Your song has been imported, would you like to import more songs? @@ -9606,6 +9851,11 @@ Please enter the verses separated by spaces. Stop Stop + + + Found {count:d} song(s) + Found {count:d} song(s) + SongsPlugin.SongsTab @@ -9614,30 +9864,30 @@ Please enter the verses separated by spaces. Songs Mode Songs Mode - - - Display verses on live tool bar - Display verses on live tool bar - Update service from song edit Update service from song edit - - - Import missing songs from service files - Import missing songs from service files - Display songbook in footer Display songbook in footer + + + Enable "Go to verse" button in Live panel + Enable "Go to verse" button in Live panel + + + + Import missing songs from Service files + Import missing songs from Service files + - Display "%s" symbol before copyright info - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info + Display "{symbol}" symbol before copyright info @@ -9661,37 +9911,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Verse - + Chorus Chorus - + Bridge Bridge - + Pre-Chorus Pre-Chorus - + Intro Intro - + Ending Ending - + Other Other @@ -9699,22 +9949,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - Error: %s + + Error: {error} + Error: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + Invalid Words of Worship song file. Missing "{text}" string. @@ -9725,30 +9975,30 @@ Please enter the verses separated by spaces. Error reading CSV file. - - Line %d: %s - Line %d: %s - - - - Decoding error: %s - Decoding error: %s - - - + File not valid WorshipAssistant CSV format. File not valid WorshipAssistant CSV format. - - Record %d - Record %d + + Line {number:d}: {error} + Line {number:d}: {error} + + + + Record {count:d} + Record {count:d} + + + + Decoding error: {error} + Decoding error: {error} SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Unable to connect the WorshipCenter Pro database. @@ -9761,25 +10011,30 @@ Please enter the verses separated by spaces. Error reading CSV file. - + File not valid ZionWorx CSV format. File not valid ZionWorx CSV format. - - Line %d: %s - Line %d: %s - - - - Decoding error: %s - Decoding error: %s - - - + Record %d Record %d + + + Line {number:d}: {error} + Line {number:d}: {error} + + + + Record {index} + Record {index} + + + + Decoding error: {error} + Decoding error: {error} + Wizard @@ -9789,39 +10044,960 @@ 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. 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. Searching for duplicate songs. - + Please wait while your songs database is analyzed. Please wait while your songs database is analyzed. - + Here you can decide which songs to remove and which ones to keep. Here you can decide which songs to remove and which ones to keep. - - Review duplicate songs (%s/%s) - Review duplicate songs (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. No duplicate songs have been found in the database. + + + Review duplicate songs ({current}/{total}) + Review duplicate songs ({current}/{total}) + + + + common.languages + + + (Afan) Oromo + Language code: om + (Afan) Oromo + + + + Abkhazian + Language code: ab + Abkhazian + + + + Afar + Language code: aa + Afar + + + + Afrikaans + Language code: af + Afrikaans + + + + Albanian + Language code: sq + Albanian + + + + Amharic + Language code: am + Amharic + + + + Amuzgo + Language code: amu + Amuzgo + + + + Ancient Greek + Language code: grc + Ancient Greek + + + + Arabic + Language code: ar + Arabic + + + + Armenian + Language code: hy + Armenian + + + + Assamese + Language code: as + Assamese + + + + Aymara + Language code: ay + Aymara + + + + Azerbaijani + Language code: az + Azerbaijani + + + + Bashkir + Language code: ba + Bashkir + + + + Basque + Language code: eu + Basque + + + + Bengali + Language code: bn + Bengali + + + + Bhutani + Language code: dz + Bhutani + + + + Bihari + Language code: bh + Bihari + + + + Bislama + Language code: bi + Bislama + + + + Breton + Language code: br + Breton + + + + Bulgarian + Language code: bg + Bulgarian + + + + Burmese + Language code: my + Burmese + + + + Byelorussian + Language code: be + Byelorussian + + + + Cakchiquel + Language code: cak + Cakchiquel + + + + Cambodian + Language code: km + Cambodian + + + + Catalan + Language code: ca + Catalan + + + + Chinese + Language code: zh + Chinese + + + + Comaltepec Chinantec + Language code: cco + Comaltepec Chinantec + + + + Corsican + Language code: co + Corsican + + + + Croatian + Language code: hr + Croatian + + + + Czech + Language code: cs + Czech + + + + Danish + Language code: da + Danish + + + + Dutch + Language code: nl + Dutch + + + + English + Language code: en + English + + + + Esperanto + Language code: eo + Esperanto + + + + Estonian + Language code: et + Estonian + + + + Faeroese + Language code: fo + Faeroese + + + + Fiji + Language code: fj + Fiji + + + + Finnish + Language code: fi + Finnish + + + + French + Language code: fr + French + + + + Frisian + Language code: fy + Frisian + + + + Galician + Language code: gl + Galician + + + + Georgian + Language code: ka + Georgian + + + + German + Language code: de + German + + + + Greek + Language code: el + Greek + + + + Greenlandic + Language code: kl + Greenlandic + + + + Guarani + Language code: gn + Guarani + + + + Gujarati + Language code: gu + Gujarati + + + + Haitian Creole + Language code: ht + Haitian Creole + + + + Hausa + Language code: ha + Hausa + + + + Hebrew (former iw) + Language code: he + Hebrew (former iw) + + + + Hiligaynon + Language code: hil + Hiligaynon + + + + Hindi + Language code: hi + Hindi + + + + Hungarian + Language code: hu + Hungarian + + + + Icelandic + Language code: is + Icelandic + + + + Indonesian (former in) + Language code: id + Indonesian (former in) + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Interlingue + + + + Inuktitut (Eskimo) + Language code: iu + Inuktitut (Eskimo) + + + + Inupiak + Language code: ik + Inupiak + + + + Irish + Language code: ga + Irish + + + + Italian + Language code: it + Italian + + + + Jakalteko + Language code: jac + Jakalteko + + + + Japanese + Language code: ja + Japanese + + + + Javanese + Language code: jw + Javanese + + + + K'iche' + Language code: quc + K'iche' + + + + Kannada + Language code: kn + Kannada + + + + Kashmiri + Language code: ks + Kashmiri + + + + Kazakh + Language code: kk + Kazakh + + + + Kekchí + Language code: kek + Kekchí + + + + Kinyarwanda + Language code: rw + Kinyarwanda + + + + Kirghiz + Language code: ky + Kirghiz + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Korean + + + + Kurdish + Language code: ku + Kurdish + + + + Laothian + Language code: lo + Laothian + + + + Latin + Language code: la + Latin + + + + Latvian, Lettish + Language code: lv + Latvian, Lettish + + + + Lingala + Language code: ln + Lingala + + + + Lithuanian + Language code: lt + Lithuanian + + + + Macedonian + Language code: mk + Macedonian + + + + Malagasy + Language code: mg + Malagasy + + + + Malay + Language code: ms + Malay + + + + Malayalam + Language code: ml + Malayalam + + + + Maltese + Language code: mt + Maltese + + + + Mam + Language code: mam + Mam + + + + Maori + Language code: mi + Maori + + + + Maori + Language code: mri + Maori + + + + Marathi + Language code: mr + Marathi + + + + Moldavian + Language code: mo + Moldavian + + + + Mongolian + Language code: mn + Mongolian + + + + Nahuatl + Language code: nah + Nahuatl + + + + Nauru + Language code: na + Nauru + + + + Nepali + Language code: ne + Nepali + + + + Norwegian + Language code: no + Norwegian + + + + Occitan + Language code: oc + Occitan + + + + Oriya + Language code: or + Oriya + + + + Pashto, Pushto + Language code: ps + Pashto, Pushto + + + + Persian + Language code: fa + Persian + + + + Plautdietsch + Language code: pdt + Plautdietsch + + + + Polish + Language code: pl + Polish + + + + Portuguese + Language code: pt + Portuguese + + + + Punjabi + Language code: pa + Punjabi + + + + Quechua + Language code: qu + Quechua + + + + Rhaeto-Romance + Language code: rm + Rhaeto-Romance + + + + Romanian + Language code: ro + Romanian + + + + Russian + Language code: ru + Russian + + + + Samoan + Language code: sm + Samoan + + + + Sangro + Language code: sg + Sangro + + + + Sanskrit + Language code: sa + Sanskrit + + + + Scots Gaelic + Language code: gd + Scots Gaelic + + + + Serbian + Language code: sr + Serbian + + + + Serbo-Croatian + Language code: sh + Serbo-Croatian + + + + Sesotho + Language code: st + Sesotho + + + + Setswana + Language code: tn + Setswana + + + + Shona + Language code: sn + Shona + + + + Sindhi + Language code: sd + Sindhi + + + + Singhalese + Language code: si + Singhalese + + + + Siswati + Language code: ss + Siswati + + + + Slovak + Language code: sk + Slovak + + + + Slovenian + Language code: sl + Slovenian + + + + Somali + Language code: so + Somali + + + + Spanish + Language code: es + Spanish + + + + Sudanese + Language code: su + Sudanese + + + + Swahili + Language code: sw + Swahili + + + + Swedish + Language code: sv + Swedish + + + + Tagalog + Language code: tl + Tagalog + + + + Tajik + Language code: tg + Tajik + + + + Tamil + Language code: ta + Tamil + + + + Tatar + Language code: tt + Tatar + + + + Tegulu + Language code: te + Tegulu + + + + Thai + Language code: th + Thai + + + + Tibetan + Language code: bo + Tibetan + + + + Tigrinya + Language code: ti + Tigrinya + + + + Tonga + Language code: to + Tonga + + + + Tsonga + Language code: ts + Tsonga + + + + Turkish + Language code: tr + Turkish + + + + Turkmen + Language code: tk + Turkmen + + + + Twi + Language code: tw + Twi + + + + Uigur + Language code: ug + Uigur + + + + Ukrainian + Language code: uk + Ukrainian + + + + Urdu + Language code: ur + Urdu + + + + Uspanteco + Language code: usp + Uspanteco + + + + Uzbek + Language code: uz + Uzbek + + + + Vietnamese + Language code: vi + Vietnamese + + + + Volapuk + Language code: vo + Volapuk + + + + Welch + Language code: cy + Welch + + + + Wolof + Language code: wo + Wolof + + + + Xhosa + Language code: xh + Xhosa + + + + Yiddish (former ji) + Language code: yi + Yiddish (former ji) + + + + Yoruba + Language code: yo + Yoruba + + + + Zhuang + Language code: za + Zhuang + + + + Zulu + Language code: zu + Zulu + \ No newline at end of file diff --git a/resources/i18n/en_GB.ts b/resources/i18n/en_GB.ts index 41ccb0a6f..18595ab1a 100644 --- a/resources/i18n/en_GB.ts +++ b/resources/i18n/en_GB.ts @@ -120,32 +120,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font Font - + Font name: Font name: - + Font color: Font color: - - Background color: - Background color: - - - + Font size: Font size: - + Alert timeout: Alert timeout: @@ -153,88 +148,78 @@ 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. - Genesis @@ -739,161 +724,107 @@ Please type in some text before clicking New. 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 Duplicate Book Name - - The Book Name "%s" has been entered more than once. - The Book Name "%s" has been entered more than once. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - - Web Bible cannot be used - Web Bible cannot be used + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -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 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Verse Display - + Only show new chapter numbers Only show new chapter numbers - + Bible theme: Bible theme: - + No Brackets No Brackets - + ( And ) ( And ) - + { And } { And } - + [ And ] [ And ] - - Note: -Changes do not affect verses already in the service. - Note: -Changes do not affect verses already in the service. - - - + Display second Bible verses Display second Bible verses - + Custom Scripture References Custom Scripture References - - Verse Separator: - Verse Separator: - - - - Range Separator: - Range Separator: - - - - List Separator: - List Separator: - - - - End Mark: - 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. @@ -902,37 +833,83 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English English - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Bible Language Bible Language - + Application Language Application Language - + Show verse numbers Show verse numbers + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +965,76 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - Importing books... %s - - - + Importing verses... done. Importing verses... done. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + BiblesPlugin.EditBibleForm - + Bible Editor Bible Editor - + License Details Licence Details - + Version name: Version name: - + Copyright: Copyright: - + Permissions: Permissions: - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Global Settings Global Settings - + Bible Language Bible Language - + Application Language Application Language - + English English @@ -1071,224 +1054,259 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + Bibles: + + + + SWORD data folder: + SWORD data folder: + + + + SWORD zip-file: + SWORD zip-file: + + + + Defaults to the standard SWORD data folder + Defaults to the standard SWORD data folder + + + + Import from folder + Import from folder + + + + Import from Zip-file + Import from Zip-file + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + BiblesPlugin.LanguageDialog @@ -1319,114 +1337,130 @@ It is not possible to customize the Book Names. BiblesPlugin.MediaItem - - Quick - Quick - - - + Find: Find: - + Book: Book: - + Chapter: Chapter: - + Verse: Verse: - + From: From: - + To: To: - + Text Search Text Search - + 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. Bible not fully loaded. - + Information 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. - 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 Scripture Reference... - + Search Text... 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. + + Search + Search - - Advanced - Advanced + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. 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. Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. @@ -1434,178 +1468,51 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importing %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + 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... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Select a Backup Directory + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - 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. - 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 - Select Backup Directory - - - - Please select a backup directory for your Bibles - 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>. - 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 Directory: - - - - There is no need to backup my Bibles - There is no need to backup my Bibles - - - - Select Bibles - Select Bibles - - - - Please select the Bibles to upgrade - Please select the Bibles to upgrade - - - - Upgrading - Upgrading - - - - Please wait while your Bibles are upgraded. - 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. - 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" -Failed - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Upgrading Bible %s of %s: "%s" -Upgrading ... - - - - Download Error - Download Error - - - - To upgrade your Web Bibles an Internet connection is required. - To upgrade your Web Bibles an Internet connection is required. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Upgrading Bible %s of %s: "%s" -Complete - - - - , %s failed - , %s failed - - - - Upgrading Bible(s): %s successful%s - Upgrading Bible(s): %s successful%s - - - - Upgrade failed. - Upgrade failed. - - - - You need to specify a backup directory for your Bibles. - You need to specify a backup directory for your Bibles. - - - - Starting upgrade... - Starting upgrade... - - - - There are no Bibles that need to be upgraded. - There are no Bibles that need to be upgraded. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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. @@ -1613,9 +1520,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importing %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1730,7 +1637,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. - + Split a slide into two by inserting a slide splitter. Split a slide into two by inserting a slide splitter. @@ -1745,7 +1652,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Credits: - + You need to type in a title. You need to type in a title. @@ -1755,12 +1662,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Ed&it All - + Insert Slide Insert Slide - + You need to add at least one slide. You need to add at least one slide. @@ -1768,7 +1675,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Edit Slide @@ -1776,9 +1683,9 @@ 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 "%d" selected custom slide(s)? - Are you sure you want to delete the %d selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1806,11 +1713,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Images - - - Load a new image. - Load a new image. - Add a new image. @@ -1841,6 +1743,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Add the selected image to the service. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1865,12 +1777,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. @@ -1906,7 +1818,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Select Attachment @@ -1914,39 +1826,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1956,25 +1851,41 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Visible background for images with aspect ratio different to screen. @@ -1982,27 +1893,27 @@ Do you want to add the other images anyway? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. This media player uses your operating system to provide media capabilities. @@ -2010,60 +1921,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. @@ -2179,47 +2090,47 @@ Do you want to add the other images anyway? 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 ":" @@ -2227,90 +2138,100 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File 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 + + + File %s not supported using player %s + File %s not supported using player %s + + + + Unsupported Media File + Unsupported Media File + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2321,41 +2242,19 @@ Do you want to add the other images anyway? - Start Live items automatically - Start Live items automatically - - - - OPenLP.MainWindow - - - &Projector Manager - &Projector Manager + Start new Live media automatically + OpenLP - + Image Files Image Files - - Information - Information - - - - 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 Backup @@ -2370,15 +2269,20 @@ Should OpenLP upgrade now? 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 + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2388,15 +2292,10 @@ Should OpenLP upgrade now? Credits - + License License - - - 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. @@ -2425,7 +2324,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. - + Volunteer Volunteer @@ -2617,333 +2516,237 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr He has set us free. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} + OpenLP.AdvancedTab - + UI Settings UI Settings - - - Number of recent files to display: - Number of recent files to display: - - Remember active media manager tab on startup - Remember active media manager tab on startup - - - - Double-click to send items straight to live - Double-click to send items straight to live - - - Expand new service items on creation Expand new service items on creation - + Enable application exit confirmation Enable application exit confirmation - + Mouse Cursor Mouse Cursor - + Hide mouse cursor when over display window Hide mouse cursor when over display window - - Default Image - Default Image - - - - Background color: - Background color: - - - - Image file: - Image file: - - - + Open File Open File - + Advanced Advanced - - - Preview items when clicked in Media Manager - Preview items when clicked in Media Manager - - Browse for an image file to display. - Browse for an image file to display. - - - - Revert to the default OpenLP logo. - Revert to the default OpenLP logo. - - - Default Service Name Default Service Name - + Enable default service name Enable default service name - + Date and Time: Date and Time: - + Monday Monday - + Tuesday Tuesday - + Wednesday Wednesday - + Friday Friday - + Saturday Saturday - + Sunday Sunday - + Now Now - + Time when usual service starts. Time when usual service starts. - + Name: Name: - + Consult the OpenLP manual for usage. Consult the OpenLP manual for usage. - - Revert to the default service name "%s". - Revert to the default service name "%s". - - - + Example: Example: - + Bypass X11 Window Manager Bypass X11 Window Manager - + Syntax error. Syntax error. - + Data Location Data Location - + Current path: Current path: - + Custom path: Custom path: - + Browse for new data file location. Browse for new data file location. - + Set the data location to the default. Set the data location to the default. - + Cancel Cancel - + Cancel OpenLP data directory location change. Cancel OpenLP data directory location change. - + Copy data to new location. Copy data to new location. - + Copy the OpenLP data files to the 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 Data Directory Error - + Select Data Directory Location Select Data Directory Location - + Confirm Data Directory Change Confirm Data Directory Change - + Reset Data Directory Reset Data Directory - + Overwrite Existing Data 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 Thursday - + Display Workarounds Display Workarounds - + Use alternating row colours in lists Use alternating row colours in lists - - 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? - 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 Restart Required - + This change will only take effect once OpenLP has been restarted. This change will only take effect once OpenLP has been restarted. - + 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. @@ -2951,11 +2754,156 @@ This location will be used after OpenLP is closed. This location will be used after OpenLP is closed. + + + Max height for non-text slides +in slide controller: + Max height for non-text slides +in slide controller: + + + + Disabled + Disabled + + + + When changing slides: + When changing slides: + + + + Do not auto-scroll + Do not auto-scroll + + + + Auto-scroll the previous slide into view + Auto-scroll the previous slide into view + + + + Auto-scroll the previous slide to top + Auto-scroll the previous slide to top + + + + Auto-scroll the previous slide to middle + Auto-scroll the previous slide to middle + + + + Auto-scroll the current slide into view + Auto-scroll the current slide into view + + + + Auto-scroll the current slide to top + Auto-scroll the current slide to top + + + + Auto-scroll the current slide to middle + Auto-scroll the current slide to middle + + + + Auto-scroll the current slide to bottom + Auto-scroll the current slide to bottom + + + + Auto-scroll the next slide into view + Auto-scroll the next slide into view + + + + Auto-scroll the next slide to top + Auto-scroll the next slide to top + + + + Auto-scroll the next slide to middle + Auto-scroll the next slide to middle + + + + Auto-scroll the next slide to bottom + Auto-scroll the next slide to bottom + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatic + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Click to select a colour. @@ -2963,252 +2911,252 @@ This location will be used after OpenLP is closed. OpenLP.DB - + RGB RGB - + Video 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 - + 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 @@ -3216,62 +3164,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred Error Occurred - + Send E-Mail Send E-Mail - + Save to File Save to File - + Attach File Attach File - - - Description characters to enter : %s - Description characters to enter : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - 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. Also attach any files that triggered the problem. - 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. Also attach any files that triggered the problem. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation + OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Save Crash Report - + Text files (*.txt *.log *.text) Text files (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3312,268 +3272,259 @@ This location will be used after OpenLP is closed. 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. - 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. 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 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 + + + Select parts of the program you wish to use + Select parts of the program you wish to use + + + + You can also change these settings after the Wizard. + You can also change these settings after the Wizard. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + Bibles – Import and show Bibles + Bibles – Import and show Bibles + + + + Images – Show images or replace background with them + Images – Show images or replace background with them + + + + Presentations – Show .ppt, .odp and .pdf files + Presentations – Show .ppt, .odp and .pdf files + + + + Media – Playback of Audio and Video files + Media – Playback of Audio and Video files + + + + Remote – Control OpenLP via browser or smartphone app + Remote – Control OpenLP via browser or smartphone app + + + + Song Usage Monitor + Song Usage Monitor + + + + Alerts – Display informative messages while showing other slides + Alerts – Display informative messages while showing other slides + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3616,44 +3567,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error Validation Error - + Description is missing Description is missing - + Tag is missing Tag is missing - Tag %s already defined. - Tag %s already defined. + Tag {tag} already defined. + - Description %s already defined. - Description %s already defined. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3742,170 +3698,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General General - + Monitors Monitors - + Select monitor for output display: Select monitor for output display: - + Display if a single screen Display if a single screen - + Application Startup Application Startup - + Show blank screen warning Show blank screen warning - - Automatically open the last service - Automatically open the last service - - - + Show the splash screen Show the splash screen - + Application Settings Application Settings - + Prompt to save before starting a new service Prompt to save before starting a new service - - Automatically preview next item in service - Automatically preview next item in service - - - + sec sec - + CCLI Details CCLI Details - + SongSelect username: SongSelect username: - + SongSelect password: SongSelect password: - + X X - + Y Y - + Height Height - + Width Width - + Check for updates to OpenLP Check for updates to OpenLP - - Unblank display when adding new live item - Unblank display when adding new live item - - - + Timed slide interval: Timed slide interval: - + Background Audio Background Audio - + Start background audio paused Start background audio paused - + Service Item Slide Limits Service Item Slide Limits - + Override display position: Override display position: - + Repeat track list Repeat track list - + Behavior of next/previous on the last/first slide: Behavior of next/previous on the last/first slide: - + &Remain on Slide &Remain on Slide - + &Wrap around &Wrap around - + &Move to next/previous service item &Move to next/previous service item + + + Logo + Logo + + + + Logo file: + Logo file: + + + + Browse for an image file to display. + Browse for an image file to display. + + + + Revert to the default OpenLP logo. + Revert to the default OpenLP logo. + + + + Don't show logo on startup + Don't show logo on startup + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Language - + Please restart OpenLP to use your new language setting. Please restart OpenLP to use your new language setting. @@ -3913,7 +3899,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -3940,11 +3926,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View &View - - - M&ode - M&ode - &Tools @@ -3965,16 +3946,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help &Help - - - Service Manager - Service Manager - - - - Theme Manager - Theme Manager - Open an existing service. @@ -4000,11 +3971,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit E&xit - - - Quit OpenLP - Quit OpenLP - &Theme @@ -4016,190 +3982,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Configure OpenLP... - - &Media Manager - &Media Manager - - - - Toggle Media Manager - Toggle Media Manager - - - - Toggle the visibility of the media manager. - Toggle the visibility of the media manager. - - - - &Theme Manager - &Theme Manager - - - - Toggle Theme Manager - Toggle Theme Manager - - - - Toggle the visibility of the theme manager. - Toggle the visibility of the theme manager. - - - - &Service Manager - &Service Manager - - - - Toggle Service Manager - Toggle Service Manager - - - - Toggle the visibility of the service manager. - Toggle the visibility of the service manager. - - - - &Preview Panel - &Preview Panel - - - - Toggle Preview Panel - Toggle Preview Panel - - - - Toggle the visibility of the preview panel. - Toggle the visibility of the preview panel. - - - - &Live Panel - &Live Panel - - - - Toggle Live Panel - Toggle Live Panel - - - - Toggle the visibility of the live panel. - Toggle the visibility of the live panel. - - - - List the Plugins - List the Plugins - - - + &User Guide &User Guide - + &About &About - - More information about OpenLP - More information about OpenLP - - - + &Online Help &Online Help - + &Web Site &Web Site - + Use the system language, if available. Use the system language, if available. - - Set the interface language to %s - Set the interface language to %s - - - + Add &Tool... Add &Tool... - + Add an application to the list of tools. Add an application to the list of tools. - - &Default - &Default - - - - Set the view mode back to the default. - Set the view mode back to the default. - - - + &Setup &Setup - - Set the view mode to Setup. - Set the view mode to Setup. - - - + &Live &Live - - Set the view mode to 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/. - 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 OpenLP Main Display Blanked - + The Main Display has been blanked out The Main Display has been blanked out - - Default Theme: %s - Default Theme: %s - - - + English Please add the name of your language here English @@ -4210,27 +4053,27 @@ You can download the latest version from http://openlp.org/. Configure &Shortcuts... - + Open &Data Folder... Open &Data Folder... - + Open the folder where songs, bibles and other data resides. Open the folder where songs, Bibles and other data resides. - + &Autodetect &Autodetect - + Update Theme Images Update Theme Images - + Update the preview images for all themes. Update the preview images for all themes. @@ -4240,32 +4083,22 @@ You can download the latest version from http://openlp.org/. Print the current service. - - L&ock Panels - L&ock Panels - - - - Prevent the panels being moved. - Prevent the panels being moved. - - - + Re-run First Time Wizard Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? 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. @@ -4274,13 +4107,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. @@ -4289,75 +4122,36 @@ Re-running this wizard may make changes to your current OpenLP configuration and Configure &Formatting Tags... Configure &Formatting Tags... - - - Export OpenLP settings to a specified *.config file - Export OpenLP settings to a specified *.config file - Settings Settings - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Import OpenLP settings from a specified *.config file previously exported on this or another machine - - - + Import settings? Import settings? - - Open File - Open File - - - - OpenLP Export Settings Files (*.conf) - OpenLP Export Settings Files (*.conf) - - - + Import settings Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File Export Settings File - - OpenLP Export Settings File (*.conf) - 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 - OpenLP Data directory copy failed - -%s - General @@ -4369,12 +4163,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. 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. @@ -4387,7 +4181,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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. @@ -4396,35 +4190,10 @@ Processing has terminated and no changes have been made. 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 - &Recent Services @@ -4456,131 +4225,344 @@ Processing has terminated and no changes have been made. &Manage Plugins - + Exit OpenLP Exit OpenLP - + Are you sure you want to exit OpenLP? Are you sure you want to exit OpenLP? - + &Exit OpenLP &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + The key "{key}" does not have a default value so it will be skipped in this export. + + + + An error occurred while exporting the settings: {err} + An error occurred while exporting the settings: {err} + + + + Default Theme: {theme} + Default Theme: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + OpenLP Data directory copy failed + +{err} + OpenLP Data directory copy failed + +{err} + + + + &Layout Presets + + + + + Service + Service + + + + Themes + Themes + + + + Projectors + Projectors + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Database: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected No Items Selected - + &Add to selected Service Item &Add to selected Service Item - + You must select one or more items to preview. 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 to send live. - + You must select one or more items. You must select one or more items. - + You must select an existing service item to add to. You must select an existing service item to add to. - + Invalid Service Item Invalid Service Item - - You must select a %s service item. - You must select a %s service item. - - - + You must select one or more items to add. You must select one or more items to add. - + No Search Results No Search Results - + Invalid File Type Invalid File Type - - Invalid File %s. -Suffix not supported - Invalid File %s. -Suffix not supported - - - + &Clone &Clone - + Duplicate files were found on import and were ignored. Duplicate files were found on import and were ignored. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag is missing. - + <verse> tag is missing. <verse> tag is missing. @@ -4588,22 +4570,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status Unknown status - + No message No message - + Error while sending data to projector Error while sending data to projector - + Undefined command: Undefined command: @@ -4611,32 +4593,32 @@ Suffix not supported OpenLP.PlayerTab - + Players Players - + Available Media Players Available Media Players - + Player Search Order Player Search Order - + Visible background for videos with aspect ratio different to screen. Visible background for videos with aspect ratio different to screen. - + %s (unavailable) %s (unavailable) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" NOTE: To use VLC you must install the %s version @@ -4645,55 +4627,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details Plugin Details - + Status: Status: - + Active Active - - Inactive - Inactive - - - - %s (Inactive) - %s (Inactive) - - - - %s (Active) - %s (Active) + + Manage Plugins + Manage Plugins - %s (Disabled) - %s (Disabled) + {name} (Disabled) + - - Manage Plugins - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Fit Page - + Fit Width Fit Width @@ -4701,77 +4678,77 @@ Suffix not supported OpenLP.PrintServiceForm - + Options Options - + Copy Copy - + Copy as HTML Copy as HTML - + Zoom In Zoom In - + Zoom Out Zoom Out - + Zoom Original Zoom Original - + Other Options Other Options - + Include slide text if available Include slide text if available - + Include service item notes Include service item notes - + Include play length of media items Include play length of media items - + Add page break before each text item Add page break before each text item - + Service Sheet Service Sheet - + Print Print - + Title: Title: - + Custom Footer Text: Custom Footer Text: @@ -4779,257 +4756,257 @@ Suffix not supported OpenLP.ProjectorConstants - + 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 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 Initialize 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 @@ -5037,17 +5014,17 @@ Suffix not supported OpenLP.ProjectorEdit - + 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 @@ -5055,52 +5032,52 @@ Suffix not supported OpenLP.ProjectorEditForm - + Add New Projector Add New Projector - + Edit Projector Edit Projector - + IP Address IP Address - + Port Number Port Number - + PIN PIN - + Name Name - + Location Location - + Notes Notes - + Database Error Database Error - + 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 @@ -5108,305 +5085,360 @@ Suffix not supported OpenLP.ProjectorManager - + 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 - + Port Port - + Notes Notes - + 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 - - Delete projector (%s) %s? - Delete projector (%s) %s? - - - + Are you sure you want to delete this projector? Are you sure you want to delete this projector? + + + Add a new projector. + Add a new projector. + + + + Edit selected projector. + Edit selected projector. + + + + Delete selected projector. + Delete selected projector. + + + + Choose input source on selected projector. + Choose input source on selected 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 projector. + Disconnect from selected projector. + + + + Disconnect from selected projectors. + Disconnect from selected projectors. + + + + Power on selected projector. + Power on selected projector. + + + + Power on selected projectors. + Power on selected projectors. + + + + Put selected projector in standby. + Put selected projector in standby. + + + + Put selected projectors in standby. + Put selected projectors in standby. + + + + Blank selected projectors screen + Blank selected projectors screen + + + + Blank selected projectors screen. + Blank selected projectors screen. + + + + Show selected projector screen. + Show selected projector screen. + + + + Show selected projectors screen. + Show selected projectors screen. + + + + is on + is on + + + + is off + is off + + + + Authentication Error + Authentication Error + + + + No Authentication Error + No Authentication Error + OpenLP.ProjectorPJLink - + Fan Fan - + Lamp Lamp - + Temperature Temperature - + Cover Cover - + Filter Filter - + Other Other @@ -5452,17 +5484,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address Duplicate IP Address - + Invalid IP Address Invalid IP Address - + Invalid Port Number Invalid Port Number @@ -5475,27 +5507,27 @@ Suffix not supported Screen - + primary primary OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Length</strong>: %s - - [slide %d] - [slide %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5559,52 +5591,52 @@ Suffix not supported Delete the selected item from the service. - + &Add New Item &Add New Item - + &Add to Selected Item &Add to Selected Item - + &Edit Item &Edit Item - + &Reorder Item &Reorder Item - + &Notes &Notes - + &Change Item Theme &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 @@ -5629,7 +5661,7 @@ Suffix not supported Collapse all the service items. - + Open File Open File @@ -5659,22 +5691,22 @@ Suffix not supported Send the selected item to Live. - + &Start Time &Start Time - + Show &Preview Show &Preview - + Modified Service Modified Service - + The current service has been modified. Would you like to save this service? The current service has been modified. Would you like to save this service? @@ -5694,27 +5726,27 @@ Suffix not supported Playing time: - + Untitled Service 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 @@ -5734,147 +5766,145 @@ 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. - + Service File(s) Missing Service File(s) Missing - + &Rename... &Rename... - + Create New &Custom Slide Create New &Custom Slide - + &Auto play slides &Auto play slides - + Auto play slides &Loop Auto play slides &Loop - + Auto play slides &Once Auto play slides &Once - + &Delay between slides &Delay between slides - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} 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. + + + + + An error occurred while writing the service file: {error} + @@ -5906,15 +5936,10 @@ These files will be removed if you continue to save. Shortcut - + Duplicate Shortcut Duplicate Shortcut - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Alternate @@ -5960,219 +5985,234 @@ These files will be removed if you continue to save. Configure Shortcuts Configure Shortcuts + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Hide - + Go To Go To - + Blank Screen Blank Screen - + Blank to Theme Blank to Theme - + Show Desktop Show Desktop - + Previous Service Previous Service - + Next Service Next Service - + Escape Item Escape Item - + Move to previous. Move to previous. - + Move to next. Move to next. - + Play Slides Play Slides - + Delay between slides in seconds. Delay between slides in seconds. - + Move to live. Move to live. - + Add to Service. Add to Service. - + Edit and reload song preview. Edit and reload song preview. - + Start playing media. Start playing media. - + Pause audio. Pause audio. - + Pause playing media. Pause playing media. - + Stop playing media. Stop playing media. - + Video position. Video position. - + Audio Volume. Audio Volume. - + Go to "Verse" Go to "Verse" - + Go to "Chorus" Go to "Chorus" - + Go to "Bridge" Go to "Bridge" - + Go to "Pre-Chorus" Go to "Pre-Chorus" - + Go to "Intro" Go to "Intro" - + Go to "Ending" Go to "Ending" - + Go to "Other" Go to "Other" - + Previous Slide Previous Slide - + Next Slide Next Slide - + Pause Audio Pause Audio - + Background Audio Background Audio - + Go to next audio track. Go to next audio track. - + Tracks Tracks + + + Loop playing media. + Loop playing media. + + + + Video timer. + Video timer. + 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 - + 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? @@ -6180,17 +6220,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling Suggestions - + Formatting Tags Formatting Tags - + Language: Language: @@ -6269,7 +6309,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (approximately %d lines per slide) @@ -6277,523 +6317,531 @@ These files will be removed if you continue to save. OpenLP.ThemeManager - + Create a new theme. Create a new theme. - + Edit Theme Edit Theme - + Edit a theme. Edit a theme. - + Delete Theme Delete Theme - + Delete a theme. Delete a theme. - + Import Theme Import Theme - + Import a theme. Import a theme. - + Export Theme Export Theme - + Export a theme. Export a theme. - + &Edit Theme &Edit Theme - + &Delete Theme &Delete Theme - + Set As &Global Default Set As &Global Default - - %s (default) - %s (default) - - - + You must select a theme to edit. You must select a theme to edit. - + You are unable to delete the default theme. You are unable to delete the default theme. - + 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 - + Select Theme Import File Select Theme Import File - + File is not a valid theme. File is not a valid theme. - + &Copy Theme &Copy Theme - + &Rename Theme &Rename Theme - + &Export Theme &Export Theme - + You must select a theme to rename. You must select a theme to rename. - + Rename Confirmation Rename Confirmation - + Rename %s theme? Rename %s theme? - + You must select a theme to delete. You must select a theme to delete. - + Delete Confirmation Delete Confirmation - + Delete %s theme? Delete %s theme? - + Validation Error Validation Error - + A theme with this name already exists. A theme with this name already exists. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s time(s) by %s - - - + Unable to delete theme Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Theme is currently used - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Theme Wizard - + Welcome to the Theme Wizard Welcome to the Theme Wizard - + Set Up Background Set Up Background - + Set up your theme's background according to the parameters below. Set up your theme's background according to the parameters below. - + Background type: Background type: - + Gradient Gradient - + Gradient: Gradient: - + Horizontal Horizontal - + Vertical Vertical - + Circular Circular - + Top Left - Bottom Right Top Left - Bottom Right - + Bottom Left - Top Right Bottom Left - Top Right - + Main Area Font Details Main Area Font Details - + Define the font and display characteristics for the Display text Define the font and display characteristics for the Display text - + Font: Font: - + Size: Size: - + Line Spacing: Line Spacing: - + &Outline: &Outline: - + &Shadow: &Shadow: - + Bold Bold - + Italic Italic - + Footer Area Font Details Footer Area Font Details - + Define the font and display characteristics for the Footer text Define the font and display characteristics for the Footer text - + Text Formatting Details Text Formatting Details - + Allows additional display formatting information to be defined Allows additional display formatting information to be defined - + Horizontal Align: Horizontal Align: - + Left Left - + Right Right - + Center Centre - + Output Area Locations Output Area Locations - + &Main Area &Main Area - + &Use default location &Use default location - + X position: X position: - + px px - + Y position: Y position: - + Width: Width: - + Height: Height: - + Use default location Use default location - + Theme name: Theme name: - - Edit Theme - %s - 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. 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: Transitions: - + &Footer Area &Footer Area - + Starting color: Starting color: - + Ending color: Ending color: - + Background color: Background color: - + Justify Justify - + Layout Preview Layout Preview - + Transparent Transparent - + Preview and Save Preview and Save - + Preview the theme and save it. Preview the theme and save it. - + Background Image Empty Background Image Empty - + Select Image Select Image - + Theme Name Missing Theme Name Missing - + There is no name for this theme. Please enter one. There is no name for this theme. Please enter one. - + Theme Name Invalid Theme Name Invalid - + Invalid theme name. Please enter one. Invalid theme name. Please enter one. - + Solid color Solid color - + color: color: - + Allows you to change and move the Main and Footer areas. Allows you to change and move the Main and Footer areas. - + You have not selected a background image. Please select one before continuing. You have not selected a background image. Please select one before continuing. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6876,73 +6924,73 @@ These files will be removed if you continue to save. &Vertical Align: - + Finished import. Finished import. - + Format: Format: - + Importing Importing - + Importing "%s"... Importing "%s"... - + Select Import Source 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 Open %s File - + %p% %p% - + Ready. Ready. - + Starting import... Starting import... - + 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 @@ -6992,39 +7040,34 @@ These files will be removed if you continue to save. XML syntax error - - Welcome to the Bible Upgrade Wizard - Welcome to the Bible Upgrade Wizard - - - + Open %s Folder 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 file to import from. - + You need to specify one %s folder to import from. A song format e.g. PowerSong You need to specify one %s folder to import from. - + Importing Songs Importing Songs - + Welcome to the Duplicate Song Removal Wizard Welcome to the Duplicate Song Removal Wizard - + Written by Written by @@ -7034,502 +7077,490 @@ These files will be removed if you continue to save. Author Unknown - + About About - + &Add &Add - + Add group Add group - + Advanced Advanced - + All Files All Files - + Automatic Automatic - + Background Color Background Color - + Bottom Bottom - + Browse... Browse... - + Cancel Cancel - + CCLI number: CCLI number: - + Create a new service. Create a new service. - + Confirm Delete Confirm Delete - + Continuous Continuous - + Default Default - + Default Color: 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. Service %Y-%m-%d %H-%M - + &Delete &Delete - + Display style: Display style: - + Duplicate Error Duplicate Error - + &Edit &Edit - + Empty Field Empty Field - + Error Error - + Export Export - + File File - + File Not Found File Not Found - - File %s not found. -Please try selecting it individually. - File %s not found. -Please try selecting it individually. - - - + pt Abbreviated font pointsize unit pt - + Help Help - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Invalid Folder Selected - + Invalid File Selected Singular Invalid File Selected - + Invalid Files Selected Plural Invalid Files Selected - + Image Image - + Import Import - + Layout style: Layout style: - + Live Live - + Live Background Error Live Background Error - + Live Toolbar Live Toolbar - + Load Load - + Manufacturer Singular Manufacturer - + Manufacturers Plural Manufacturers - + Model Singular Model - + Models Plural Models - + m The abbreviated unit for minutes m - + Middle Middle - + New New - + New Service New Service - + New Theme New Theme - + Next Track Next Track - + No Folder Selected Singular No Folder Selected - + No File Selected Singular No File Selected - + No Files Selected Plural No Files Selected - + No Item Selected Singular No Item Selected - + No Items Selected Plural No Items Selected - + OpenLP is already running. Do you wish to continue? OpenLP is already running. Do you wish to continue? - + Open service. Open service. - + Play Slides in Loop Play Slides in Loop - + Play Slides to End Play Slides to End - + Preview 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 - + CCLI song number: CCLI song number: - + Preview Toolbar Preview Toolbar - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Replace live background is not available when the WebKit player is disabled. @@ -7545,29 +7576,100 @@ Please try selecting it individually. Plural Songbooks + + + Background color: + Background color: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + No Bibles Available + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Verse + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s and %s - + %s, and %s Locale list separator: end %s, and %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7650,47 +7752,47 @@ Please try selecting it individually. Present using: - + File Exists File Exists - + A presentation with that filename already exists. A presentation with that filename already exists. - + This type of presentation is not supported. This type of presentation is not supported. - - Presentations (%s) - Presentations (%s) - - - + Missing Presentation Missing Presentation - - The presentation %s is incomplete, please reload. - The presentation %s is incomplete, please reload. + + Presentations ({text}) + - - The presentation %s no longer exists. - The presentation %s no longer exists. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7700,11 +7802,6 @@ Please try selecting it individually. Available Controllers Available Controllers - - - %s (unavailable) - %s (unavailable) - Allow presentation application to be overridden @@ -7721,12 +7818,12 @@ Please try selecting it individually. 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. @@ -7737,13 +7834,19 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7785,127 +7888,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 - + Remote Remote - + Stage View Stage View - + Live View Live View @@ -7913,79 +8016,89 @@ Please try selecting it individually. 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 Display stage time in 12h format - + Android App Android App - + Live view URL: Live view 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. 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 Authentication - + User id: User id: - + Password: Password: - + Show thumbnails of non-text slides in remote and stage view. Show thumbnails of non-text slides in remote and stage view. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + iOS App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8026,50 +8139,50 @@ Please try selecting it individually. 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 @@ -8137,24 +8250,10 @@ 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 Creation - - - Report -%s -has been successfully created. - Report -%s -has been successfully created. - Output Path Not Selected @@ -8168,45 +8267,57 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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... @@ -8302,80 +8413,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. @@ -8464,62 +8575,67 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administered by %s - - - - "%s" could not be imported. %s - "%s" could not be imported. %s - - - + Unexpected data formatting. Unexpected data formatting. - + No song text found. No song text found. - + [above are Song Tags with notes imported from EasyWorship] [above are Song Tags with notes imported from EasyWorship] - + 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Custom Book Names @@ -8602,57 +8718,57 @@ The encoding is responsible for the correct character representation.Theme, Copyright Info && Comments - + Add Author Add Author - + This author does not exist, do you want to add them? This author does not exist, do you want to add them? - + This author is already in the list. 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. 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 Add Topic - + This topic does not exist, do you want to add it? This topic does not exist, do you want to add it? - + This topic is already in the list. 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 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 a song title. - + You need to type in at least one verse. You need to type in at least one verse. - + You need to have an author for this song. You need to have an author for this song. @@ -8677,7 +8793,7 @@ The encoding is responsible for the correct character representation.Remove &All - + Open File(s) Open File(s) @@ -8692,14 +8808,7 @@ The encoding is responsible for the correct character representation.<strong>Warning:</strong> You have not entered a verse order. - - There is no verse 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 Invalid Verse Order @@ -8709,22 +8818,15 @@ Please enter the verses separated by spaces. &Edit Author Type - + Edit Author Type Edit Author Type - + Choose type for this author Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - &Manage Authors, Topics, Songbooks @@ -8746,45 +8848,71 @@ Please enter the verses separated by spaces. Authors, Topics && Songbooks - + Add Songbook Add Songbook - + This Songbook does not exist, do you want to add it? This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Edit Verse - + &Verse type: &Verse type: - + &Insert &Insert - + Split a slide into two by inserting a verse splitter. Split a slide into two by inserting a verse splitter. @@ -8797,77 +8925,77 @@ Please enter the verses separated by spaces. Song Export Wizard - + Select Songs Select Songs - + Check the songs you want to export. Check the songs you want to export. - + Uncheck All Uncheck All - + Check All Check All - + Select Directory Select Directory - + Directory: Directory: - + Exporting Exporting - + Please wait while your songs are exported. Please wait while your songs are exported. - + You need to add at least one Song to export. You need to add at least one Song to export. - + No Save Location specified No Save Location specified - + Starting export... Starting export... - + You need to specify a directory. You need to specify a directory. - + Select Destination Folder Select Destination Folder - + Select the directory where you want the songs to be saved. 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. This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. @@ -8875,7 +9003,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Invalid Foilpresenter song file. No verses found. @@ -8883,7 +9011,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Enable search as you type @@ -8891,7 +9019,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Select Document/Presentation Files @@ -8901,237 +9029,252 @@ Please enter the verses separated by spaces. 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 Generic Document/Presentation - + Add Files... Add Files... - + Remove File(s) Remove File(s) - + Please wait while your songs are imported. Please wait while your songs are imported. - + Words Of Worship Song Files Words Of Worship Song Files - + Songs Of Fellowship Song Files Songs Of Fellowship Song Files - + SongBeamer Files SongBeamer Files - + SongShow Plus Song Files SongShow Plus Song Files - + Foilpresenter Song Files Foilpresenter Song Files - + Copy Copy - + Save to File 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 Files OpenLyrics Files - + CCLI SongSelect Files CCLI SongSelect Files - + EasySlides XML File EasySlides XML File - + EasyWorship Song Database EasyWorship Song Database - + DreamBeam Song Files DreamBeam Song Files - + You need to specify a valid PowerSong 1.0 database folder. You need to specify a valid PowerSong 1.0 database folder. - + 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>. 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 SundayPlus Song Files - + This importer has been disabled. 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. 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 EasyWorship Service File - + WorshipCenter Pro Song Files 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. 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 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. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases OpenLP 2 Databases - + LyriX Files LyriX Files - + LyriX (Exported TXT-files) LyriX (Exported TXT-files) - + VideoPsalm Files VideoPsalm Files - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + OPS Pro database + + + + The OPS 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. + The OPS 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. + + + + ProPresenter Song Files + ProPresenter Song Files + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Error: %s + File {name} + + + + + Error: {error} + @@ -9150,79 +9293,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Titles - + Lyrics Lyrics - + CCLI License: CCLI Licence: - + Entire Song Entire Song - + Maintain the lists of authors, topics and books. Maintain the lists of authors, topics and books. - + copy For song cloning copy - + Search Titles... Search Titles... - + Search Entire Song... Search Entire Song... - + Search Lyrics... Search Lyrics... - + Search Authors... Search Authors... - - Are you sure you want to delete the "%d" selected song(s)? - Are you sure you want to delete the %d selected song(s)? - - - + Search Songbooks... Search Songbooks... + + + Search Topics... + Search Topics... + + + + Copyright + Copyright + + + + Search Copyright... + Search Copyright... + + + + CCLI number + CCLI number + + + + Search CCLI number... + Search CCLI number... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Unable to open the MediaShout database. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Unable to connect the OPS Pro database. + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Not a valid OpenLP 2 song database. @@ -9230,9 +9411,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exporting "%s"... + + Exporting "{title}"... + @@ -9251,29 +9432,37 @@ Please enter the verses separated by spaces. No songs to import. - + Verses not found. Missing "PART" header. Verses not found. Missing "PART" header. - No %s files found. - No %s files found. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Invalid %s file. Unexpected byte value. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Invalid %s file. Missing "TITLE" header. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Invalid %s file. Missing "COPYRIGHTLINE" header. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9302,19 +9491,19 @@ 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 + + Your song export failed because this error occurred: {error} + @@ -9330,17 +9519,17 @@ Please enter the verses separated by spaces. The following songs could not be imported: - + Cannot access OpenOffice or LibreOffice Cannot access OpenOffice or LibreOffice - + Unable to open file Unable to open file - + File not found File not found @@ -9348,109 +9537,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Could not add your author. - + This author already exists. This author already exists. - + Could not add your topic. Could not add your topic. - + This topic already exists. This topic already exists. - + Could not add your book. Could not add your book. - + This book already exists. This book already exists. - + Could not save your changes. Could not save your changes. - + Could not save your modified author, because the author already exists. Could not save your modified author, because the author already exists. - + Could not save your modified topic, because it already exists. Could not save your modified topic, because it already exists. - + Delete Author Delete Author - + Are you sure you want to delete the selected 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. This author cannot be deleted, they are currently assigned to at least one song. - + Delete Topic Delete Topic - + Are you sure you want to delete the selected 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. This topic cannot be deleted, it is currently assigned to at least one song. - + Delete Book Delete Book - + Are you sure you want to delete the selected 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. 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 author %s already exists. Would you like to make songs with author %s use the existing author %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9496,52 +9685,47 @@ Please enter the verses separated by spaces. Search - - Found %s song(s) - Found %s song(s) - - - + Logout Logout - + View View - + Title: Title: - + Author(s): Author(s): - + Copyright: Copyright: - + CCLI Number: CCLI Number: - + Lyrics: Lyrics: - + Back Back - + Import Import @@ -9581,7 +9765,7 @@ Please enter the verses separated by spaces. There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported Song Imported @@ -9596,7 +9780,7 @@ Please enter the verses separated by spaces. 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? Your song has been imported, would you like to import more songs? @@ -9605,6 +9789,11 @@ Please enter the verses separated by spaces. Stop Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9613,30 +9802,30 @@ Please enter the verses separated by spaces. Songs Mode Songs Mode - - - Display verses on live tool bar - Display verses on live tool bar - Update service from song edit Update service from song edit - - - Import missing songs from service files - Import missing songs from service files - Display songbook in footer Display songbook in footer + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info + @@ -9660,37 +9849,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Verse - + Chorus Chorus - + Bridge Bridge - + Pre-Chorus Pre-Chorus - + Intro Intro - + Ending Ending - + Other Other @@ -9698,22 +9887,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - Error: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9724,30 +9913,30 @@ Please enter the verses separated by spaces. Error reading CSV file. - - Line %d: %s - Line %d: %s - - - - Decoding error: %s - Decoding error: %s - - - + File not valid WorshipAssistant CSV format. File not valid WorshipAssistant CSV format. - - Record %d - Record %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Unable to connect the WorshipCenter Pro database. @@ -9760,25 +9949,30 @@ Please enter the verses separated by spaces. Error reading CSV file. - + File not valid ZionWorx CSV format. File not valid ZionWorx CSV format. - - Line %d: %s - Line %d: %s - - - - Decoding error: %s - Decoding error: %s - - - + Record %d Record %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9788,39 +9982,960 @@ 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. 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. Searching for duplicate songs. - + Please wait while your songs database is analyzed. Please wait while your songs database is analyzed. - + Here you can decide which songs to remove and which ones to keep. Here you can decide which songs to remove and which ones to keep. - - Review duplicate songs (%s/%s) - Review duplicate songs (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. No duplicate songs have been found in the database. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + English + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/en_ZA.ts b/resources/i18n/en_ZA.ts index 1ab18207f..5af8f5b60 100644 --- a/resources/i18n/en_ZA.ts +++ b/resources/i18n/en_ZA.ts @@ -120,32 +120,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font Font - + Font name: Font name: - + Font color: Font color: - - Background color: - Background color: - - - + Font size: Font size: - + Alert timeout: Alert timeout: @@ -153,88 +148,78 @@ 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. - Genesis @@ -739,161 +724,107 @@ Please type in some text before clicking New. 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 Duplicate Book Name - - The Book Name "%s" has been entered more than once. - The Book Name "%s" has been entered more than once. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - - Web Bible cannot be used - Web Bible cannot be used + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -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 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Verse Display - + Only show new chapter numbers Only show new chapter numbers - + Bible theme: Bible theme: - + No Brackets No Brackets - + ( And ) ( And ) - + { And } { And } - + [ And ] [ And ] - - Note: -Changes do not affect verses already in the service. - Note: -Changes do not affect verses already in the service. - - - + Display second Bible verses Display second Bible verses - + Custom Scripture References Custom Scripture References - - Verse Separator: - Verse Separator: - - - - Range Separator: - Range Separator: - - - - List Separator: - List Separator: - - - - End Mark: - 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. @@ -902,37 +833,83 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English - English + English (ZA) - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Bible Language Bible Language - + Application Language Application Language - + Show verse numbers Show verse numbers + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,72 +965,78 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - Importing books... %s - - - + Importing verses... done. Importing verses... done. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + BiblesPlugin.EditBibleForm - + Bible Editor Bible Editor - + License Details License Details - + Version name: Version name: - + Copyright: Copyright: - + Permissions: Permissions: - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Global Settings Global Settings - + Bible Language Bible Language - + Application Language Application Language - + English - English + English (ZA) @@ -1071,224 +1054,259 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1319,114 +1337,130 @@ It is not possible to customise the Book Names. BiblesPlugin.MediaItem - - Quick - Quick - - - + Find: Find: - + Book: Book: - + Chapter: Chapter: - + Verse: Verse: - + From: From: - + To: To: - + Text Search Text Search - + 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. Bible not fully loaded. - + Information 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. - 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 Scripture Reference... - + Search Text... 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. + + Search + Search - - Advanced - Advanced + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. 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. Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. @@ -1434,178 +1468,51 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importing %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + 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... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Select a Backup Directory + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - 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. - 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 - Select Backup Directory - - - - Please select a backup directory for your Bibles - 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>. - 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 Directory: - - - - There is no need to backup my Bibles - There is no need to backup my Bibles - - - - Select Bibles - Select Bibles - - - - Please select the Bibles to upgrade - Please select the Bibles to upgrade - - - - Upgrading - Upgrading - - - - Please wait while your Bibles are upgraded. - 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. - 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" -Failed - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Upgrading Bible %s of %s: "%s" -Upgrading ... - - - - Download Error - Download Error - - - - To upgrade your Web Bibles an Internet connection is required. - To upgrade your Web Bibles an Internet connection is required. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Upgrading Bible %s of %s: "%s" -Complete - - - - , %s failed - , %s failed - - - - Upgrading Bible(s): %s successful%s - Upgrading Bible(s): %s successful%s - - - - Upgrade failed. - Upgrade failed. - - - - You need to specify a backup directory for your Bibles. - You need to specify a backup directory for your Bibles. - - - - Starting upgrade... - Starting upgrade... - - - - There are no Bibles that need to be upgraded. - There are no Bibles that need to be upgraded. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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. @@ -1613,9 +1520,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importing %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1730,7 +1637,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. - + Split a slide into two by inserting a slide splitter. Split a slide into two by inserting a slide splitter. @@ -1745,7 +1652,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Credits: - + You need to type in a title. You need to type in a title. @@ -1755,12 +1662,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Ed&it All - + Insert Slide Insert Slide - + You need to add at least one slide. You need to add at least one slide. @@ -1768,7 +1675,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Edit Slide @@ -1776,9 +1683,9 @@ 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 "%d" selected custom slide(s)? - Are you sure you want to delete the "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1806,11 +1713,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Images - - - Load a new image. - Load a new image. - Add a new image. @@ -1841,6 +1743,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Add the selected image to the service. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1865,12 +1777,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. @@ -1906,7 +1818,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Select Attachment @@ -1914,39 +1826,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1956,25 +1851,41 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Visible background for images with aspect ratio different to screen. @@ -1982,27 +1893,27 @@ Do you want to add the other images anyway? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. This media player uses your operating system to provide media capabilities. @@ -2010,60 +1921,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. @@ -2179,47 +2090,47 @@ Do you want to add the other images anyway? 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 ":" @@ -2227,90 +2138,100 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File 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 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2321,41 +2242,19 @@ Do you want to add the other images anyway? - Start Live items automatically - Start Live items automatically - - - - OPenLP.MainWindow - - - &Projector Manager - &Projector Manager + Start new Live media automatically + OpenLP - + Image Files Image Files - - Information - Information - - - - 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 Backup @@ -2370,15 +2269,20 @@ Should OpenLP upgrade now? 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 + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2388,15 +2292,10 @@ Should OpenLP upgrade now? Credits - + License License - - - 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. @@ -2425,7 +2324,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. - + Volunteer Volunteer @@ -2617,333 +2516,237 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr He has set us free. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} + OpenLP.AdvancedTab - + UI Settings UI Settings - - - Number of recent files to display: - Number of recent files to display: - - Remember active media manager tab on startup - Remember active media manager tab on startup - - - - Double-click to send items straight to live - Double-click to send items straight to live - - - Expand new service items on creation Expand new service items on creation - + Enable application exit confirmation Enable application exit confirmation - + Mouse Cursor Mouse Cursor - + Hide mouse cursor when over display window Hide mouse cursor when over display window - - Default Image - Default Image - - - - Background color: - Background color: - - - - Image file: - Image file: - - - + Open File Open File - + Advanced Advanced - - - Preview items when clicked in Media Manager - Preview items when clicked in Media Manager - - Browse for an image file to display. - Browse for an image file to display. - - - - Revert to the default OpenLP logo. - Revert to the default OpenLP logo. - - - Default Service Name Default Service Name - + Enable default service name Enable default service name - + Date and Time: Date and Time: - + Monday Monday - + Tuesday Tuesday - + Wednesday Wednesday - + Friday Friday - + Saturday Saturday - + Sunday Sunday - + Now Now - + Time when usual service starts. Time when usual service starts. - + Name: Name: - + Consult the OpenLP manual for usage. Consult the OpenLP manual for usage. - - Revert to the default service name "%s". - Revert to the default service name "%s". - - - + Example: Example: - + Bypass X11 Window Manager Bypass X11 Window Manager - + Syntax error. Syntax error. - + Data Location Data Location - + Current path: Current path: - + Custom path: Custom path: - + Browse for new data file location. Browse for new data file location. - + Set the data location to the default. Set the data location to the default. - + Cancel Cancel - + Cancel OpenLP data directory location change. Cancel OpenLP data directory location change. - + Copy data to new location. Copy data to new location. - + Copy the OpenLP data files to the 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 Data Directory Error - + Select Data Directory Location Select Data Directory Location - + Confirm Data Directory Change Confirm Data Directory Change - + Reset Data Directory Reset Data Directory - + Overwrite Existing Data 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 Thursday - + Display Workarounds Display Workarounds - + Use alternating row colours in lists Use alternating row colours in lists - - 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? - 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 Restart Required - + This change will only take effect once OpenLP has been restarted. This change will only take effect once OpenLP has been restarted. - + 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. @@ -2951,11 +2754,155 @@ This location will be used after OpenLP is closed. This location will be used after OpenLP is closed. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatic + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Click to select a colour. @@ -2963,252 +2910,252 @@ This location will be used after OpenLP is closed. OpenLP.DB - + RGB RGB - + Video 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 - + 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 @@ -3216,62 +3163,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred Error Occurred - + Send E-Mail Send E-Mail - + Save to File Save to File - + Attach File Attach File - - - Description characters to enter : %s - Description characters to enter : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - 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. Also attach any files that triggered the problem. - 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. Also attach any files that triggered the problem. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation + OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Save Crash Report - + Text files (*.txt *.log *.text) Text files (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3312,268 +3271,259 @@ This location will be used after OpenLP is closed. 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. - 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. 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 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 + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3616,44 +3566,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error Validation Error - + Description is missing Description is missing - + Tag is missing Tag is missing - Tag %s already defined. - Tag %s already defined. + Tag {tag} already defined. + - Description %s already defined. - Description %s already defined. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3742,170 +3697,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General General - + Monitors Monitors - + Select monitor for output display: Select monitor for output display: - + Display if a single screen Display if a single screen - + Application Startup Application Startup - + Show blank screen warning Show blank screen warning - - Automatically open the last service - Automatically open the last service - - - + Show the splash screen Show the splash screen - + Application Settings Application Settings - + Prompt to save before starting a new service Prompt to save before starting a new service - - Automatically preview next item in service - Automatically preview next item in service - - - + sec sec - + CCLI Details CCLI Details - + SongSelect username: SongSelect username: - + SongSelect password: SongSelect password: - + X X - + Y Y - + Height Height - + Width Width - + Check for updates to OpenLP Check for updates to OpenLP - - Unblank display when adding new live item - Unblank display when adding new live item - - - + Timed slide interval: Timed slide interval: - + Background Audio Background Audio - + Start background audio paused Start background audio paused - + Service Item Slide Limits Service Item Slide Limits - + Override display position: Override display position: - + Repeat track list Repeat track list - + Behavior of next/previous on the last/first slide: Behaviour of next/previous on the last/first slide: - + &Remain on Slide &Remain on Slide - + &Wrap around &Wrap around - + &Move to next/previous service item &Move to next/previous service item + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Browse for an image file to display. + + + + Revert to the default OpenLP logo. + Revert to the default OpenLP logo. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Language - + Please restart OpenLP to use your new language setting. Please restart OpenLP to use your new language setting. @@ -3913,7 +3898,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -3940,11 +3925,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View &View - - - M&ode - M&ode - &Tools @@ -3965,16 +3945,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help &Help - - - Service Manager - Service Manager - - - - Theme Manager - Theme Manager - Open an existing service. @@ -4000,11 +3970,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit E&xit - - - Quit OpenLP - Quit OpenLP - &Theme @@ -4016,191 +3981,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Configure OpenLP... - - &Media Manager - &Media Manager - - - - Toggle Media Manager - Toggle Media Manager - - - - Toggle the visibility of the media manager. - Toggle the visibility of the media manager. - - - - &Theme Manager - &Theme Manager - - - - Toggle Theme Manager - Toggle Theme Manager - - - - Toggle the visibility of the theme manager. - Toggle the visibility of the theme manager. - - - - &Service Manager - &Service Manager - - - - Toggle Service Manager - Toggle Service Manager - - - - Toggle the visibility of the service manager. - Toggle the visibility of the service manager. - - - - &Preview Panel - &Preview Panel - - - - Toggle Preview Panel - Toggle Preview Panel - - - - Toggle the visibility of the preview panel. - Toggle the visibility of the preview panel. - - - - &Live Panel - &Live Panel - - - - Toggle Live Panel - Toggle Live Panel - - - - Toggle the visibility of the live panel. - Toggle the visibility of the live panel. - - - - List the Plugins - List the Plugins - - - + &User Guide &User Guide - + &About &About - - More information about OpenLP - More information about OpenLP - - - + &Online Help &Online Help - + &Web Site &Web Site - + Use the system language, if available. Use the system language, if available. - - Set the interface language to %s - Set the interface language to %s - - - + Add &Tool... Add &Tool... - + Add an application to the list of tools. Add an application to the list of tools. - - &Default - &Default - - - - Set the view mode back to the default. - Set the view mode back to the default. - - - + &Setup &Setup - - Set the view mode to Setup. - Set the view mode to Setup. - - - + &Live &Live - - Set the view mode to 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/. - 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 OpenLP Main Display Blanked - + The Main Display has been blanked out The Main Display has been blanked out - - Default Theme: %s - Default Theme: %s - - - + English Please add the name of your language here English (ZA) @@ -4211,27 +4052,27 @@ You can download the latest version from http://openlp.org/. Configure &Shortcuts... - + Open &Data Folder... Open &Data Folder... - + Open the folder where songs, bibles and other data resides. Open the folder where songs, Bibles and other data resides. - + &Autodetect &Autodetect - + Update Theme Images Update Theme Images - + Update the preview images for all themes. Update the preview images for all themes. @@ -4241,32 +4082,22 @@ You can download the latest version from http://openlp.org/. Print the current service. - - L&ock Panels - L&ock Panels - - - - Prevent the panels being moved. - Prevent the panels being moved. - - - + Re-run First Time Wizard Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? 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. @@ -4275,13 +4106,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. @@ -4290,75 +4121,36 @@ Re-running this wizard may make changes to your current OpenLP configuration and Configure &Formatting Tags... Configure &Formatting Tags... - - - Export OpenLP settings to a specified *.config file - Export OpenLP settings to a specified *.config file - Settings Settings - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Import OpenLP settings from a specified *.config file previously exported on this or another machine - - - + Import settings? Import settings? - - Open File - Open File - - - - OpenLP Export Settings Files (*.conf) - OpenLP Export Settings Files (*.conf) - - - + Import settings Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File Export Settings File - - OpenLP Export Settings File (*.conf) - 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 - OpenLP Data directory copy failed - -%s - General @@ -4370,12 +4162,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. 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. @@ -4388,7 +4180,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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. @@ -4397,35 +4189,10 @@ Processing has terminated and no changes have been made. 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 - &Recent Services @@ -4457,131 +4224,340 @@ Processing has terminated and no changes have been made. &Manage Plugins - + Exit OpenLP Exit OpenLP - + Are you sure you want to exit OpenLP? Are you sure you want to exit OpenLP? - + &Exit OpenLP &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Service + + + + Themes + Themes + + + + Projectors + Projectors + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Database: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected No Items Selected - + &Add to selected Service Item &Add to selected Service Item - + You must select one or more items to preview. 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 to send live. - + You must select one or more items. You must select one or more items. - + You must select an existing service item to add to. You must select an existing service item to add to. - + Invalid Service Item Invalid Service Item - - You must select a %s service item. - You must select a %s service item. - - - + You must select one or more items to add. You must select one or more items to add. - + No Search Results No Search Results - + Invalid File Type Invalid File Type - - Invalid File %s. -Suffix not supported - Invalid File %s. -Suffix not supported - - - + &Clone &Clone - + Duplicate files were found on import and were ignored. Duplicate files were found on import and were ignored. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag is missing. - + <verse> tag is missing. <verse> tag is missing. @@ -4589,22 +4565,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status Unknown status - + No message No message - + Error while sending data to projector Error while sending data to projector - + Undefined command: Undefined command: @@ -4612,32 +4588,32 @@ Suffix not supported OpenLP.PlayerTab - + Players Players - + Available Media Players Available Media Players - + Player Search Order Player Search Order - + Visible background for videos with aspect ratio different to screen. Visible background for videos with aspect ratio different to screen. - + %s (unavailable) %s (unavailable) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" NOTE: To use VLC you must install the %s version @@ -4646,55 +4622,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details Plugin Details - + Status: Status: - + Active Active - - Inactive - Inactive - - - - %s (Inactive) - %s (Inactive) - - - - %s (Active) - %s (Active) + + Manage Plugins + Manage Plugins - %s (Disabled) - %s (Disabled) + {name} (Disabled) + - - Manage Plugins - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Fit Page - + Fit Width Fit Width @@ -4702,77 +4673,77 @@ Suffix not supported OpenLP.PrintServiceForm - + Options Options - + Copy Copy - + Copy as HTML Copy as HTML - + Zoom In Zoom In - + Zoom Out Zoom Out - + Zoom Original Zoom Original - + Other Options Other Options - + Include slide text if available Include slide text if available - + Include service item notes Include service item notes - + Include play length of media items Include play length of media items - + Add page break before each text item Add page break before each text item - + Service Sheet Service Sheet - + Print Print - + Title: Title: - + Custom Footer Text: Custom Footer Text: @@ -4780,257 +4751,257 @@ Suffix not supported OpenLP.ProjectorConstants - + 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 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 @@ -5038,17 +5009,17 @@ Suffix not supported OpenLP.ProjectorEdit - + 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 @@ -5056,52 +5027,52 @@ Suffix not supported OpenLP.ProjectorEditForm - + Add New Projector Add New Projector - + Edit Projector Edit Projector - + IP Address IP Address - + Port Number Port Number - + PIN PIN - + Name Name - + Location Location - + Notes Notes - + Database Error Database Error - + 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 @@ -5109,305 +5080,360 @@ Suffix not supported OpenLP.ProjectorManager - + 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 - + Port Port - + Notes Notes - + 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 - - Delete projector (%s) %s? - Delete projector (%s) %s? - - - + Are you sure you want to delete this projector? Are you sure you want to delete this projector? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Authentication Error + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Fan - + Lamp Lamp - + Temperature Temperature - + Cover Cover - + Filter Filter - + Other Other @@ -5453,17 +5479,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address Duplicate IP Address - + Invalid IP Address Invalid IP Address - + Invalid Port Number Invalid Port Number @@ -5476,27 +5502,27 @@ Suffix not supported Screen - + primary primary OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Length</strong>: %s - - [slide %d] - [slide %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5560,52 +5586,52 @@ Suffix not supported Delete the selected item from the service. - + &Add New Item &Add New Item - + &Add to Selected Item &Add to Selected Item - + &Edit Item &Edit Item - + &Reorder Item &Reorder Item - + &Notes &Notes - + &Change Item Theme &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 @@ -5630,7 +5656,7 @@ Suffix not supported Collapse all the service items. - + Open File Open File @@ -5660,22 +5686,22 @@ Suffix not supported Send the selected item to Live. - + &Start Time &Start Time - + Show &Preview Show &Preview - + Modified Service Modified Service - + The current service has been modified. Would you like to save this service? The current service has been modified. Would you like to save this service? @@ -5695,27 +5721,27 @@ Suffix not supported Playing time: - + Untitled Service 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 @@ -5735,147 +5761,145 @@ 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. - + Service File(s) Missing Service File(s) Missing - + &Rename... &Rename... - + Create New &Custom Slide Create New &Custom Slide - + &Auto play slides &Auto play slides - + Auto play slides &Loop Auto play slides &Loop - + Auto play slides &Once Auto play slides &Once - + &Delay between slides &Delay between slides - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} 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. + + + + + An error occurred while writing the service file: {error} + @@ -5907,15 +5931,10 @@ These files will be removed if you continue to save. Shortcut - + Duplicate Shortcut Duplicate Shortcut - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Alternate @@ -5961,219 +5980,234 @@ These files will be removed if you continue to save. Configure Shortcuts Configure Shortcuts + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Hide - + Go To Go To - + Blank Screen Blank Screen - + Blank to Theme Blank to Theme - + Show Desktop Show Desktop - + Previous Service Previous Service - + Next Service Next Service - + Escape Item Escape Item - + Move to previous. Move to previous. - + Move to next. Move to next. - + Play Slides Play Slides - + Delay between slides in seconds. Delay between slides in seconds. - + Move to live. Move to live. - + Add to Service. Add to Service. - + Edit and reload song preview. Edit and reload song preview. - + Start playing media. Start playing media. - + Pause audio. Pause audio. - + Pause playing media. Pause playing media. - + Stop playing media. Stop playing media. - + Video position. Video position. - + Audio Volume. Audio Volume. - + Go to "Verse" Go to "Verse" - + Go to "Chorus" Go to "Chorus" - + Go to "Bridge" Go to "Bridge" - + Go to "Pre-Chorus" Go to "Pre-Chorus" - + Go to "Intro" Go to "Intro" - + Go to "Ending" Go to "Ending" - + Go to "Other" Go to "Other" - + Previous Slide Previous Slide - + Next Slide Next Slide - + Pause Audio Pause Audio - + Background Audio Background Audio - + Go to next audio track. Go to next audio track. - + Tracks Tracks + + + Loop playing media. + + + + + Video timer. + + 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 - + 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? @@ -6181,17 +6215,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling Suggestions - + Formatting Tags Formatting Tags - + Language: Language: @@ -6270,7 +6304,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (approximately %d lines per slide) @@ -6278,523 +6312,531 @@ These files will be removed if you continue to save. OpenLP.ThemeManager - + Create a new theme. Create a new theme. - + Edit Theme Edit Theme - + Edit a theme. Edit a theme. - + Delete Theme Delete Theme - + Delete a theme. Delete a theme. - + Import Theme Import Theme - + Import a theme. Import a theme. - + Export Theme Export Theme - + Export a theme. Export a theme. - + &Edit Theme &Edit Theme - + &Delete Theme &Delete Theme - + Set As &Global Default Set As &Global Default - - %s (default) - %s (default) - - - + You must select a theme to edit. You must select a theme to edit. - + You are unable to delete the default theme. You are unable to delete the default theme. - + 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 - + Select Theme Import File Select Theme Import File - + File is not a valid theme. File is not a valid theme. - + &Copy Theme &Copy Theme - + &Rename Theme &Rename Theme - + &Export Theme &Export Theme - + You must select a theme to rename. You must select a theme to rename. - + Rename Confirmation Rename Confirmation - + Rename %s theme? Rename %s theme? - + You must select a theme to delete. You must select a theme to delete. - + Delete Confirmation Delete Confirmation - + Delete %s theme? Delete %s theme? - + Validation Error Validation Error - + A theme with this name already exists. A theme with this name already exists. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s time(s) by %s - - - + Unable to delete theme Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Theme is currently used - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Theme Wizard - + Welcome to the Theme Wizard Welcome to the Theme Wizard - + Set Up Background Set Up Background - + Set up your theme's background according to the parameters below. Set up your theme's background according to the parameters below. - + Background type: Background type: - + Gradient Gradient - + Gradient: Gradient: - + Horizontal Horizontal - + Vertical Vertical - + Circular Circular - + Top Left - Bottom Right Top Left - Bottom Right - + Bottom Left - Top Right Bottom Left - Top Right - + Main Area Font Details Main Area Font Details - + Define the font and display characteristics for the Display text Define the font and display characteristics for the Display text - + Font: Font: - + Size: Size: - + Line Spacing: Line Spacing: - + &Outline: &Outline: - + &Shadow: &Shadow: - + Bold Bold - + Italic Italic - + Footer Area Font Details Footer Area Font Details - + Define the font and display characteristics for the Footer text Define the font and display characteristics for the Footer text - + Text Formatting Details Text Formatting Details - + Allows additional display formatting information to be defined Allows additional display formatting information to be defined - + Horizontal Align: Horizontal Align: - + Left Left - + Right Right - + Center Centre - + Output Area Locations Output Area Locations - + &Main Area &Main Area - + &Use default location &Use default location - + X position: X position: - + px px - + Y position: Y position: - + Width: Width: - + Height: Height: - + Use default location Use default location - + Theme name: Theme name: - - Edit Theme - %s - 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. 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: Transitions: - + &Footer Area &Footer Area - + Starting color: Starting color: - + Ending color: Ending color: - + Background color: Background color: - + Justify Justify - + Layout Preview Layout Preview - + Transparent Transparent - + Preview and Save Preview and Save - + Preview the theme and save it. Preview the theme and save it. - + Background Image Empty Background Image Empty - + Select Image Select Image - + Theme Name Missing Theme Name Missing - + There is no name for this theme. Please enter one. There is no name for this theme. Please enter one. - + Theme Name Invalid Theme Name Invalid - + Invalid theme name. Please enter one. Invalid theme name. Please enter one. - + Solid color Solid colour - + color: colour: - + Allows you to change and move the Main and Footer areas. Allows you to change and move the Main and Footer areas. - + You have not selected a background image. Please select one before continuing. You have not selected a background image. Please select one before continuing. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6877,73 +6919,73 @@ These files will be removed if you continue to save. &Vertical Align: - + Finished import. Finished import. - + Format: Format: - + Importing Importing - + Importing "%s"... Importing "%s"... - + Select Import Source 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 Open %s File - + %p% %p% - + Ready. Ready. - + Starting import... Starting import... - + 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 @@ -6993,39 +7035,34 @@ These files will be removed if you continue to save. XML syntax error - - Welcome to the Bible Upgrade Wizard - Welcome to the Bible Upgrade Wizard - - - + Open %s Folder 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 file to import from. - + You need to specify one %s folder to import from. A song format e.g. PowerSong You need to specify one %s folder to import from. - + Importing Songs Importing Songs - + Welcome to the Duplicate Song Removal Wizard Welcome to the Duplicate Song Removal Wizard - + Written by Written by @@ -7035,502 +7072,490 @@ These files will be removed if you continue to save. Author Unknown - + About About - + &Add &Add - + Add group Add group - + Advanced Advanced - + All Files All Files - + Automatic Automatic - + Background Color Background Colour - + Bottom Bottom - + Browse... Browse... - + Cancel Cancel - + CCLI number: CCLI number: - + Create a new service. Create a new service. - + Confirm Delete Confirm Delete - + Continuous Continuous - + Default Default - + Default Color: Default Colour: - + 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. Service %Y-%m-%d %H-%M - + &Delete &Delete - + Display style: Display style: - + Duplicate Error Duplicate Error - + &Edit &Edit - + Empty Field Empty Field - + Error Error - + Export Export - + File File - + File Not Found File Not Found - - File %s not found. -Please try selecting it individually. - File %s not found. -Please try selecting it individually. - - - + pt Abbreviated font pointsize unit pt - + Help Help - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Invalid Folder Selected - + Invalid File Selected Singular Invalid File Selected - + Invalid Files Selected Plural Invalid Files Selected - + Image Image - + Import Import - + Layout style: Layout style: - + Live Live - + Live Background Error Live Background Error - + Live Toolbar Live Toolbar - + Load Load - + Manufacturer Singular Manufacturer - + Manufacturers Plural Manufacturers - + Model Singular Model - + Models Plural Models - + m The abbreviated unit for minutes m - + Middle Middle - + New New - + New Service New Service - + New Theme New Theme - + Next Track Next Track - + No Folder Selected Singular No Folder Selected - + No File Selected Singular No File Selected - + No Files Selected Plural No Files Selected - + No Item Selected Singular No Item Selected - + No Items Selected Plural No Items Selected - + OpenLP is already running. Do you wish to continue? OpenLP is already running. Do you wish to continue? - + Open service. Open service. - + Play Slides in Loop Play Slides in Loop - + Play Slides to End Play Slides to End - + Preview 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 - + CCLI song number: CCLI song number: - + Preview Toolbar Preview Toolbar - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Replace live background is not available when the WebKit player is disabled. @@ -7546,29 +7571,100 @@ Please try selecting it individually. Plural Songbooks + + + Background color: + Background color: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + No Bibles Available + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Verse + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s and %s - + %s, and %s Locale list separator: end %s, and %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7651,47 +7747,47 @@ Please try selecting it individually. Present using: - + File Exists File Exists - + A presentation with that filename already exists. A presentation with that filename already exists. - + This type of presentation is not supported. This type of presentation is not supported. - - Presentations (%s) - Presentations (%s) - - - + Missing Presentation Missing Presentation - - The presentation %s is incomplete, please reload. - The presentation %s is incomplete, please reload. + + Presentations ({text}) + - - The presentation %s no longer exists. - The presentation %s no longer exists. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7701,11 +7797,6 @@ Please try selecting it individually. Available Controllers Available Controllers - - - %s (unavailable) - %s (unavailable) - Allow presentation application to be overridden @@ -7722,12 +7813,12 @@ Please try selecting it individually. 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. @@ -7738,13 +7829,19 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7786,127 +7883,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 - + Remote Remote - + Stage View Stage View - + Live View Live View @@ -7914,79 +8011,89 @@ Please try selecting it individually. 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 Display stage time in 12h format - + Android App Android App - + Live view URL: Live view 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. 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 Authentication - + User id: User id: - + Password: Password: - + Show thumbnails of non-text slides in remote and stage view. Show thumbnails of non-text slides in remote and stage view. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8027,50 +8134,50 @@ Please try selecting it individually. 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 @@ -8138,24 +8245,10 @@ 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 Creation - - - Report -%s -has been successfully created. - Report -%s -has been successfully created. - Output Path Not Selected @@ -8169,45 +8262,57 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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... @@ -8303,80 +8408,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. @@ -8465,62 +8570,67 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administered by %s - - - - "%s" could not be imported. %s - "%s" could not be imported. %s - - - + Unexpected data formatting. Unexpected data formatting. - + No song text found. No song text found. - + [above are Song Tags with notes imported from EasyWorship] [above are Song Tags with notes imported from EasyWorship] - + 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Custom Book Names @@ -8603,57 +8713,57 @@ The encoding is responsible for the correct character representation.Theme, Copyright Info && Comments - + Add Author Add Author - + This author does not exist, do you want to add them? This author does not exist, do you want to add them? - + This author is already in the list. 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. 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 Add Topic - + This topic does not exist, do you want to add it? This topic does not exist, do you want to add it? - + This topic is already in the list. 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 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 a song title. - + You need to type in at least one verse. You need to type in at least one verse. - + You need to have an author for this song. You need to have an author for this song. @@ -8678,7 +8788,7 @@ The encoding is responsible for the correct character representation.Remove &All - + Open File(s) Open File(s) @@ -8693,14 +8803,7 @@ The encoding is responsible for the correct character representation.<strong>Warning:</strong> You have not entered a verse order. - - There is no verse 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 Invalid Verse Order @@ -8710,22 +8813,15 @@ Please enter the verses separated by spaces. &Edit Author Type - + Edit Author Type Edit Author Type - + Choose type for this author Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - &Manage Authors, Topics, Songbooks @@ -8747,45 +8843,71 @@ Please enter the verses separated by spaces. Authors, Topics && Songbooks - + Add Songbook Add Songbook - + This Songbook does not exist, do you want to add it? This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Edit Verse - + &Verse type: &Verse type: - + &Insert &Insert - + Split a slide into two by inserting a verse splitter. Split a slide into two by inserting a verse splitter. @@ -8798,77 +8920,77 @@ Please enter the verses separated by spaces. Song Export Wizard - + Select Songs Select Songs - + Check the songs you want to export. Check the songs you want to export. - + Uncheck All Uncheck All - + Check All Check All - + Select Directory Select Directory - + Directory: Directory: - + Exporting Exporting - + Please wait while your songs are exported. Please wait while your songs are exported. - + You need to add at least one Song to export. You need to add at least one Song to export. - + No Save Location specified No Save Location specified - + Starting export... Starting export... - + You need to specify a directory. You need to specify a directory. - + Select Destination Folder Select Destination Folder - + Select the directory where you want the songs to be saved. 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. This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. @@ -8876,7 +8998,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Invalid Foilpresenter song file. No verses found. @@ -8884,7 +9006,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Enable search as you type @@ -8892,7 +9014,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Select Document/Presentation Files @@ -8902,237 +9024,252 @@ Please enter the verses separated by spaces. 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 Generic Document/Presentation - + Add Files... Add Files... - + Remove File(s) Remove File(s) - + Please wait while your songs are imported. Please wait while your songs are imported. - + Words Of Worship Song Files Words Of Worship Song Files - + Songs Of Fellowship Song Files Songs Of Fellowship Song Files - + SongBeamer Files SongBeamer Files - + SongShow Plus Song Files SongShow Plus Song Files - + Foilpresenter Song Files Foilpresenter Song Files - + Copy Copy - + Save to File 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 Files OpenLyrics Files - + CCLI SongSelect Files CCLI SongSelect Files - + EasySlides XML File EasySlides XML File - + EasyWorship Song Database EasyWorship Song Database - + DreamBeam Song Files DreamBeam Song Files - + You need to specify a valid PowerSong 1.0 database folder. You need to specify a valid PowerSong 1.0 database folder. - + 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>. 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 SundayPlus Song Files - + This importer has been disabled. 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. 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 EasyWorship Service File - + WorshipCenter Pro Song Files 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. 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 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. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases OpenLP 2 Databases - + LyriX Files LyriX Files - + LyriX (Exported TXT-files) LyriX (Exported TXT-files) - + VideoPsalm Files VideoPsalm Files - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Error: %s + File {name} + + + + + Error: {error} + @@ -9151,79 +9288,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Titles - + Lyrics Lyrics - + CCLI License: CCLI License: - + Entire Song Entire Song - + Maintain the lists of authors, topics and books. Maintain the lists of authors, topics and books. - + copy For song cloning copy - + Search Titles... Search Titles... - + Search Entire Song... Search Entire Song... - + Search Lyrics... Search Lyrics... - + Search Authors... Search Authors... - - Are you sure you want to delete the "%d" selected song(s)? - Are you sure you want to delete the "%d" selected song(s)? - - - + Search Songbooks... Search Songbooks... + + + Search Topics... + + + + + Copyright + Copyright + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Unable to open the MediaShout database. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Not a valid OpenLP 2 song database. @@ -9231,9 +9406,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exporting "%s"... + + Exporting "{title}"... + @@ -9252,29 +9427,37 @@ Please enter the verses separated by spaces. No songs to import. - + Verses not found. Missing "PART" header. Verses not found. Missing "PART" header. - No %s files found. - No %s files found. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Invalid %s file. Unexpected byte value. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Invalid %s file. Missing "TITLE" header. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Invalid %s file. Missing "COPYRIGHTLINE" header. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9303,19 +9486,19 @@ 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 + + Your song export failed because this error occurred: {error} + @@ -9331,17 +9514,17 @@ Please enter the verses separated by spaces. The following songs could not be imported: - + Cannot access OpenOffice or LibreOffice Cannot access OpenOffice or LibreOffice - + Unable to open file Unable to open file - + File not found File not found @@ -9349,109 +9532,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Could not add your author. - + This author already exists. This author already exists. - + Could not add your topic. Could not add your topic. - + This topic already exists. This topic already exists. - + Could not add your book. Could not add your book. - + This book already exists. This book already exists. - + Could not save your changes. Could not save your changes. - + Could not save your modified author, because the author already exists. Could not save your modified author, because the author already exists. - + Could not save your modified topic, because it already exists. Could not save your modified topic, because it already exists. - + Delete Author Delete Author - + Are you sure you want to delete the selected 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. This author cannot be deleted, they are currently assigned to at least one song. - + Delete Topic Delete Topic - + Are you sure you want to delete the selected 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. This topic cannot be deleted, it is currently assigned to at least one song. - + Delete Book Delete Book - + Are you sure you want to delete the selected 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. 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 author %s already exists. Would you like to make songs with author %s use the existing author %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9497,52 +9680,47 @@ Please enter the verses separated by spaces. Search - - Found %s song(s) - Found %s song(s) - - - + Logout Logout - + View View - + Title: Title: - + Author(s): Author(s): - + Copyright: Copyright: - + CCLI Number: CCLI Number: - + Lyrics: Lyrics: - + Back Back - + Import Import @@ -9582,7 +9760,7 @@ Please enter the verses separated by spaces. There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported Song Imported @@ -9597,7 +9775,7 @@ Please enter the verses separated by spaces. 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? Your song has been imported, would you like to import more songs? @@ -9606,6 +9784,11 @@ Please enter the verses separated by spaces. Stop Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9614,30 +9797,30 @@ Please enter the verses separated by spaces. Songs Mode Songs Mode - - - Display verses on live tool bar - Display verses on live tool bar - Update service from song edit Update service from song edit - - - Import missing songs from service files - Import missing songs from service files - Display songbook in footer Display songbook in footer + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info + @@ -9661,37 +9844,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Verse - + Chorus Chorus - + Bridge Bridge - + Pre-Chorus Pre-Chorus - + Intro Intro - + Ending Ending - + Other Other @@ -9699,22 +9882,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - Error: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9725,30 +9908,30 @@ Please enter the verses separated by spaces. Error reading CSV file. - - Line %d: %s - Line %d: %s - - - - Decoding error: %s - Decoding error: %s - - - + File not valid WorshipAssistant CSV format. File not valid WorshipAssistant CSV format. - - Record %d - Record %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Unable to connect the WorshipCenter Pro database. @@ -9761,25 +9944,30 @@ Please enter the verses separated by spaces. Error reading CSV file. - + File not valid ZionWorx CSV format. File not valid ZionWorx CSV format. - - Line %d: %s - Line %d: %s - - - - Decoding error: %s - Decoding error: %s - - - + Record %d Record %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9789,39 +9977,960 @@ 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. 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. Searching for duplicate songs. - + Please wait while your songs database is analyzed. Please wait while your songs database is analysed. - + Here you can decide which songs to remove and which ones to keep. Here you can decide which songs to remove and which ones to keep. - - Review duplicate songs (%s/%s) - Review duplicate songs (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. No duplicate songs have been found in the database. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + English (ZA) + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/es.ts b/resources/i18n/es.ts index 912dab23d..a27de380d 100644 --- a/resources/i18n/es.ts +++ b/resources/i18n/es.ts @@ -120,32 +120,27 @@ Por favor, escriba algún texto antes de hacer clic en Nuevo. AlertsPlugin.AlertsTab - + Font Fuente - + Font name: Nombre de la Fuente: - + Font color: Color de Fuente: - - Background color: - Color del Fondo: - - - + Font size: Tamaño de Fuente: - + Alert timeout: Tiempo para Mostrar el Aviso: @@ -153,88 +148,78 @@ Por favor, escriba algún texto antes de hacer clic en Nuevo. 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 la Biblia seleccionada 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 la Base de Datos de Biblias al formato más reciente. - Genesis @@ -739,161 +724,116 @@ Por favor, escriba algún texto antes de hacer clic en Nuevo. Ésta Biblia ya existe. Por favor, importe una Biblia diferente, o antes, borre la ya existente. - - You need to specify a book name for "%s". - Debe especificar un Nombre de Libro para "%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. - El Nombre de Libro "%s" no es correcto. -Solo se pueden utilizar números al principio -y dicho número debe ser seguido de uno o más caracteres no numéricos. - - - + Duplicate Book Name Nombre de Libro Duplicado - - The Book Name "%s" has been entered more than once. - El Nombre de Libro "%s" se ha ingresado más de una vez. + + You need to specify a book name for "{text}". + Debe especificar un nombre de libro para "{text}" + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + El nombre de libro "{name}" no es correcto. +Solo se pueden utilizar números al principio +y seguido de caracteres no numéricos. + + + + The Book Name "{name}" has been entered more than once. + El Nombre de Libro "{name}" se ha ingresado más de una vez. BiblesPlugin.BibleManager - + Scripture Reference Error Error de Referencia Bíblica - - Web Bible cannot be used - No se puede usar la Biblia Web + + Web Bible cannot be used in Text Search + No se puede usar la Biblia Web al Buscar Texto - - 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 para buscar. -Puede separar diferentes palabras con un espacio para hacer una búsqueda de todas las palabras, y puede separarlas con una coma para realizar una búsqueda de una de ellas. - - - - There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - No existen Biblias instaladas actualmente. Puede usar el Asistente de Importación para instalar una o más 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - La Referencia Bíblica no es soportada por OpenLP, o es inválida. Por favor, verifique que su Referencia esté formada por uno de los siguientes patrones, o consulte el manual. +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Libro Capítulo -Libro Capítulo %(range)s Capítulo -Libro Capítulo %(verse)s Versículo %(range)s Versículo -Libro Capítulo %(verse)s Versículo %(range)s Versículo %(list)s Versículo %(range)s Versículo -Libro Capítulo %(verse)s Versículo %(range)s Versículo %(list)s Capítulo %(verse)s Versículo %(range)s Versículo -Libro Capítulo %(verse)s Versículo %(range)s Capítulo %(verse)s Versículo +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Buscar Texto no está disponible en Biblias Web. +Utilice Buscar Referencia Bíblica. + +Esto significa que la Biblia o la Biblia Secundaria +utilizada están instaladas como Biblia Web. + +Si estaba haciendo una búsqueda de Referencia +en Búsqueda Combinada, su referencia es inválida. + + + + Nothing found + Sin resultados BiblesPlugin.BiblesTab - + Verse Display Mostrar Versículos - + Only show new chapter numbers Sólo mostrar números para Capítulos Nuevos - + Bible theme: Tema para la Biblia: - + No Brackets Sin paréntesis - + ( And ) ( Y ) - + { And } { Y } - + [ And ] [ Y ] - - Note: -Changes do not affect verses already in the service. - Nota: -Los cambios no afectan a los versículos que ya están en el servicio. - - - + Display second Bible verses Mostrar versículos secundarios - + Custom Scripture References Referencias Bíblicas Personalizadas - - Verse Separator: - Separador de Versículos: - - - - Range Separator: - Separador de Rango: - - - - List Separator: - Separador de Lista: - - - - End Mark: - Marca de Final: - - - + 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. @@ -902,37 +842,85 @@ Deben estar separados por una barra "|". Por favor, borre el contenido de este cuadro para usar el valor predeterminado. - + English Inglés - + Default Bible Language - Idioma de Biblia predeterminado + Idioma de Biblia predeterminada - + Book name language in search field, search results and on display: Idioma de los Nombres de Libros en el campo de búsqueda, resultados de búsqueda y en pantalla: - + Bible Language Idioma de la Biblia - + Application Language Idioma de la Aplicación - + Show verse numbers Mostar Número de Versículo + + + Note: Changes do not affect verses in the Service + Nota: +Los cambios no afectan a los versículos que ya están en el Servicio. + + + + Verse separator: + Separador de Versículos: + + + + Range separator: + Separador de Rango: + + + + List separator: + Separador de Lista: + + + + End mark: + Marca de Final: + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Buscar a medida que se escribe (el texto debe contener un mínimo +de {count} caracteres y un espacio por razones de rendimiento) + BiblesPlugin.BookNameDialog @@ -988,70 +976,76 @@ resultados de búsqueda y en pantalla: BiblesPlugin.CSVBible - - Importing books... %s - Importando Libros... %s - - - + Importing verses... done. Importando Versículos... Hecho. + + + Importing books... {book} + Importando libros... {book} + + + + Importing verses from {book}... + Importing verses from <book name>... + Importando versículos de {book}... + BiblesPlugin.EditBibleForm - + Bible Editor Editor de Biblias - + License Details - Detalles de licencia + Detalles de Licencia - + Version name: Nombre de versión: - + Copyright: Derechos Reservados: - + Permissions: Permisos: - + Default Bible Language Idioma de Biblia predeterminada - + Book name language in search field, search results and on display: Idioma del Nombre de Libro en el campo de búsqueda, resultados de búsqueda y en pantalla. - + Global Settings Configuraciones Globales - + Bible Language Idioma de la Biblia - + Application Language Idioma de la Aplicación - + English Inglés @@ -1071,225 +1065,260 @@ No es posible personalizar los Nombres de Libro. 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 su 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. + + + Importing {book}... + Importing <book name>... + Importando {book}... + BiblesPlugin.ImportWizardForm - + Bible Import Wizard Asistente para Importación de 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: + Derechos Reservados: - + 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. + Debe establecer la información de Derechos de Autor de esta Biblia. Si es de Dominio Público, debe indicarlo. - + Bible Exists - Ya existe la Biblia + Ya existe ésta 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. + Ésta Biblia ya existe. Por favor, importe una Biblia diferente, o antes, borre la ya existente. - + 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. + + + Bibles: + Biblias: + + + + SWORD data folder: + Carpeta de datos SWORD: + + + + SWORD zip-file: + Archivo SWORD en ZIP: + + + + Defaults to the standard SWORD data folder + Utiliza la ubicación estándar de datos para SWORD + + + + Import from folder + Importar desde folder + + + + Import from Zip-file + Importar desde archivo ZIP + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Para importar biblias SWORD el módulo pysword python debe estar instalado. Por favor lea el manual para instrucciones. + BiblesPlugin.LanguageDialog @@ -1320,114 +1349,135 @@ sea necesario, por lo que debe contar con una conexión a internet. BiblesPlugin.MediaItem - - Quick - Rápida - - - + Find: Buscar: - + Book: Libro: - + Chapter: Capítulo: - + Verse: Versículo: - + From: Desde: - + To: Hasta: - + Text Search - Buscar texto + Buscar Texto - + Second: Paralela: - + Scripture Reference Referencia Bíblica - + Toggle to keep or clear the previous results. Alterna entre conservar o borrar los resultados previos. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? No puede mezclar búsquedas individuales y dobles. ¿Desea borrar los resultados y abrir una búsqueda nueva? - + Bible not fully loaded. Biblia incompleta. - + Information Información - - 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 Biblia secundaria no contiene todos los versículos de la Biblia principal. Solo se muestran los versículos comunes. Versículos %d no se incluyen en los resultados. - - - + Search Scripture Reference... Buscar Referencia Bíblica... - + Search Text... Buscar Texto... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Buscar + + + + Select + Seleccionar + + + + Clear the search results. + Borrar los resultados de búsqueda. + + + + Text or Reference + Texto o Referencia + + + + Text or Reference... + Texto o Referencia... + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Desea eliminar completamente la Biblia "%s" de OpenLP? + Desea eliminar completamente la Biblia "{bible}" de OpenLP? Deberá reimportar esta Biblia para utilizarla de nuevo. - - Advanced - Avanzado + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + La Biblia secundaria no contiene todos los versículos de la Biblia principal. +Solo se muestran los versículos comunes. + +Versículos {count:d} no se incluyen en los resultados. BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Tipo de archivo incorrecto. Las Biblias OpenSong pueden estar comprimidas y es necesario extraerlas antes de la importación. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. Tipo de Biblia incorrecta. Esta puede ser una bilbia Zefania XML, por favor use la opcion de importación Zefania. @@ -1435,178 +1485,53 @@ Deberá reimportar esta Biblia para utilizarla de nuevo. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importando %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + Importando {name} {chapter}... 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... Importando %(bookname)s %(chapter)s... + + + The file is not a valid OSIS-XML file: +{text} + El archivo no es un OSIS-XML válido: +{text} + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Seleccione un directorio de respaldo + + Importing {name}... + Importando {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Asistente para actualizar biblias - - - - 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. - Este asistente le ayudará a actualizar sus Biblias desde versiones anteriores a OpenLP 2. Presione Siguiente para iniciar el proceso. - - - - Select Backup Directory - Directorio de respaldo - - - - Please select a backup directory for your Bibles - Por favor seleccione un directorio de respaldo para sus Biblias - - - - 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>. - Las versiones anteriores a OpenLP 2.0 no pueden utilizar las Biblias actualizadas. Se creará un respaldo de sus Biblias actuales en caso de que tenga que utilizar una versión anterior del programa. Las instrucciones para restaurar los archivos están en nuestro <a href="http://wiki.openlp.org/faq">FAQ</a>. - - - - Please select a backup location for your Bibles. - Por favor seleccione una ubicación para los respaldos. - - - - Backup Directory: - Directorio de respaldo: - - - - There is no need to backup my Bibles - No es necesario respaldar mis Biblias - - - - Select Bibles - Seleccione Biblias - - - - Please select the Bibles to upgrade - Por favor seleccione las Biblias a actualizar - - - - Upgrading - Actualizando - - - - Please wait while your Bibles are upgraded. - Por favor espere mientras sus Biblias son actualizadas. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - El respaldo no fue exitoso. -Para respaldar sus Biblias debe tener permisos de escritura en el directorio seleccionado. - - - - Upgrading Bible %s of %s: "%s" -Failed - Actualizando Biblia %s de %s: "%s" -Fallidas - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Actualizando Biblia %s de %s: "%s" -Actualizando... - - - - Download Error - Error de descarga - - - - To upgrade your Web Bibles an Internet connection is required. - Para actualizar sus Biblias se requiere de una conexión a internet. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Actualizando Biblia %s de %s: "%s" -Actualizando %s... - - - - Upgrading Bible %s of %s: "%s" -Complete - Actualizando Biblia %s de %s: "%s" -Completado - - - - , %s failed - , %s fallidas - - - - Upgrading Bible(s): %s successful%s - Actualizando Biblia(s): %s exitosas%s - - - - Upgrade failed. - Actualización fallida. - - - - You need to specify a backup directory for your Bibles. - Debe especificar un directorio de respaldo para sus Biblias. - - - - Starting upgrade... - Iniciando actualización... - - - - There are no Bibles that need to be upgraded. - Las Biblias ya se encuentran actualizadas. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Actualizando Biblia(s): %(success)d con éxito %(failed_text)s -Por favor, tome en cuenta que los Versículos de las Biblias Web serán descargados bajo demanda, (conforme se vayan necesitando) por lo que se requiere de una conexión a Internet activa. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + Hubo un error inesperado al importar la biblia SWORD, por favor repórtelo a los desarrolladores de OpenLP. +{error} 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. @@ -1614,9 +1539,9 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importando %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importando {book} {chapter}... @@ -1731,7 +1656,7 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga Editar todas las diapositivas a la vez. - + Split a slide into two by inserting a slide splitter. Dividir la diapositiva insertando un separador. @@ -1746,7 +1671,7 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga &Créditos: - + You need to type in a title. Debe escribir un título. @@ -1756,12 +1681,12 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga Ed&itar todo - + Insert Slide Insertar - + You need to add at least one slide. Debe agregar al menos una diapositiva. @@ -1769,7 +1694,7 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga CustomPlugin.EditVerseForm - + Edit Slide Editar Diapositiva @@ -1777,9 +1702,9 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - ¿Desea borrar la(s) %n diapositiva(s) seleccionada(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + ¿Desea realmente eliminar la/las "{items:d}" diapositiva(s) seleccionada(s)? @@ -1807,11 +1732,6 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga container title Imágenes - - - Load a new image. - Cargar una imagen nueva. - Add a new image. @@ -1842,6 +1762,16 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga Add the selected image to the service. Agregar esta imagen al servicio. + + + Add new image(s). + Agregar imagen(es) nueva(s). + + + + Add new image(s) + Agregar imagen(es) nueva(s) + ImagePlugin.AddGroupForm @@ -1866,12 +1796,12 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga 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. @@ -1907,7 +1837,7 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga ImagePlugin.ExceptionDialog - + Select Attachment Seleccionar archivo adjunto @@ -1915,39 +1845,22 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1957,25 +1870,42 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + ¿Desea realmente eliminar "{name}" y todo su contenido? + + + + The following image(s) no longer exist: {names} + La siguiente imagen(es) ya no está disponible: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + La siguiente imagen(es) ya no está disponible: {names} +¿Desea agregar las demás imágenes? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Ocurrió un problema al reemplazar el fondo, el archivo "{names}" ya no existe. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Fondo visible para canciones con aspecto diferente al de la pantalla. @@ -1983,27 +1913,27 @@ Do you want to add the other images anyway? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Éste reproductor de medios usa su sistema operativo para proveer capacidades multimedia. @@ -2011,60 +1941,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>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. @@ -2180,47 +2110,47 @@ Do you want to add the other images anyway? El reproductor VLC falló al reproducir el contenido. - + CD not loaded correctly No se cargó el CD - + The CD was not loaded correctly, please re-load and try again. No se cargó el CD, por favor revise e intente de nuevo. - + DVD not loaded correctly El DVD no se cargó - + The DVD was not loaded correctly, please re-load and try again. El DVD no se cargó, por favor revise e intente de nuevo. - + 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 - + Invalid character Caracter inválido - + The name of the mediaclip must not contain the character ":" El nombre del fragmento de contener el caracter ":" @@ -2228,90 +2158,100 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Archivo inválido - + Use Player: Usar reproductor: - + VLC player required Se necesita el reproductor VLC - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + El archivo %s no se puede reproducir con %s + + + + Unsupported Media File + Archivo Incompatible + + + + CD/DVD playback is only supported if VLC is installed and enabled. + Reproducir CD/DVD disponible solo si VLC está instalado y habilitado. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Ocurrió un problema al reemplazar el fondo, el archivo "{name}" ya no existe. + + + + The optical disc {name} is no longer available. + El medio óptico {name} no está disponible. + + + + The file {name} no longer exists. + El archivo {name} ya no está disponible. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Videos ({video});;Audio ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2322,41 +2262,19 @@ Do you want to add the other images anyway? - Start Live items automatically - Iniciar elementos En Vivo automaticamente - - - - OPenLP.MainWindow - - - &Projector Manager - Gestor de &Proyector + Start new Live media automatically + Medios nuevos En Vivo automaticamente OpenLP - + Image Files Archivos de Imagen - - Information - Información - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - El formato de las Bilbias ha cambiado. -Debe actualizar las Biblias existentes. -¿Desea hacerlo ahora? - - - + Backup Respaldo @@ -2371,15 +2289,20 @@ Debe actualizar las Biblias existentes. ¡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 - - - + Open Abrir + + + A backup of the data folder has been createdat {text} + Un respaldo de la carpeta de datos se creó en: {text} + + + + Video Files + Archivos de Video + OpenLP.AboutForm @@ -2389,15 +2312,10 @@ Debe actualizar las Biblias existentes. Créditos - + License Licencia - - - build %s - compilación %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. @@ -2426,7 +2344,7 @@ Para más información de OpenLP visite: http://openlp.org/ OpenLP es desarrollado y mantenido por voluntarios. Si desea apoyar la creación de más software cristiano gratuito, por favor considere contribuir mediante el botón de abajo. - + Volunteer Contribuir @@ -2620,260 +2538,363 @@ liberándonos del pecado. porque sin costo Él nos hizo libres. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + build {version} + compilación {version} OpenLP.AdvancedTab - + UI Settings Preferencias de interface - - - Number of recent files to display: - Archivos recientes a mostrar: - - Remember active media manager tab on startup - Recordar la última pestaña de medios utilizada - - - - Double-click to send items straight to live - Doble clic para proyectar directamente - - - Expand new service items on creation Expandir elementos nuevos del servicio al crearlos - + Enable application exit confirmation Preguntar antes de cerrar la aplicación - + Mouse Cursor Cursor del ratón - + Hide mouse cursor when over display window Ocultar el cursor en la pantalla principal - - Default Image - Imagen predeterminada - - - - Background color: - Color de fondo: - - - - Image file: - Archivo: - - - + Open File Abrir archivo - + Advanced Avanzado - - - Preview items when clicked in Media Manager - Vista previa al seleccionar elementos del Administrador de Medios - - Browse for an image file to display. - Buscar un archivo de imagen para mostrar. - - - - Revert to the default OpenLP logo. - Volver al logo predeterminado de OpenLP. - - - Default Service Name Nombre del Servicio Predeterminado - + Enable default service name Habilitar nombre automático - + Date and Time: Fecha y Hora: - + Monday Lunes - + Tuesday Martes - + Wednesday Miércoles - + Friday Viernes - + Saturday Sábado - + Sunday Domingo - + Now Hoy - + Time when usual service starts. Hora usual de inicio del servicio. - + Name: Nombre: - + Consult the OpenLP manual for usage. Consulte el manual de OpenLP para su uso. - - Revert to the default service name "%s". - Volver al nombre del servicio predeterminado "%s" - - - + Example: Ejemplo: - + Bypass X11 Window Manager No usar el Administrador de Ventanas de X11 - + Syntax error. Error de Sintaxis. - + Data Location Ubicación de Datos - + Current path: Ubicación actual: - + Custom path: Ubicación nueva: - + Browse for new data file location. Buscar una nueva ubicación para los datos. - + Set the data location to the default. Restablecer la ubicación original para los datos. - + Cancel Cancelar - + Cancel OpenLP data directory location change. Cancelar el cambio del directorio de datos de OpenLP. - + Copy data to new location. Copiar datos a nueva ubicación. - + Copy the OpenLP data files to the new location. Copiar los datos de OpenLP a un nuevo directorio. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>ADVERTENCIA:</strong> El nuevo directorio contiene archivos de datos de OpenLP. Estos archivos serán reemplazados durante la copia. - + Data Directory Error Error en Directorio de Datos - + Select Data Directory Location Seleccione Ubicación de Datos - + Confirm Data Directory Change Confirme Cambio de Directorio - + Reset Data Directory Reestablecer Directorio de Datos - + Overwrite Existing Data Sobrescribir los Datos Actuales - + + Thursday + Jueves + + + + Display Workarounds + Arreglos de Pantalla + + + + Use alternating row colours in lists + Usar colores alternados en listas + + + + Restart Required + Se requiere reiniciar + + + + This change will only take effect once OpenLP has been restarted. + Este cambio tendrá efecto al reiniciar OpenLP. + + + + 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. + + + + Max height for non-text slides +in slide controller: + Altura máx de diapositivas sin texto +en el Control de Diapositivas: + + + + Disabled + Deshabilitado + + + + When changing slides: + Al cambiar diapositivas: + + + + Do not auto-scroll + No auto desplazar + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automático + + + + Revert to the default service name "{name}". + Volver al nombre del servicio predeterminado "{name}". + + + OpenLP data directory was not found -%s +{path} 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. @@ -2882,7 +2903,7 @@ Click "No" to stop loading OpenLP. allowing you to fix the the problem Click "Yes" to reset the data directory to the default location. No se encontró el Directorio de Datos -%s +{path} Este directorio fue cambiado de su ubicación por defecto anteriormente. Si su nueva ubicación es un medio extraible, este medio debe estar presente. @@ -2892,74 +2913,40 @@ Presione "No" para detener OpenLP y permitirle corregir el problema. Presione "Si" para cambiar el directorio de datos a su ubicación habitual. - + Are you sure you want to change the location of the OpenLP data directory to: -%s +{path} The data directory will be changed when OpenLP is closed. Desea cambiar la ubicación del directorio de datos de OpenLP a la siguiente: -%s +{path} El directorio se cambiará una vez que OpenLP se cierre. - - Thursday - Jueves - - - - Display Workarounds - Arreglos de Pantalla - - - - Use alternating row colours in lists - Usar colores alternados en listas - - - + WARNING: The location you have selected -%s +{path} appears to contain OpenLP data files. Do you wish to replace these files with the current data files? ADVERTENCIA: La ubicación seleccionada -%s +{path} aparentemente contiene archivos de datos de OpenLP. Desea reemplazar estos archivos con los actuales? - - - Restart Required - Se requiere reiniciar - - - - This change will only take effect once OpenLP has been restarted. - Este cambio tendrá efecto al reiniciar OpenLP. - - - - 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. - OpenLP.ColorButton - + Click to select a color. Clic para seleccionar color. @@ -2967,252 +2954,252 @@ Esta ubicación se utilizará luego de cerrar OpenLP. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digital - + Storage Almacenamiento - + Network Red - + 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 Almacenamiento 1 - + Storage 2 Almacenamiento 2 - + Storage 3 Almacenamiento 3 - + Storage 4 Almacenamiento 4 - + Storage 5 Almacenamiento 5 - + Storage 6 Almacenamiento 6 - + Storage 7 Almacenamiento 7 - + Storage 8 Almacenamiento 8 - + Storage 9 Almacenamiento 9 - + Network 1 Red 1 - + Network 2 Red 2 - + Network 3 Red 3 - + Network 4 Red 4 - + Network 5 Red 5 - + Network 6 Red 6 - + Network 7 Red 7 - + Network 8 Red 8 - + Network 9 Red 9 @@ -3220,62 +3207,75 @@ Esta ubicación se utilizará luego de cerrar OpenLP. OpenLP.ExceptionDialog - + Error Occurred Se Produjo un Error - + Send E-Mail Enviar E-Mail - + Save to File Guardar archivo - + Attach File Adjuntar archivo - - - Description characters to enter : %s - Caracteres restantes: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Por favor, escribe una descripción de lo que estaba haciendo usted cuando ocurrió el error. Si es posible, de preferencia que sea en Inglés. -(Mínimo 20 caracteres) - - 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. Also attach any files that triggered the problem. - Uups. OpenLP tuvo un problema y no pudo recuperarse. El texto en el cuadro de abajo contiene información que puede ser de mucha ayuda a los desarrolladlores de OpenLP, así que, por favor, envíelo por correo a bugs@openlp.org, junto con una descripción detallada de lo que estaba usted haciendo cuando el problema ocurrió. También adjunte en el correo cualquier archivo que pueda haber provocado el problema. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Por favor describa lo que trataba de hacer.</strong> Si es posible, escriba en Inglés. + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + <strong>Oops, OpenLP no se pudo recuperar de un problema!</strong> <br><br><strong>Usted puede ayudar </strong> a los desarrolladores de OpenLP a <strong>solucionar esto</strong> al<br> enviarles <strong>un reporte</strong> a {email}{newlines} + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + {first_part}<strong>Sin programa de correo? </strong> Puede <strong>guardar</strong> esta información a <strong>un archivo</strong> y<br>enviarla desde <strong>un explorador</strong> como un <strong>archivo adjunto.</strong><br><br><strong>Gracias<strong> por contribuir a mejorar OpenLP!<br> + + + + <strong>Thank you for your description!</strong> + <strong>Gracias por su descripción!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Dinos qué hacías cuando sucedió esto.</strong> + + + + <strong>Please enter a more detailed description of the situation + <strong>Ingresa una descripción más detallada de la situción OpenLP.ExceptionForm - - Platform: %s - - Plataforma: %s - - - - + Save Crash Report Guardar reporte de errores - + Text files (*.txt *.log *.text) Archivos de texto (*.txt *.log *.text) + + + Platform: {platform} + + Plataforma: {platform} + + OpenLP.FileRenameForm @@ -3316,268 +3316,263 @@ Esta ubicación se utilizará luego de cerrar OpenLP. 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. - No se cuenta con una conexión a Internet. El Asistente Inicial requiere de una conexión a Internet para descargar canciones, Biblias y temas de muestra. Presione Finalizar para iniciar el programa con las preferencias predeterminadas y sin material de muestra. - -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. Ocurrió un problema de conexión durante la descarga, las demás descargas no se realizarán. Intente ejecutar el Asistente Inicial luego. - - 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. - - -Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s ahora. - - - + Downloading Resource Index 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 + + + Select parts of the program you wish to use + Seleccione las partes del programa que desea utilizar + + + + You can also change these settings after the Wizard. + Puede cambiar estas preferencias despues del Asistente. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + Historial de Canciones + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + Descargando {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Descarga completa. Presione el botón {button} para iniciar OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Descarga completa. Presione el botón {button} para iniciar OpenLP. + + + + Click the {button} button to return to OpenLP. + Presione el botón {button} para regresar a OpenLP. + + + + Click the {button} button to start OpenLP. + Presione el botón {button} para iniciar OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + Este asistente configurará OpenLP para su uso inicial. Presione el botón {button} para iniciar. + + + + 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 {button} 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 se cuenta con una conexión a Internet. El Asistente Inicial requiere de una conexión a Internet para descargar canciones, Biblias y temas de muestra. Presione {button} para iniciar el programa con las preferencias predeterminadas y sin material de muestra. + +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. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón {button} ahora. + OpenLP.FormattingTagDialog @@ -3620,44 +3615,49 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a OpenLP.FormattingTagForm - + <HTML here> <HTML aquí> - + Validation Error Error de Validación - + Description is missing Falta la descripción - + Tag is missing Falta etiqueta - Tag %s already defined. - Etiqueta %s ya definida. + Tag {tag} already defined. + Etiqueta {tag} ya definida. - Description %s already defined. - La descripción %s ya está definida. + Description {tag} already defined. + La descripción {tag} ya está definida. - - Start tag %s is not valid HTML - Etiqueta de inicio %s no es HTML válido + + Start tag {tag} is not valid HTML + Etiqueta de inicio {tag} no es HTML válido - - End tag %(end)s does not match end tag for start tag %(start)s - La Etiqueta Final %(end)s no coincide con la Etiqueta Inicial %(start)s + + End tag {end} does not match end tag for start tag {start} + Etiqueta final {end} no concuerda con la etiqueta final para de la etiqueta inicial {start} + + + + New Tag {row:d} + Etiqueta Nueva {row:d} @@ -3746,170 +3746,200 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a OpenLP.GeneralTab - + General General - + Monitors Monitores - + Select monitor for output display: Seleccionar monitor para proyectar: - + Display if a single screen Mostar si solo hay una pantalla - + Application Startup Inicio de la Aplicación - + Show blank screen warning Mostrar advertencia de pantalla en blanco - - Automatically open the last service - Abrir automáticamente el último servicio - - - + Show the splash screen Mostrar pantalla de bienvenida - + Application Settings Configuración del Programa - + Prompt to save before starting a new service Ofrecer guardar antes de abrir un servicio nuevo - - Automatically preview next item in service - Vista previa automática del siguiente elemento en el servicio - - - + sec seg - + CCLI Details Detalles de CCLI - + SongSelect username: Usuario SongSelect: - + SongSelect password: Contraseña SongSelect: - + X X - + Y Y - + Height Altura - + Width Ancho - + Check for updates to OpenLP Buscar actualizaciones para OpenLP - - Unblank display when adding new live item - Mostar proyección al agregar un elemento nuevo - - - + Timed slide interval: Intervalo de diapositivas: - + Background Audio Audio de Fondo - + Start background audio paused Iniciar audio de fondo en pausa - + Service Item Slide Limits Límites de Diapositivas - + Override display position: Personalizar la posición de pantalla - + Repeat track list Repetir la lista de pistas - + Behavior of next/previous on the last/first slide: Comportamiento del botón siguiente o anterior en la última o primera diapositiva: - + &Remain on Slide &Permanecer en la diapositiva - + &Wrap around &Volver al principio - + &Move to next/previous service item &Ir al elemento siguiente o anterior + + + Logo + Logo + + + + Logo file: + Archivo de logo: + + + + Browse for an image file to display. + Buscar un archivo de imagen para mostrar. + + + + Revert to the default OpenLP logo. + Volver al logo predeterminado de OpenLP. + + + + Don't show logo on startup + No mostrar el logo al inicio + + + + Automatically open the previous service file + Abrir automáticamente el último servicio + + + + Unblank display when changing slide in Live + Mostrar proyección al cambiar de diapositiva + + + + Unblank display when sending items to Live + Mostrar proyección al enviar elementos En Vivo + + + + Automatically preview the next item in service + Vista previa automática del siguiente elemento en el servicio + OpenLP.LanguageManager - + Language Idioma - + Please restart OpenLP to use your new language setting. Por favor reinicie OpenLP para usar su nuevo idioma. @@ -3917,7 +3947,7 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a OpenLP.MainDisplay - + OpenLP Display Pantalla de OpenLP @@ -3944,11 +3974,6 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a &View &Ver - - - M&ode - M&odo - &Tools @@ -3969,16 +3994,6 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a &Help A&yuda - - - Service Manager - Gestor de Servicio - - - - Theme Manager - Gestor de Temas - Open an existing service. @@ -4004,11 +4019,6 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a E&xit &Salir - - - Quit OpenLP - Salir de OpenLP - &Theme @@ -4020,194 +4030,70 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a &Configurar OpenLP... - - &Media Manager - Gestor de &Medios - - - - Toggle Media Manager - Alternar Gestor de Medios - - - - Toggle the visibility of the media manager. - Alternar la visibilidad del gestor de medios. - - - - &Theme Manager - Gestor de &Temas - - - - Toggle Theme Manager - Alternar Gestor de Temas - - - - Toggle the visibility of the theme manager. - Alternar la visibilidad del gestor de temas. - - - - &Service Manager - Gestor de &Servicio - - - - Toggle Service Manager - Alternar Gestor del Servicio - - - - Toggle the visibility of the service manager. - Alternar la visibilidad del gestor del servicio. - - - - &Preview Panel - &Panel de Vista Previa - - - - Toggle Preview Panel - Alternar Panel de Vista Previa - - - - Toggle the visibility of the preview panel. - Alternar la visibilidad del panel de vista previa. - - - - &Live Panel - Panel de Pro&yección - - - - Toggle Live Panel - Alternar Panel de Proyección - - - - Toggle the visibility of the live panel. - Alternar la visibilidad del panel de proyección. - - - - List the Plugins - Lista de Complementos - - - + &User Guide Guía de &Usuario - + &About &Acerca de... - - More information about OpenLP - Más información acerca de OpenLP - - - + &Online Help Ayuda en &Línea - + &Web Site Sitio &Web - + Use the system language, if available. Usar el idioma del sistema, si esta disponible. - - Set the interface language to %s - Fijar el idioma de la interface en %s - - - + Add &Tool... Agregar &Herramienta... - + Add an application to the list of tools. Agregar una aplicación a la lista de herramientas. - - &Default - Pre&determinado - - - - Set the view mode back to the default. - Establecer el modo de vizualización predeterminado. - - - + &Setup &Administración - - Set the view mode to Setup. - Modo de Administración. - - - + &Live En &Vivo - - Set the view mode to Live. - Modo de visualización En Vivo. - - - - 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/. - Esta disponible para descarga la versión %s de OpenLP (actualmente esta ejecutando la versión %s). - -Puede descargar la última versión desde http://openlp.org/. - - - + OpenLP Version Updated Versión de OpenLP Actualizada - + OpenLP Main Display Blanked Pantalla Principal de OpenLP en Blanco - + The Main Display has been blanked out La Pantalla Principal se ha puesto en blanco - - Default Theme: %s - Tema predeterminado: %s - - - + English Please add the name of your language here - Spanish + Inglés @@ -4215,27 +4101,27 @@ Puede descargar la última versión desde http://openlp.org/. Configurar &Atajos... - + Open &Data Folder... Abrir la Carpeta de &Datos... - + Open the folder where songs, bibles and other data resides. Abrir la carpeta donde se almacenan las canciones, biblias y otros datos. - + &Autodetect &Autodetectar - + Update Theme Images Actualizar Miniatura de Temas - + Update the preview images for all themes. Actualiza la imagen de vista previa de todos los temas. @@ -4245,32 +4131,22 @@ Puede descargar la última versión desde http://openlp.org/. Imprimir Orden del Servicio actual. - - L&ock Panels - Fi&jar Páneles - - - - Prevent the panels being moved. - Prevenir que los páneles se muevan. - - - + Re-run First Time Wizard Abrir el Asistente Inicial - + Re-run the First Time Wizard, importing songs, Bibles and themes. Abrir el asistente inicial para importar canciones, Biblias y temas. - + Re-run First Time Wizard? ¿Abrir el Asistente Inicial? - + 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. @@ -4279,13 +4155,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. @@ -4294,75 +4170,36 @@ Abrir este asistente altera la configuración actual de OpenLP y posiblemente ag Configure &Formatting Tags... Configurar &Etiquetas de Formato... - - - Export OpenLP settings to a specified *.config file - Exportar preferencias de OpenLP al archivo *.config especificado - Settings Preferencias - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importar preferencias de OpenLP desde un archivo *.config exportado previamente en cualquier ordenador - - - + Import settings? ¿Importar preferencias? - - Open File - Abrir archivo - - - - OpenLP Export Settings Files (*.conf) - Archivos de Preferencias OpenLP (*.conf) - - - + Import settings Importar preferencias - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP se cerrará. Las preferencias importadas se aplicarán la próxima vez que inicie OpenLP. - + Export Settings File Exportar Archivo de Preferencias - - OpenLP Export Settings File (*.conf) - 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 - Copia del directorio de datos OpenLP fallida - -%s - General @@ -4374,12 +4211,12 @@ Abrir este asistente altera la configuración actual de OpenLP y posiblemente ag Libreria - + Jump to the search box of the current active plugin. Ir al cuadro de búsqueda del complemento activo actual. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4392,7 +4229,7 @@ Al importar preferencias la configuración actual de OpenLP cambiará permanente 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. @@ -4401,35 +4238,10 @@ Processing has terminated and no changes have been made. 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 - Se produjo un error mientras se exportaban las preferencias: %s - &Recent Services @@ -4461,131 +4273,349 @@ Se ha detenido el procesamiento, no se realizaron cambios. Ad&ministrar Complementos - + Exit OpenLP Salir de OpenLP - + Are you sure you want to exit OpenLP? ¿Estás seguro que quieres salir de OpenLP? - + &Exit OpenLP Salir d&e OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Esta disponible para descarga la versión {new} de OpenLP (actualmente esta ejecutando la versión %s). + +Puede descargar la última versión desde http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + La llave "{key}" no tiene valor por defecto, se va a ignorar para esta exportación. + + + + An error occurred while exporting the settings: {err} + Se produjo un error al exportar las preferencias: {err} + + + + Default Theme: {theme} + Tema por defecto: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Copiando datos OpenLP a una nueva ubicación - {path} - Por favor espere a que finalice la copia + + + + OpenLP Data directory copy failed + +{err} + Copia del directorio de datos OpenLP fallida + +{err} + + + + &Layout Presets + + + + + Service + Servicio + + + + Themes + Temas + + + + Projectors + Proyectores + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + Exportar preferencias a un archivo *.config. + + + + Import settings from a *.config file previously exported from this or another machine. + Importar preferencias desde un archivo *.config exportado previamente en cualquier ordenador + + + + &Projectors + &Proyectores + + + + Hide or show Projectors. + Ocultar o mostrar Proyectores. + + + + Toggle visibility of the Projectors. + Alternar la visibilidad de los proyectores. + + + + L&ibrary + L&ibrería + + + + Hide or show the Library. + Ocultar o mostrar la Librería. + + + + Toggle the visibility of the Library. + Alternar la visibilidad de la Librería. + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + Más información acerca de OpenLP. + + + + Set the interface language to {name} + Fijar el idioma de la interface en {name} + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 - Esta base de datos de creó en una versión más reciente de OpenLP. La base se datos es versión %d, y el programa necesita la versión %d. No se cargará esta base de datos. - -Base de Datos: %s - - - + OpenLP cannot load your database. -Database: %s +Database: {db} No se puede cargar la base de datos. -Base de datos: %s +Base de datos: {db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + Esta base de datos de creó en una versión más reciente de OpenLP. La base se datos es versión {db_ver}, y el programa necesita la versión {db_up}. No se cargará esta base de datos. + +Base de Datos: {db_name} OpenLP.MediaManagerItem - + No Items Selected Nada Seleccionado - + &Add to selected Service Item &Agregar al elemento del Servico - + You must select one or more items to preview. Debe seleccionar uno o más elementos para previsualizar. - + You must select one or more items to send live. Debe seleccionar uno o más elementos para proyectar. - + You must select one or more items. Debe seleccionar uno o más elementos. - + You must select an existing service item to add to. Debe seleccionar un elemento existente al cual adjuntar. - + Invalid Service Item Elemento del Servicio inválido - - You must select a %s service item. - Debe seleccionar un elemento %s del servicio. - - - + You must select one or more items to add. Debe seleccionar uno o más elementos para agregar. - + No Search Results Sin Resultados - + Invalid File Type Tipo de Archivo Inválido - - Invalid File %s. -Suffix not supported - Archivo inválido %s. -Extensión no admitida - - - + &Clone &Duplicar - + Duplicate files were found on import and were ignored. Se encontraron archivos duplicados y se ignoraron. + + + Invalid File {name}. +Suffix not supported + Archivo inválido {name}. +Extensión no admitida + + + + You must select a {title} service item. + Debe seleccionar un elemento {title} del servicio. + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Etiqueta <lyrics> faltante. - + <verse> tag is missing. Etiqueta <verse> faltante. @@ -4593,22 +4623,22 @@ Extensión no admitida OpenLP.PJLink1 - + Unknown status Estado desconocido - + No message Ningún mensaje - + Error while sending data to projector Error al enviar los datos al proyector - + Undefined command: Comando indefinido: @@ -4616,32 +4646,32 @@ Extensión no admitida OpenLP.PlayerTab - + Players Reproductores - + Available Media Players Reproductores disponibles - + 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. - + %s (unavailable) %s (no disponible) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" NOTA: Para usar VLC debe instalar la versión %s @@ -4650,55 +4680,50 @@ Extensión no admitida OpenLP.PluginForm - + Plugin Details Detalles del Complemento - + Status: Estado: - + Active Activo - - Inactive - Inactivo - - - - %s (Inactive) - %s (Inactivo) - - - - %s (Active) - %s (Activo) + + Manage Plugins + Administrar Complementos - %s (Disabled) - %s (Desabilitado) + {name} (Disabled) + {title} (Desabilitado) - - Manage Plugins - Administrar Complementos + + {name} (Active) + {name} (Activo) + + + + {name} (Inactive) + {name} (Inactivo) OpenLP.PrintServiceDialog - + Fit Page Ajustar a Página - + Fit Width Ajustar a Ancho @@ -4706,77 +4731,77 @@ Extensión no admitida OpenLP.PrintServiceForm - + Options Opciones - + Copy Copiar - + Copy as HTML Copiar como HTML - + Zoom In Acercar - + Zoom Out Alejar - + Zoom Original Zoom Original - + Other Options Otras Opciones - + Include slide text if available Incluir texto de diapositivas si está disponible - + Include service item notes Incluir notas de los elementos del servicio - + Include play length of media items Incluir la duración de los medios - + Add page break before each text item Agregar salto de página antes de cada elemento - + Service Sheet Hoja del Servicio - + Print Imprimir - + Title: Título: - + Custom Footer Text: Texto para pie de página: @@ -4784,257 +4809,257 @@ Extensión no admitida OpenLP.ProjectorConstants - + OK OK - + General projector error Error general en proyector - + Not connected error Proyector desconectado - + Lamp error Error de lámpara - + Fan error Error de ventilador - + High temperature detected Se detectó alta temperatura - + Cover open detected La cubierta está abierta - + Check filter Revise el filtro - + Authentication Error Error de Autenticación - + Undefined Command Comando Indefinido - + Invalid Parameter Parámetro Inválido - + Projector Busy Proyector Ocupado - + Projector/Display Error Error de Proyector/Pantalla - + Invalid packet received Paquete recibido inválido - + Warning condition detected Condición de alerta detectada - + Error condition detected Condición de error detectada - + PJLink class not supported Versión de PJLink no soportada - + Invalid prefix character Caracter de prefijo inválido - + The connection was refused by the peer (or timed out) La conexión fue rechazada (o se agotó el tiempo de espera) - + The remote host closed the connection El anfitrión remoto cerró la conexión - + The host address was not found No se encontró la dirección del anfitrión - + The socket operation failed because the application lacked the required privileges Falló la operación de socket porque el programa no tiene los privilegios requeridos - + The local system ran out of resources (e.g., too many sockets) Se agotaron los recursos del sistema (e.j. muchos sockets) - + The socket operation timed out Tiempo de operación de socket agotado - + The datagram was larger than the operating system's limit El datagrama es más largo que el permitido por el sistema operativo - + An error occurred with the network (Possibly someone pulled the plug?) Se produjo un error con la red (¿Alguien desconectó el cable?) - + The address specified with socket.bind() is already in use and was set to be exclusive La dirección especificada con socket.bind() ya se está utilizando y se marcó como exclusiva - + The address specified to socket.bind() does not belong to the host La dirección especificada para socket.bind() no pertenece al host - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) La operación de socket solicitada no es posible en el sistema operativo local (ej. falta soporte de IPv6) - + The socket is using a proxy, and the proxy requires authentication El socket usa un proxy, y se requiere de autenticación - + The SSL/TLS handshake failed La vinculación SSL/TLS falló - + The last operation attempted has not finished yet (still in progress in the background) La última operación no a completado (se está ejecutando en segundo plano) - + Could not contact the proxy server because the connection to that server was denied No se pudo contactar el servidor proxy porque se rechazó la conexión con el servidor - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) La conexión al servidor proxy se cerró inesperadamente (antes que se estableciera la conexión con el destinatario) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Se agotó el tiempo de espera del servidor proxy, el servidor dejó de responder en la fase de autenticación. - + The proxy address set with setProxy() was not found La dirección proxy con setProxy() no se encontró - + An unidentified error occurred Se produjo un error desconocido - + Not connected Sin conexión - + Connecting Conectando - + Connected Conectado - + Getting status Recuperando estado - + Off Apagado - + 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 - + Sending data Enviando datos - + Received data Datos recibidos - + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood La negociación con el servidor proxy falló porque no se entendió la respuesta del servidor proxy @@ -5042,17 +5067,17 @@ Extensión no admitida 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 @@ -5060,52 +5085,52 @@ Extensión no admitida OpenLP.ProjectorEditForm - + Add New Projector Agregar Nuevo Proyector - + Edit Projector Editar Proyector - + IP Address Dirección IP - + Port Number Puerto Número - + PIN CLAVE - + Name Nombre - + Location Ubicación - + Notes Notas - + Database Error Error en Base de datos - + 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 @@ -5113,305 +5138,360 @@ Extensión no admitida OpenLP.ProjectorManager - + Add Projector Agregar Proyector - - Add a new projector - Agregar un proyector nuevo - - - + Edit Projector Editar Proyector - - Edit selected projector - Editar proyector seleccionado - - - + Delete Projector Eliminar Projector - - Delete selected projector - Eliminar el proyector seleccionado - - - + Select Input Source Seleccione Fuente de Entrada - - Choose input source on selected projector - Elija la entrada en el proyector seleccionado - - - + View Projector Ver Proyector - - View selected projector information - Ver la información de proyector seleccionado - - - - 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 + Mostrar imagen en 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 - + Name Nombre - + IP IP - + Port Puerto - + Notes Notas - + Projector information not available at this time. Información del proyector no disponible en este momento. - + Projector Name Nombre del Proyector - + Manufacturer Fabricante - + Model Modelo - + Other info Otra información - + Power status Estado - + Shutter is El obturador está - + Closed Cerrado - + Current source input is Fuente de entrada actual - + Lamp Lámpara - - On - Encendido - - - - Off - Apagado - - - + Hours Horas - + No current errors or warnings No existen errores o advertencias - + Current errors/warnings Errores/advertencias - + Projector Information Información del Proyector - + No message Ningún mensaje - + Not Implemented Yet No Disponible al Momento - - Delete projector (%s) %s? - Eliminar proyector (%s) %s? - - - + Are you sure you want to delete this projector? ¿Desea eliminar este proyector? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + está encendido + + + + is off + está apagado + + + + Authentication Error + Error de Autenticación + + + + No Authentication Error + Ningún Error de Autenticación + OpenLP.ProjectorPJLink - + Fan Ventilador - + Lamp Lámpara - + Temperature Temperatura - + Cover Cubierta - + Filter Filtro - + Other Otro @@ -5457,17 +5537,17 @@ Extensión no admitida OpenLP.ProjectorWizard - + Duplicate IP Address Dirección IP Duplicada - + Invalid IP Address Dirección IP Inválida - + Invalid Port Number Numero de Puerto Inválido @@ -5480,27 +5560,27 @@ Extensión no admitida Pantalla - + primary principal OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Inicio</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Duración</strong>: %s - - [slide %d] - [diapositiva %d] + [slide {frame:d}] + [diapositiva {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Inicio</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Duración</strong>: {length} @@ -5564,52 +5644,52 @@ Extensión no admitida Eliminar el elemento seleccionado del servicio. - + &Add New Item &Agregar Nuevo Elemento - + &Add to Selected Item &Agregar al Elemento Seleccionado - + &Edit Item &Editar Elemento - + &Reorder Item &Reorganizar Elemento - + &Notes &Notas - + &Change Item Theme &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 @@ -5634,7 +5714,7 @@ Extensión no admitida Colapsar todos los elementos del servicio. - + Open File Abrir archivo @@ -5664,22 +5744,22 @@ Extensión no admitida Proyectar el elemento seleccionado. - + &Start Time &Tiempo de Inicio - + Show &Preview Mostrar &Vista Previa - + Modified Service Servicio Modificado - + The current service has been modified. Would you like to save this service? El servicio actual ha sido modificado. ¿Desea guardarlo? @@ -5699,27 +5779,27 @@ Extensión no admitida Tiempo de reproducción: - + Untitled Service 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 @@ -5739,148 +5819,148 @@ 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. - + Service File(s) Missing Archivo(s) de Servicio Extraviado - + &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 - + OpenLP Service Files (*.osz *.oszl) 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 - Se produjo un error al guardar el archivo de servicio: %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Faltan los siguientes archivos del servicio: %s + Faltan los siguientes archivos del servicio: {name} Estos archivos serán removidos si continua. + + + An error occurred while writing the service file: {error} + Se produjo un error al guardar el archivo de servicio: {error} + OpenLP.ServiceNoteForm @@ -5911,15 +5991,10 @@ Estos archivos serán removidos si continua. Atajo - + Duplicate Shortcut Duplicar Atajo - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - El atajo "%s" esta asignado a otra acción, por favor utilize un atajo diferente. - Alternate @@ -5965,219 +6040,234 @@ Estos archivos serán removidos si continua. Configure Shortcuts Configurar Atajos + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + El atajo "{key}" esta asignado a otra acción, por favor utilice un atajo diferente. + OpenLP.SlideController - + Hide Ocultar - + Go To Ir A - + Blank Screen Pantalla en Blanco - + Blank to Theme Proyectar el Tema - + Show Desktop Mostrar Escritorio - + Previous Service Servicio Anterior - + Next Service Servicio Siguiente - + Escape Item Salir de Elemento - + Move to previous. Ir al anterior. - + Move to next. Ir al siguiente. - + Play Slides Reproducir diapositivas - + Delay between slides in seconds. Tiempo entre diapositivas en segundos. - + Move to live. Proyectar. - + Add to Service. Agregar al Servicio. - + Edit and reload song preview. Editar y actualizar la vista previa. - + Start playing media. Reproducir medios. - + Pause audio. Pausar Audio. - + Pause playing media. Pausar medio en reproducción. - + Stop playing media. Detener medio en reproducción. - + Video position. Posición de video. - + Audio Volume. Volumen de audio. - + Go to "Verse" Ir a "Verso" - + Go to "Chorus" Ir a "Coro" - + Go to "Bridge" Ir a "Puente" - + Go to "Pre-Chorus" Ir a "Pre-Coro" - + Go to "Intro" Ir a "Intro" - + Go to "Ending" Ir a "Final" - + Go to "Other" Ir a "Otro" - + Previous Slide Diapositiva anterior - + Next Slide Diapositiva siguiente - + Pause Audio Pausar Audio - + Background Audio Audio de Fondo - + Go to next audio track. Ir a la siguiente pista de audio. - + Tracks Pistas + + + Loop playing media. + Medios en Bucle. + + + + Video timer. + Temporizador de video. + OpenLP.SourceSelectForm - + Select Projector Source Seleccione Entrada de Proyector - + Edit Projector Source Text Editar Nombre de Fuente - + Ignoring current changes and return to OpenLP Ingnorar cambios actuales y regresar a OpenLP - + Delete all user-defined text and revert to PJLink default text Borrar el texto definido por el usuario y volver al texto PJLink original. - + Discard changes and reset to previous user-defined text Descartar cambios y volver al texto de usuario definido anteriormente - + Save changes and return to OpenLP Guardar cambios y regresar a OpenLP. - + Delete entries for this projector Eliminar entradas para este proyector - + Are you sure you want to delete ALL user-defined source input text for this projector? ¿Desea realmente borrar TODO el texto de entradas definido para este projector? @@ -6185,17 +6275,17 @@ Estos archivos serán removidos si continua. OpenLP.SpellTextEdit - + Spelling Suggestions Sugerencias Ortográficas - + Formatting Tags Etiquetas de Formato - + Language: Idioma: @@ -6274,7 +6364,7 @@ Estos archivos serán removidos si continua. OpenLP.ThemeForm - + (approximately %d lines per slide) (aproximadamente %d líneas por diapositiva) @@ -6282,523 +6372,533 @@ Estos archivos serán removidos si continua. OpenLP.ThemeManager - + Create a new theme. Crear un tema nuevo. - + Edit Theme Editar Tema - + Edit a theme. Editar un tema. - + Delete Theme Eliminar Tema - + Delete a theme. Eliminar un tema. - + Import Theme Importar Tema - + Import a theme. Importa un tema. - + Export Theme Exportar Tema - + Export a theme. Exportar un tema. - + &Edit Theme &Editar Tema - + &Delete Theme Elimi&nar Tema - + Set As &Global Default &Global, por defecto - - %s (default) - %s (predeterminado) - - - + You must select a theme to edit. Debe seleccionar un tema para editar. - + You are unable to delete the default theme. No se puede eliminar el tema predeterminado. - + 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 ha sido exportado exitosamente. - + Theme Export Failed La importación falló - + 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. - + &Copy Theme &Copiar Tema - + &Rename Theme &Renombrar Tema - + &Export Theme &Exportar Tema - + You must select a theme to rename. Debe seleccionar un tema para renombrar. - + Rename Confirmation Confirmar Cambio de Nombre - + Rename %s theme? ¿Renombrar el tema %s? - + You must select a theme to delete. Debe seleccionar un tema para eliminar. - + Delete Confirmation Confirmar Eliminación - + Delete %s theme? ¿Eliminar el tema %s? - + Validation Error Error de Validación - + A theme with this name already exists. Ya existe un tema con este nombre. - - Copy of %s - Copy of <theme name> - 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 - La exportación del tema falló por este error: %s - - - + OpenLP Themes (*.otz) Temas OpenLP (*.otz) - - %s time(s) by %s - %s vez (veces) por %s - - - + Unable to delete theme Imposible eliminar Tema + + + {text} (default) + {text} (predeterminado) + + + + Copy of {name} + Copy of <theme name> + Copia de {name} + + + + Save Theme - ({name}) + Guardar Tema - ({name}) + + + + The theme export failed because this error occurred: {err} + La exportación del tema falló por este error: {err} + + + + {name} (default) + {name} (predeterminado) + + + + Theme {name} already exists. Do you want to replace it? + El Tema {name} ya existe. Desea reemplazarlo? + + {count} time(s) by {plugin} + {count} vez(veces) por {plugin} + + + Theme is currently used -%s +{text} El Tema está actualmente en uso -%s +{text} OpenLP.ThemeWizard - + Theme Wizard Asistente para Temas - + Welcome to the Theme Wizard Bienvenido al Asistente para Temas - + Set Up Background Establecer un fondo - + Set up your theme's background according to the parameters below. Establecer el fondo de su tema según los siguientes parámetros. - + Background type: Tipo de fondo: - + Gradient Gradiente - + Gradient: Gradiente: - + Horizontal Horizontal - + Vertical Vertical - + Circular Circular - + Top Left - Bottom Right Arriba Izquierda - Abajo Derecha - + Bottom Left - Top Right Abajo Izquierda - Abajo Derecha - + Main Area Font Details Fuente del Área Principal - + Define the font and display characteristics for the Display text Definir la fuente y las características para el texto en Pantalla - + Font: Fuente: - + Size: Tamaño: - + Line Spacing: - Epaciado de Líneas: + Espaciado de Líneas: - + &Outline: &Contorno: - + &Shadow: &Sombra: - + Bold Negrita - + Italic Cursiva - + Footer Area Font Details Fuente de pie de página - + Define the font and display characteristics for the Footer text Definir la fuente y las características para el texto de pie de página - + Text Formatting Details Detalles de Formato - + Allows additional display formatting information to be defined Permite definir información adicional de formato - + Horizontal Align: Alinea. Horizontal: - + Left Izquierda - + Right Derecha - + Center Centro - + Output Area Locations Ubicación del Área de Proyección - + &Main Area Área &Principal - + &Use default location &Usar ubicación predeterminada - + X position: Posición x: - + px px - + Y position: Posición y: - + Width: Ancho: - + Height: Altura: - + Use default location Usar ubicaciónpredeterminada - + Theme name: Nombre: - - Edit Theme - %s - Editar Tema - %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. Este asistente le ayudará a crear y editar temas. Presione Siguiente para iniciar el proceso al establecer el fondo. - + Transitions: Transiciones: - + &Footer Area &Pie de Página - + Starting color: Color inicial: - + Ending color: Color final: - + Background color: - Color de fondo: + Color del Fondo: - + Justify Justificar - + Layout Preview Vista previa de Distribución - + Transparent Transparente - + Preview and Save Previsualizar y Guardar - + Preview the theme and save it. Previsualizar el tema y guardarlo. - + Background Image Empty Imagen de Fondo Vacía - + Select Image Seleccionar Imagen - + Theme Name Missing Nombre de Tema faltante - + There is no name for this theme. Please enter one. No existe nombre para este tema. Ingrese uno. - + Theme Name Invalid Nombre de Tema inválido - + Invalid theme name. Please enter one. Nombre de tema inválido. Por favor ingrese uno. - + Solid color Color sólido - + color: - color: + Color: - + Allows you to change and move the Main and Footer areas. Le permite cambiar y mover el Área Principal y de Pie de Página. - + You have not selected a background image. Please select one before continuing. No ha seleccionado una imagen de fondo. Seleccione una antes de continuar. + + + Edit Theme - {name} + Editar Tema - {name} + + + + Select Video + + OpenLP.ThemesTab @@ -6881,73 +6981,73 @@ Estos archivos serán removidos si continua. Alinea. &Vertical: - + Finished import. Importación finalizada. - + Format: Formato: - + Importing Importando - + Importing "%s"... Importando "%s"... - + Select Import Source Seleccione la Fuente para Importar - + Select the import format and the location to import from. Seleccione el formato a importar y su ubicación. - + Open %s File Abrir %s Archivo - + %p% %p% - + Ready. Listo. - + Starting import... Iniciando importación... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Debe especificar un archivo %s para importar. - + Welcome to the Bible Import Wizard Bienvenido al Asistente para Biblias - + Welcome to the Song Export Wizard Bienvenido al Asistente para Exportar Canciones - + Welcome to the Song Import Wizard Bienvenido al Asistente para Importar Canciones @@ -6997,39 +7097,34 @@ Estos archivos serán removidos si continua. Error XML de sintaxis - - Welcome to the Bible Upgrade Wizard - Bienvenido al Asistente para Actualizar Biblias - - - + Open %s Folder Abrir Carpeta %s - + You need to specify one %s file to import from. A file type e.g. OpenSong Debe especificar un archivo %s para importar. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Debe especificar una carpeta %s para importar. - + Importing Songs Importando Canciones - + Welcome to the Duplicate Song Removal Wizard Bienvenido al Asistente de Canciones Duplicadas - + Written by Escrito por @@ -7039,540 +7134,600 @@ Estos archivos serán removidos si continua. Autor desconocido - + About Acerca de - + &Add &Agregar - + Add group Agregar grupo - + Advanced Avanzado - + All Files Todos los Archivos - + Automatic Automático - + Background Color Color de fondo - + Bottom Inferior - + Browse... Explorar... - + Cancel Cancelar - + CCLI number: Número CCLI: - + Create a new service. Crear un servicio nuevo. - + Confirm Delete Confirmar Eliminación - + Continuous Continuo - + Default Predeterminado - + Default Color: Color predeterminado: - + 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. Servicio %Y-%m-%d %H-%M - + &Delete &Eliminar - + Display style: Estilo de presentación: - + Duplicate Error Error de Duplicación - + &Edit &Editar - + Empty Field Campo Vacío - + Error Error - + Export Exportar - + File Archivos - + File Not Found Archivo no encontrado - - File %s not found. -Please try selecting it individually. - Archivo %s no encontrado. -Por favor intente seleccionarlo individualmente. - - - + pt Abbreviated font pointsize unit pto - + Help Ayuda - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Carpeta Inválida - + Invalid File Selected Singular Archivo Inválido - + Invalid Files Selected Plural Archivos Inválidos - + Image Imagen - + Import Importar - + Layout style: Distribución: - + Live En Vivo - + Live Background Error Error del Fondo de proyección - + Live Toolbar Barra de Proyección - + Load Cargar - + Manufacturer Singular Fabricante - + Manufacturers Plural Fabricantes - + Model Singular Modelo - + Models Plural Modelos - + m The abbreviated unit for minutes m - + Middle Medio - + New Nuevo - + New Service Servicio Nuevo - + New Theme Tema Nuevo - + Next Track Pista Siguiente - + No Folder Selected Singular Ninguna Carpeta Seleccionada - + No File Selected Singular Archivo No Seleccionado - + No Files Selected Plural Archivos No Seleccionados - + No Item Selected Singular Nada Seleccionado - + No Items Selected Plural Nada Seleccionado - + OpenLP is already running. Do you wish to continue? - OpenLP ya esta abierto. ¿Desea continuar? + OpenLP ya está abierto. ¿Desea continuar? - + Open service. Abrir Servicio. - + Play Slides in Loop Reproducir en Bucle - + Play Slides to End Reproducir hasta el final - + Preview 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: - + Preview Toolbar Barra de Vista Previa - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Reemplazar el fondo proyectado no está disponible cuando WebKit está deshabilitado. Songbook Singular - + Himnario Songbooks Plural + Himnarios + + + + Background color: + Color del Fondo: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + Archivo {name} no encontrado. +Por favor intente seleccionarlo individualmente. + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>La búsqueda ingresada está vacía o tiene menos de 3 caracteres.</strong><br><br>Por favor trate con una búsqueda más larga. + + + + No Bibles Available + Biblias no disponibles + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>No existen Biblias instaladas.</strong><br><br> Puede usar el Asistente de Importación para instalar una o varias Biblias. + + + + Book Chapter + + + + + Chapter + + + + + Verse + Verso + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s y %s - + %s, and %s Locale list separator: end %s, y %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7655,46 +7810,46 @@ Por favor intente seleccionarlo individualmente. Mostrar usando: - + File Exists Ya existe el Archivo - + A presentation with that filename already exists. Ya existe una presentación con este nombre. - + This type of presentation is not supported. No se admite este tipo de presentación. - - Presentations (%s) - Presentaciones (%s) - - - + Missing Presentation Presentación faltante - - The presentation %s is incomplete, please reload. - La presentación %s está incompleta, cárgela nuevamente. + + Presentations ({text}) + Presentaciones ({text}) - - The presentation %s no longer exists. - La presentación %s ya no existe. + + The presentation {name} no longer exists. + La presentación {name} ya no existe. + + + + The presentation {name} is incomplete, please reload. + La presentación {name} está incompleta, cárgela nuevamente. 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. Se produjo un error con la integración de PowerPoint y se cerrará la presentación. Reinicie la presentación para mostrarla de nuevo. @@ -7705,11 +7860,6 @@ Por favor intente seleccionarlo individualmente. Available Controllers Controladores Disponibles - - - %s (unavailable) - %s (no disponible) - Allow presentation application to be overridden @@ -7726,12 +7876,12 @@ Por favor intente seleccionarlo individualmente. Usar la ubicación para el binario de mudraw o ghostscript: - + 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. @@ -7742,13 +7892,20 @@ Por favor intente seleccionarlo individualmente. - Clicking on a selected slide in the slidecontroller advances to next effect. - Hacer clic en el control de diapositivas adelanta al siguiente efecto. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - PowerPoint controla el tamaño y posición de la ventana de presentación (soluciona problema de escalado en Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + PowerPoint controla el tamaño y posición de la ventana de presentación +(soluciona problema de escalado en Windows 8 y 10). + + + + {name} (unavailable) + {name} (no disponible) @@ -7790,127 +7947,127 @@ Por favor intente seleccionarlo individualmente. RemotePlugin.Mobile - + Service Manager Gestor de Servicio - + Slide Controller Control de Diapositivas - + Alerts - Alertas + Avisos - + Search Buscar - + Home Inicio - + Refresh Actualizar - + 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 - + Remote Acceso remoto - + Stage View Vista de Escenario - + Live View Vista En Vivo @@ -7918,79 +8075,89 @@ Por favor intente seleccionarlo individualmente. RemotePlugin.RemoteTab - + Serve on IP address: Dirección IP a Servir: - + Port number: Puerto número: - + Server Settings Config. de Servidor - + Remote URL: URL Remota: - + Stage view URL: URL Administración: - + Display stage time in 12h format Usar formato de 12h en pantalla - + Android App Android App - + Live view URL: URL de Vista del Escenario: - + HTTPS Server Servidor 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. 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: - + Password: Contraseña: - + Show thumbnails of non-text slides in remote and stage view. Mostrar miniaturas para diapostivas no de texto en vista remota y de escenario. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Escanee el código QR o haga click en <a href="%s">descargar</a> para instalar la app Android desde Google Play. + + iOS App + App iOS + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Escanee el código QR o haga click en <a href="{qr}">descargar</a> para instalar la app Android desde Google Play. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Escanee el código QR o haga click en <a href="{qr}">descargar</a> para instalar la app iOS desde la App Store. @@ -8031,50 +8198,50 @@ Por favor intente seleccionarlo individualmente. 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 @@ -8141,24 +8308,10 @@ All data recorded before this date will be permanently deleted. Archivo de Salida - - usage_detail_%s_%s.txt - historial_%s_%s.txt - - - + Report Creation Crear Reporte - - - Report -%s -has been successfully created. - Reporte -%s -se ha creado satisfactoriamente. - Output Path Not Selected @@ -8171,45 +8324,59 @@ 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 - Se produjo un error al crear el reporte: %s + + usage_detail_{old}_{new}.txt + historial_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + Reporte +{name} +se ha creado satisfactoriamente. + + + + An error occurred while creating the report: {error} + 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... @@ -8305,80 +8472,80 @@ 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. @@ -8467,62 +8634,67 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administrado por %s - - - - "%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 - + [above are Song Tags with notes imported from EasyWorship] [arriba están las Etiquetas con las notas importadas desde EasyWorship] - + This file does not exist. Este archivo no existe. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. No se encuentra el archivo "Songs.MB". Debe estar en el mismo folder que el archivo "Songs.DB". - + This file is not a valid EasyWorship database. El archivo no es una base de datos de EasyWorship válida. - + Could not retrieve encoding. No se pudo recuperar la codificación. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Metadatos - + Custom Book Names Nombres Personalizados @@ -8605,57 +8777,57 @@ La codificación se encarga de la correcta representación de caracteres.Tema, Derechos de Autor y Comentarios - + Add Author Agregar Autor - + This author does not exist, do you want to add them? Este autor no existe, ¿desea agregarlo? - + This author is already in the list. - Este autor ya esta en la lista. + Este autor ya está en la lista. - + 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. No ha seleccionado un autor válido. Seleccione un autor de la lista o ingrese un nombre nuevo y presione el botón "Agregar Autor a Canción" para agregar el autor nuevo. - + Add Topic Agregar Categoría - + This topic does not exist, do you want to add it? Esta categoría no existe, ¿desea agregarla? - + This topic is already in the list. - Esta categoría ya esta en la lista. + Esta categoría ya está en la lista. - + 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. No seleccionado una categoría válida. Seleccione una categoría de la lista o ingrese una nueva y presione el botón "Agregar Categoría a Canción" para añadir la categoría nueva. - + You need to type in a song title. Debe escribir un título. - + You need to type in at least one verse. Debe agregar al menos un verso. - + You need to have an author for this song. Debe ingresar un autor para esta canción. @@ -8680,7 +8852,7 @@ La codificación se encarga de la correcta representación de caracteres.Quitar &Todo - + Open File(s) Abrir Archivo(s) @@ -8695,14 +8867,7 @@ La codificación se encarga de la correcta representación de caracteres.<strong>Advertencia:</strong> No ingresó el orden de las estrofas. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - No se encuentra el verso "%(invalid)s". Entradas válidas son %(valid)s. -Por favor ingrese versos separados por espacios. - - - + Invalid Verse Order Orden de Versos Inválido @@ -8712,82 +8877,107 @@ Por favor ingrese versos separados por espacios. &Editar Tipo de Autor - + Edit Author Type Editar el Tipo de Autor - + Choose type for this author Seleccione el tipo para este autor. - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - No hay Versículos correspondientes a "%(invalid)s". Entradas válidas son %(valid)s. -Por favor, introduzca los Versículos separados por espacios. - &Manage Authors, Topics, Songbooks - + Ad&ministrar Autores, Categorías, Himnarios Add &to Song - + A&gregar a Canción Re&move - + E&liminar Authors, Topics && Songbooks - + Autores, Categorías e Himnarios - + Add Songbook - + Agregar Himnario - + This Songbook does not exist, do you want to add it? - + Este himnario no existe, ¿desea agregarlo? - + This Songbook is already in the list. - + Este Himnario ya está en la lista. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + No ha seleccionado un Himnario válido. Seleccione un Himnario de la lista o ingrese un Himnario nuevo y presione el botón "Agregar a Canción" para agregar el Himnario nuevo. + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + No hay Versículos correspondientes a "{invalid}". Entradas válidas son {valid}. +Por favor, introduzca los Versículos separados por espacios. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + No se encuentra el verso "{invalid}". Entradas válidas son {valid}. +Por favor ingrese versos separados por espacios. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + Hay etiquetas de formatos mal posicionadas en los versos: + +{tag} + +Por favor corríjalas antes de continuar. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + Tiene {count} versos con el nombre {name} {number}. Se pueden tener máximo 26 versos con el mismo nombre SongsPlugin.EditVerseForm - + Edit Verse Editar Verso - + &Verse type: Tipo de &verso: - + &Insert &Insertar - + Split a slide into two by inserting a verse splitter. Insertar un separador para dividir la diapositiva. @@ -8800,77 +8990,77 @@ Por favor, introduzca los Versículos separados por espacios. Asistente para Exportar Canciones - + Select Songs Seleccione Canciones - + Check the songs you want to export. Revise las canciones a exportar. - + Uncheck All Desmarcar Todo - + Check All Marcar Todo - + Select Directory Seleccione un Directorio - + Directory: Directorio: - + Exporting Exportando - + Please wait while your songs are exported. Por favor espere mientras se exportan las canciones. - + You need to add at least one Song to export. Debe agregar al menos una Canción para exportar. - + No Save Location specified Destino no especificado - + Starting export... Iniciando exportación... - + You need to specify a directory. Debe especificar un directorio. - + Select Destination Folder Seleccione Carpeta de Destino - + Select the directory where you want the songs to be saved. Seleccionar el directorio para guardar las canciones. - + 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>. @@ -8878,7 +9068,7 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Archivo Foilpresenter no válido. No se hallaron versos. @@ -8886,7 +9076,7 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.GeneralTab - + Enable search as you type Buscar a medida que se escribe @@ -8894,7 +9084,7 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Seleccione Documento/Presentación @@ -8904,237 +9094,252 @@ Por favor, introduzca los Versículos separados por espacios. Asistente para Exportar Canciones - + 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. Este asistente le ayudará a importar canciones de diversos formatos. Presione Siguiente para iniciar el proceso al seleccionar un formato a importar. - + Generic Document/Presentation Documento/Presentación genérica - + Add Files... Agregar Archivos... - + Remove File(s) Eliminar Archivo(s) - + Please wait while your songs are imported. Por favor espere mientras se exportan las canciones. - + Words Of Worship Song Files Archivo Words Of Worship - + Songs Of Fellowship Song Files Archivo Songs Of Fellowship - + SongBeamer Files Archivo SongBeamer - + SongShow Plus Song Files Archivo SongShow Plus - + Foilpresenter Song Files Archivo Foilpresenter - + Copy Copiar - + Save to File Guardar archivo - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. El importador de Songs of Fellowship se ha deshabilitado porque OpenOffice.org o LibreOffice no esta disponible. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. El importador documento/presentación se ha deshabilitado porque OpenOffice.org o LibreOffice no esta disponible. - + OpenLyrics Files Archivos OpenLyrics - + CCLI SongSelect Files Archivos CCLI SongSelect - + EasySlides XML File Archivo EasySlides XML - + EasyWorship Song Database Base de Datos EasyWorship - + DreamBeam Song Files Archivos de Canción DreamBeam - + You need to specify a valid PowerSong 1.0 database folder. Debe especificar una carpeta de datos PowerSong 1.0 válida. - + 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>. Primero convierta su base de datos ZionWork a un archivo de texto CSV, como se explica en el <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Manual de Usuario</a>. - + SundayPlus Song Files Archivos de SundayPlus - + This importer has been disabled. Este importador se ha deshabilitado. - + MediaShout Database Base de datos 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. El importador MediaShout 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. - + SongPro Text Files Archivos de texto SongPro - + SongPro (Export File) SongPro (Archivo Exportado) - + In SongPro, export your songs using the File -> Export menu En SongPro, puede exportar canciones en el menú Archivo -> Exportar - + EasyWorship Service File Archivo de Servicio de EasyWorship - + 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) - + In Worship Assistant, export your Database to a CSV file. En Worship Assistant, exporte su Base de Datos a un archivo CSV. - + OpenLyrics or OpenLP 2 Exported Song Canción exportada por OpenLyrics u OpenLP 2 - + OpenLP 2 Databases Bases de Datos OpenLP 2 - + LyriX Files Archivos LyriX - + LyriX (Exported TXT-files) LyriX (archivos TXT exportados) - + VideoPsalm Files Archivos VideoPsalm - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Los himnarios VideoPsalm normalmente están ubicados en %s + + OPS Pro database + Base de datos OPS Pro + + + + The OPS 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 POS 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. + + + + ProPresenter Song Files + Archivo ProPresenter + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Error: %s + File {name} + Archivo {name} + + + + Error: {error} + Error: {error} @@ -9153,79 +9358,117 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.MediaItem - + Titles Títulos - + Lyrics Letra - + CCLI License: Licensia CCLI: - + Entire Song Canción Completa - + Maintain the lists of authors, topics and books. Administrar la lista de autores, categorías e himnarios. - + copy For song cloning duplicar - + Search Titles... Buscar Títulos... - + Search Entire Song... Buscar Canción Completa... - + Search Lyrics... Buscar Letras... - + Search Authors... Buscar Autores... - - Are you sure you want to delete the "%d" selected song(s)? - ¿Desea borrar la(s) %n cancion(es) seleccionadas? + + Search Songbooks... + Buscar Himnarios... - - Search Songbooks... + + Search Topics... + Buscar Categorías... + + + + Copyright + Derechos Reservados + + + + Search Copyright... + Buscar Derechos... + + + + CCLI number + Número CCLI + + + + Search CCLI number... + Buscar número CCLI... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. No se logró abrir la base de datos MediaShout + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + No se pudo conectar a la base de datos OPS Pro. + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. No es una base de datos de canciones OpenLP 2 válida. @@ -9233,9 +9476,9 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportando "%s"... + + Exporting "{title}"... + Exportando "{title}"... @@ -9254,29 +9497,37 @@ Por favor, introduzca los Versículos separados por espacios. No hay canciones para importar. - + Verses not found. Missing "PART" header. Versos no encontrados. Falta encabezado "PART" - No %s files found. - Ningún archivo %s encontrado. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Archivo %s inválido. Valor de byte inesperado. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Archivo %s inválido.Falta encabezado "TITLE" + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Archivo %s inválido.Falta encabezado "COPYRIGHTLINE" + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9299,25 +9550,25 @@ Por favor, introduzca los Versículos separados por espacios. Songbook Maintenance - + Administración de Himnarios 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 - Su exportación falló por el siguiente error: %s + + Your song export failed because this error occurred: {error} + @@ -9333,17 +9584,17 @@ Por favor, introduzca los Versículos separados por espacios. Las siguientes canciones no se importaron: - + Cannot access OpenOffice or LibreOffice Imposible accesar OpenOffice o LibreOffice - + Unable to open file No se puede abrir el archivo - + File not found Archivo no encontrado @@ -9351,109 +9602,109 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.SongMaintenanceForm - + Could not add your author. No se pudo agregar el autor. - + This author already exists. Este autor ya existe. - + Could not add your topic. No se pudo agregar la categoría. - + This topic already exists. Esta categoría ya existe. - + Could not add your book. No se pudo agregar el himnario. - + This book already exists. Este himnario ya existe. - + Could not save your changes. No se pudo guardar los cambios. - + Could not save your modified author, because the author already exists. No se pudo guardar el autor, porque este ya existe. - + Could not save your modified topic, because it already exists. No se pudo guardar la categoría, porque esta ya existe. - + Delete Author Borrar Autor - + Are you sure you want to delete the selected author? ¿Desea eliminar el autor seleccionado? - + This author cannot be deleted, they are currently assigned to at least one song. No se puede eliminar el autor, esta asociado con al menos una canción. - + Delete Topic Borrar Categoría - + Are you sure you want to delete the selected topic? ¿Desea eliminar la categoría seleccionada? - + This topic cannot be deleted, it is currently assigned to at least one song. No se puede eliminar la categoría, esta asociada con al menos una canción. - + Delete Book Eliminar Libro - + Are you sure you want to delete the selected book? ¿Desea eliminar el himnario seleccionado? - + This book cannot be deleted, it is currently assigned to at least one song. Este himnario no se puede eliminar, esta asociado con al menos una canción. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - El autor %s ya existe. ¿Desea que las canciones con el autor %s utilizen el existente %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + El autor {original} ya existe. ¿Desea que las canciones con el autor {new} utilicen el existente {original}? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - La categoría %s ya existe. ¿Desea que las canciones con la categoría %s utilizen la existente %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + La categoría {original} ya existe. ¿Desea que las canciones con la categoría {new} utilicen la existente {original}? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - El himnario %s ya existe. ¿Desea que las canciones con el himnario %s utilizen el existente %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + El himnario {original} ya existe. ¿Desea que las canciones con el himnario {new} utilicen el existente {original}? @@ -9499,52 +9750,47 @@ Por favor, introduzca los Versículos separados por espacios. Buscar - - Found %s song(s) - Se encontraron %s canción(es) - - - + Logout Cerrar sesión - + View Vista - + Title: Título: - + Author(s): Autor(es): - + Copyright: - Copyright: + Derechos Reservados: - + CCLI Number: Número de CCLI: - + Lyrics: Letra: - + Back Atrás - + Import Importar @@ -9584,7 +9830,7 @@ Por favor, introduzca los Versículos separados por espacios. Se presentó un problema de acceso, ¿el usuario y clave son correctos? - + Song Imported Canción Importada @@ -9599,13 +9845,18 @@ Por favor, introduzca los Versículos separados por espacios. Falta información en la canción, como la letra, y no se puede importar. - + Your song has been imported, would you like to import more songs? Se ha importado su canción, ¿desea importar más canciones? Stop + Detener + + + + Found {count:d} song(s) @@ -9616,30 +9867,30 @@ Por favor, introduzca los Versículos separados por espacios. Songs Mode Modo de canciones - - - Display verses on live tool bar - Mostar los versos en la barra de proyección - Update service from song edit Actualizar servicio desde el editor - - - Import missing songs from service files - Importar canciones faltantes desde archivos de servicio - Display songbook in footer Mostrar himnario al pie + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Mostrar el símbolo "%s" antes de la información de copyright + Display "{symbol}" symbol before copyright info + Mostrar el símbolo "{symbol}" antes de la información de copyright @@ -9663,37 +9914,37 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.VerseType - + Verse Verso - + Chorus Coro - + Bridge Puente - + Pre-Chorus Pre-Coro - + Intro Intro - + Ending Final - + Other Otro @@ -9701,24 +9952,22 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.VideoPsalmImport - - Error: %s - Error: %s + + Error: {error} + Error: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Archivo de canción Words of Worship inválido. -No existe "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + Archivo Words of Worship no válido. Falta el encabezado "{text}". - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Archivo de canción Words of Worship inválido. -No existe "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + Archivo Words of Worship no válido. Falta la cadena "{text}". @@ -9729,30 +9978,30 @@ No existe "%s" string.CSongDoc::CBlock Error al leer el archivo CSV. - - Line %d: %s - Línea %d: %s - - - - Decoding error: %s - Error de decodificación: %s - - - + File not valid WorshipAssistant CSV format. Archivo CSV WorshipAssistant no válido. - - Record %d - Registrar %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. No se pudo conectar a la base de datos WorshipCenter Pro. @@ -9765,25 +10014,30 @@ No existe "%s" string.CSongDoc::CBlock Error al leer el archivo CSV. - + File not valid ZionWorx CSV format. Archivo ZionWorx CSV inválido. - - Line %d: %s - Línea %d: %s - - - - Decoding error: %s - Error de decodificación: %s - - - + Record %d Registrar %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9793,39 +10047,960 @@ No existe "%s" string.CSongDoc::CBlock Asistente - + 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. Esté asistente le ayudará a eliminar canciones duplicadas de la base de datos. Puede revisar cada posible canción duplicada antes de que sea eliminada. Las canciones no se borran sin su consentimiento explícito. - + Searching for duplicate songs. Buscando canciones duplicadas. - + Please wait while your songs database is analyzed. Por favor espere mientras se analiza la base de datos. - + Here you can decide which songs to remove and which ones to keep. Aquí puede decidir entre cuales canciones conservar y cuales eliminar. - - Review duplicate songs (%s/%s) - Revise las canciones duplicadas (%s/%s) - - - + Information Información - + No duplicate songs have been found in the database. No se encontraron canciones duplicadas en la base de datos. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + Oromo (Afaan) + + + + Abkhazian + Language code: ab + Abjasio + + + + Afar + Language code: aa + Afar + + + + Afrikaans + Language code: af + Afrikáans + + + + Albanian + Language code: sq + Albanés + + + + Amharic + Language code: am + Amhárico + + + + Amuzgo + Language code: amu + Amuzgo + + + + Ancient Greek + Language code: grc + Griego Antiguo + + + + Arabic + Language code: ar + Árabe + + + + Armenian + Language code: hy + Armenio + + + + Assamese + Language code: as + Asamés + + + + Aymara + Language code: ay + Aimara + + + + Azerbaijani + Language code: az + Azerí + + + + Bashkir + Language code: ba + Baskir + + + + Basque + Language code: eu + Euskera + + + + Bengali + Language code: bn + Bengalí + + + + Bhutani + Language code: dz + Dzongkha + + + + Bihari + Language code: bh + Bhoyapurí + + + + Bislama + Language code: bi + Bislama + + + + Breton + Language code: br + Bretón + + + + Bulgarian + Language code: bg + Búlgaro + + + + Burmese + Language code: my + Birmano + + + + Byelorussian + Language code: be + Bielorruso + + + + Cakchiquel + Language code: cak + Kakchikel + + + + Cambodian + Language code: km + Camboyano (o Jemer) + + + + Catalan + Language code: ca + Catalán + + + + Chinese + Language code: zh + Chino + + + + Comaltepec Chinantec + Language code: cco + Chinanteca de Comaltepec + + + + Corsican + Language code: co + Corso + + + + Croatian + Language code: hr + Croata + + + + Czech + Language code: cs + Checo + + + + Danish + Language code: da + Danés + + + + Dutch + Language code: nl + Neerlandés (u Holandés) + + + + English + Language code: en + Inglés + + + + Esperanto + Language code: eo + Esperanto + + + + Estonian + Language code: et + Estonio + + + + Faeroese + Language code: fo + Feroés + + + + Fiji + Language code: fj + Fiyiano + + + + Finnish + Language code: fi + Finés + + + + French + Language code: fr + Francés + + + + Frisian + Language code: fy + Frisón (o Frisio) + + + + Galician + Language code: gl + Gallego + + + + Georgian + Language code: ka + Georgiano + + + + German + Language code: de + Alemán + + + + Greek + Language code: el + Griego + + + + Greenlandic + Language code: kl + Groenlandés (o Kalaallisut) + + + + Guarani + Language code: gn + Guaraní + + + + Gujarati + Language code: gu + Guyaratí + + + + Haitian Creole + Language code: ht + Haitiano + + + + Hausa + Language code: ha + Hausa + + + + Hebrew (former iw) + Language code: he + Hebreo (antes iw) + + + + Hiligaynon + Language code: hil + Hiligainón + + + + Hindi + Language code: hi + Hindi (o Hindú) + + + + Hungarian + Language code: hu + Húngaro + + + + Icelandic + Language code: is + Islandés + + + + Indonesian (former in) + Language code: id + Indonesio (antes in) + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Occidental + + + + Inuktitut (Eskimo) + Language code: iu + Inuktitut (o Inuit) + + + + Inupiak + Language code: ik + Iñupiaq + + + + Irish + Language code: ga + Irlandés (o Gaélico) + + + + Italian + Language code: it + Italiano + + + + Jakalteko + Language code: jac + Jacalteco (o Popti') + + + + Japanese + Language code: ja + Japonés + + + + Javanese + Language code: jw + Javanés + + + + K'iche' + Language code: quc + Quechua + + + + Kannada + Language code: kn + Canarés + + + + Kashmiri + Language code: ks + Cachemiro (o Cachemir) + + + + Kazakh + Language code: kk + Kazajo (o Kazajio) + + + + Kekchí + Language code: kek + Q'eqchi' (o Kekchí) + + + + Kinyarwanda + Language code: rw + Ruandés (o Kiñaruanda) + + + + Kirghiz + Language code: ky + Kirguís + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Coreano + + + + Kurdish + Language code: ku + Kurdo + + + + Laothian + Language code: lo + Lao + + + + Latin + Language code: la + Latín + + + + Latvian, Lettish + Language code: lv + Letón + + + + Lingala + Language code: ln + Lingala + + + + Lithuanian + Language code: lt + Lituano + + + + Macedonian + Language code: mk + Macedonio + + + + Malagasy + Language code: mg + Malgache (o Malagasy) + + + + Malay + Language code: ms + Malayo + + + + Malayalam + Language code: ml + Malayalam + + + + Maltese + Language code: mt + Maltés + + + + Mam + Language code: mam + Mam + + + + Maori + Language code: mi + Maorí + + + + Maori + Language code: mri + Maorí + + + + Marathi + Language code: mr + Maratí + + + + Moldavian + Language code: mo + Moldavo + + + + Mongolian + Language code: mn + Mongol + + + + Nahuatl + Language code: nah + Náhuatl + + + + Nauru + Language code: na + Nauruano + + + + Nepali + Language code: ne + Nepalí + + + + Norwegian + Language code: no + Noruego + + + + Occitan + Language code: oc + Occitano + + + + Oriya + Language code: or + Oriya + + + + Pashto, Pushto + Language code: ps + Pastú (o Pashto) + + + + Persian + Language code: fa + Persa + + + + Plautdietsch + Language code: pdt + Plautdietsch (o Bajo alemán menonita) + + + + Polish + Language code: pl + Polaco + + + + Portuguese + Language code: pt + Portugués + + + + Punjabi + Language code: pa + Panyabí (o Penyabi) + + + + Quechua + Language code: qu + Quechua + + + + Rhaeto-Romance + Language code: rm + Romanche + + + + Romanian + Language code: ro + Rumano + + + + Russian + Language code: ru + Ruso + + + + Samoan + Language code: sm + Samoano + + + + Sangro + Language code: sg + Sango + + + + Sanskrit + Language code: sa + Sánscrito + + + + Scots Gaelic + Language code: gd + Gaélico Escocés + + + + Serbian + Language code: sr + Serbio + + + + Serbo-Croatian + Language code: sh + Serbocroata + + + + Sesotho + Language code: st + Sesotho + + + + Setswana + Language code: tn + Setsuana + + + + Shona + Language code: sn + Shona + + + + Sindhi + Language code: sd + Sindhi + + + + Singhalese + Language code: si + Cingalés + + + + Siswati + Language code: ss + Suazi (o SiSwati) + + + + Slovak + Language code: sk + Eslovaco + + + + Slovenian + Language code: sl + Esloveno + + + + Somali + Language code: so + Somalí + + + + Spanish + Language code: es + Español + + + + Sudanese + Language code: su + Sundanés (o Sondanés) + + + + Swahili + Language code: sw + Suajili + + + + Swedish + Language code: sv + Sueco + + + + Tagalog + Language code: tl + Tagalo + + + + Tajik + Language code: tg + Tayiko + + + + Tamil + Language code: ta + Tamil + + + + Tatar + Language code: tt + Tártaro + + + + Tegulu + Language code: te + Télugu + + + + Thai + Language code: th + Tailandés + + + + Tibetan + Language code: bo + Tibetano + + + + Tigrinya + Language code: ti + Tigriña + + + + Tonga + Language code: to + Tongano + + + + Tsonga + Language code: ts + Tsonga + + + + Turkish + Language code: tr + Turco + + + + Turkmen + Language code: tk + Turcomano + + + + Twi + Language code: tw + Twi + + + + Uigur + Language code: ug + Uigur + + + + Ukrainian + Language code: uk + Ucraniano + + + + Urdu + Language code: ur + Urdu + + + + Uspanteco + Language code: usp + Uspanteco + + + + Uzbek + Language code: uz + Uzbeko + + + + Vietnamese + Language code: vi + Vietnamita + + + + Volapuk + Language code: vo + Volapük + + + + Welch + Language code: cy + Galés + + + + Wolof + Language code: wo + Wolof + + + + Xhosa + Language code: xh + Xhosa + + + + Yiddish (former ji) + Language code: yi + Yídish (antes ji) + + + + Yoruba + Language code: yo + Yoruba + + + + Zhuang + Language code: za + Chuan (o Chuang) + + + + Zulu + Language code: zu + Zulú + \ No newline at end of file diff --git a/resources/i18n/et.ts b/resources/i18n/et.ts index 039feaaff..5889e1873 100644 --- a/resources/i18n/et.ts +++ b/resources/i18n/et.ts @@ -120,32 +120,27 @@ Enne nupu Uus vajutamist sisesta mingi tekst. AlertsPlugin.AlertsTab - + Font Font - + Font name: Fondi nimi: - + Font color: Teksti värvus: - - Background color: - Tausta värvus: - - - + Font size: Teksti suurus: - + Alert timeout: Teate kestus: @@ -153,88 +148,78 @@ 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. - Genesis @@ -739,160 +724,107 @@ Enne nupu Uus vajutamist sisesta mingi tekst. Piibel on juba olemas. Impordi Piibel teise nimega või kustuta enne olemasolev Piibel. - - You need to specify a book name for "%s". - Pead "%s" jaoks raamatu nime määrama. - - - - 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. - Raamatu nimi "%s" ei ole õige. -Numbrid võivad asuda ainult alguses ning nende järel peab olema mõni täht. - - - + Duplicate Book Name Dubleeriv raamatu nimi - - The Book Name "%s" has been entered more than once. - Raamatu nimi "%s" on juba ühe korra sisestatud. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error Kirjakohaviite tõrge - - Web Bible cannot be used - Veebipiiblit pole võimalik kasutada + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Sisestatud kirjakohaviide pole toetatud või on vigane. Palun veendu, et see vastab ühele järgnevatest mustritest või loe käsiraamatut: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Raamat peatükk -Raamat peatükk%(range)speatükk -Raamat peatükk%(verse)ssalm%(range)ssalm -Raamat peatükk%(verse)ssalm%(range)ssalm%(list)ssalm%(range)ssalm -Raamat peatükk%(verse)ssalm%(range)ssalm%(list)speatükk%(verse)ssalm%(range)ssalm -Raamat peatükk%(verse)ssalm%(range)speatükk%(verse)ssalm +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Salmi kuvamine - + Only show new chapter numbers Kuvatakse ainult uute peatükkide numbreid - + Bible theme: Piibli kujundus: - + No Brackets Ilma sulgudeta - + ( And ) ( ja ) - + { And } { ja } - + [ And ] [ ja ] - - Note: -Changes do not affect verses already in the service. - Märkus: -Muudatused ei rakendu juba teenistuses olevatele salmidele. - - - + Display second Bible verses Piiblit kuvatakse kahes keeles - + Custom Scripture References Kohandatud kirjakohaviited - - Verse Separator: - Salmide eraldaja: - - - - Range Separator: - Vahemike eraldaja: - - - - List Separator: - Loendi eraldaja: - - - - End Mark: - Lõpu märk: - - - + 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. @@ -901,37 +833,83 @@ Need tuleb eraldada püstkriipsuga |. Vaikeväärtuse kasutamiseks jäta rida tühjaks. - + English Estonian - + Default Bible Language Piibli vaikimisi keel - + Book name language in search field, search results and on display: Raamatu nimede keel otsinguväljal, otsingutulemustes ja ekraanil: - + Bible Language Piibli keel - + Application Language Rakenduse keel - + Show verse numbers Salminumbrite näitamine + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -987,70 +965,76 @@ otsingutulemustes ja ekraanil: BiblesPlugin.CSVBible - - Importing books... %s - Raamatute importimine... %s - - - + Importing verses... done. Salmide importimine... valmis. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + BiblesPlugin.EditBibleForm - + Bible Editor Piibliredaktor - + License Details Litsentsi andmed - + Version name: Versiooni nimi: - + Copyright: Autoriõigus: - + Permissions: Lubatud: - + Default Bible Language Piibli vaikimisi keel - + Book name language in search field, search results and on display: Raamatu nime keel otsinguväljal, otsingutulemustes ja ekraanil: - + Global Settings Globaalsätted - + Bible Language Piibli keel - + Application Language Rakenduse keel - + English Estonian @@ -1070,224 +1054,259 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1318,114 +1337,130 @@ Veebipiibli raamatute nimesid pole võimalik muuta. BiblesPlugin.MediaItem - - Quick - Kiirotsing - - - + Find: Otsing: - + Book: Raamat: - + Chapter: Peatükk: - + Verse: Salm: - + From: Algus: - + To: Kuni: - + Text Search Tekstiotsing - + Second: Teine: - + Scripture Reference Salmiviide - + Toggle to keep or clear the previous results. Vajuta eelmiste tulemuste säilitamiseks või eemaldamiseks. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Ühe- ja kahekeelseid piiblisalmide otsitulemusi pole võimalik kombineerida. Kas tahad otsingu tulemused kustutada ja alustada uue otsinguga? - + Bible not fully loaded. Piibel ei ole täielikult laaditud. - + Information Andmed - - 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. - Teine Piibel ei sisalda kõiki salme, mis on peamises Piiblis. Näidatakse ainult neid salme, mis leiduvad mõlemas Piiblis. %d salmi ei kaasatud tulemustesse. - - - + Search Scripture Reference... Piibliviite otsing... - + Search Text... Teksti otsing... - - Are you sure you want to completely delete "%s" Bible from OpenLP? - -You will need to re-import this Bible to use it again. - Kas sa kindlasti tahad kustutada "%s" piibli OpenLP-st? - -Et jälle seda piiblit kasutada, pead selle uuesti importima. + + Search + Otsi - - Advanced - Täpsem + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. See piibli fail ei ole õiges vormingus. OpenSong vormingus piiblid võivad olla pakitud. Enne importimist pead need lahti pakkima. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. Anti sobimatu piiblifail. See näeb välja nagu Zefania XML Piibel, seega palun kasuta Zefania importimise valikut. @@ -1433,178 +1468,51 @@ Et jälle seda piiblit kasutada, pead selle uuesti importima. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s importimine... + + Importing {name} {chapter}... + 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... %(bookname)s %(chapter)s importimine... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Varunduskataloogi valimine + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Piibli uuendamise nõustaja - - - - 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. - See nõustaja aitab uuendada olemasolevaid Piibleid eelnevatelt OpenLP 2 versioonidelt. Uuendamise alustamiseks klõpsa edasi. - - - - Select Backup Directory - Varunduskausta valimine - - - - Please select a backup directory for your Bibles - Vali oma Piiblitele varunduskataloog - - - - 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>. - Eelmised OpenLP 2.0 versioonid ei suuda kasutada uuendatud Piibleid. Sellega luuakse sinu praegustest Piiblistest varukoopia, et sa saaksid failid kopeerida tagasi OpenLP andmekataloogi, kui sa pead minema tagasi OpenLP eelmisele versioonile. Juhised failide taastamiseks leiad <a href="http://wiki.openlp.org/faq">Korduma Kippuvatest Küsimustest</a>. - - - - Please select a backup location for your Bibles. - Palun vali oma Piiblite varundamise jaoks kataloog. - - - - Backup Directory: - Varunduskataloog: - - - - There is no need to backup my Bibles - Pole vajadust mu Piibleid varundada - - - - Select Bibles - Piiblite valimine - - - - Please select the Bibles to upgrade - Palun vali Piiblid, mida uuendada - - - - Upgrading - Uuendamine - - - - Please wait while your Bibles are upgraded. - Palun oota, kuni Piibleid uuendatakse. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Varundamine ei õnnestunud. -Piiblite varundamiseks peab sul olema õigus antud kataloogi kirjutada. - - - - Upgrading Bible %s of %s: "%s" -Failed - %s Piibli uuendamine %s-st : "%s" -Nurjus - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - %s Piibli uuendamine %s-st : "%s" -Uuendamine... - - - - Download Error - Tõrge allalaadimisel - - - - To upgrade your Web Bibles an Internet connection is required. - Veebipiiblite uuendamiseks on vajalik internetiühendus. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - %s Piibli uuendamine (kokku %s-st): "%s" -%s uuendamine... - - - - Upgrading Bible %s of %s: "%s" -Complete - %s. Piibli uuendamine (kokku %s-st): "%s" -Valmis - - - - , %s failed - , %s nurjus - - - - Upgrading Bible(s): %s successful%s - Piibli(te) uuendamine: %s edukas%s - - - - Upgrade failed. - Uuendamine nurjus. - - - - You need to specify a backup directory for your Bibles. - Pead määrama Piiblite varundamise kataloogi. - - - - Starting upgrade... - Uuendamise alustamine... - - - - There are no Bibles that need to be upgraded. - Pole ühtegi Piiblit, mis vajaks uuendamist. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Piiblite uuendamine: %(success)d edukas %(failed_text)s -Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kasutatakse, selle pärast on ka kasutades vaja internetiühendust. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Anti sobimatu piiblifail. Zefania Piiblid võivad olla pakitud. Need tuleb enne importimist lahti pakkida. @@ -1612,9 +1520,9 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s importimine... + + Importing {book} {chapter}... + @@ -1729,7 +1637,7 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas Kõigi slaidide muutmine ühekorraga. - + Split a slide into two by inserting a slide splitter. Slaidi lõikamine kaheks, sisestades slaidide eraldaja. @@ -1744,7 +1652,7 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas &Autorid: - + You need to type in a title. Pead sisestama pealkirja. @@ -1754,12 +1662,12 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas Muuda &kõiki - + Insert Slide Uus slaid - + You need to add at least one slide. Pead lisama vähemalt ühe slaidi. @@ -1767,7 +1675,7 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas CustomPlugin.EditVerseForm - + Edit Slide Slaidi redigeerimine @@ -1775,8 +1683,8 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1805,11 +1713,6 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas container title Pildid - - - Load a new image. - Uue pildi laadimine. - Add a new image. @@ -1840,6 +1743,16 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas Add the selected image to the service. Valitud pildi lisamine teenistusele. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1864,12 +1777,12 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas 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. @@ -1905,7 +1818,7 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas ImagePlugin.ExceptionDialog - + Select Attachment Manuse valimine @@ -1913,39 +1826,22 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1955,25 +1851,41 @@ Kas tahad teised pildid sellest hoolimata lisada? -- Ü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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Tausta värvus piltidel, mille külgede suhe ei vasta ekraani küljesuhtele. @@ -1981,27 +1893,27 @@ Kas tahad teised pildid sellest hoolimata lisada? Media.player - + Audio Audio - + Video Video - + VLC is an external player which supports a number of different formats. VLC on väline esitaja, mis toetab hulganisti erinevaid vorminguid. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit on meediaesitaja, mis töötab veebibrauseris. Selle esitajaga on võimalik renderdada tekst video peale. - + This media player uses your operating system to provide media capabilities. See meediaesitaja kasutab operatsioonisüsteemi meedia võimalusi. @@ -2009,60 +1921,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. @@ -2178,47 +2090,47 @@ Kas tahad teised pildid sellest hoolimata lisada? VLC mängija ei suuda meediat esitada - + CD not loaded correctly CD pole korrektselt laaditud - + The CD was not loaded correctly, please re-load and try again. CD pole korrektselt sisestatud, sisesta see uuesti ja proovi veel. - + DVD not loaded correctly DVD pole õigesti sisestatud - + The DVD was not loaded correctly, please re-load and try again. DVD pole õigesti sisestatud, sisesta see uuesti ja proovi jälle. - + Set name of mediaclip Meedialõigu nimi - + Name of mediaclip: Meedialõigu nimi: - + Enter a valid name or cancel Sisesta sobiv nimi või loobu - + Invalid character Sobimatu märk - + The name of the mediaclip must not contain the character ":" Meedialõigu nimi ei tohi sisaldada koolonit ":" @@ -2226,90 +2138,100 @@ Kas tahad teised pildid sellest hoolimata lisada? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Fail pole toetatud: - + Use Player: Kasutatav meediaesitaja: - + VLC player required Vaja on VLC mängijat - + VLC player required for playback of optical devices Plaatide esitamiseks on vaja VLC mängijat - + Load CD/DVD Laadi CD/DVD - - Load CD/DVD - only supported when VLC is installed and enabled - CD/DVD laadimine - saadaval ainult siis, kui VLC on paigaldatud ja lubatud - - - - The optical disc %s is no longer available. - Optiline plaat %s pole enam saadaval. - - - + Mediaclip already saved Meedia klipp juba salvestatud - + This mediaclip has already been saved Meedia klipp on juba salvestatud + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2320,41 +2242,19 @@ Kas tahad teised pildid sellest hoolimata lisada? - Start Live items automatically - Ekraanile minevad asjad pannakse automaatselt käima - - - - OPenLP.MainWindow - - - &Projector Manager - &Projektorihaldur + Start new Live media automatically + OpenLP - + Image Files Pildifailid - - Information - Andmed - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Piibli vorming on muutunud. -Sa pead olemasolevad Piiblid uuendama. -Kas OpenLP peaks kohe uuendamist alustama? - - - + Backup Varundus @@ -2369,15 +2269,20 @@ Kas OpenLP peaks kohe uuendamist alustama? Andmekausta varundamine nurjus! - - A backup of the data folder has been created at %s - Andmekausta varukoopia loodi kohta %s - - - + Open Ava + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2387,15 +2292,10 @@ Kas OpenLP peaks kohe uuendamist alustama? Autorid - + License Litsents - - - build %s - kompileering %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. @@ -2424,7 +2324,7 @@ Uuri OpenLP kohta lähemalt: http://openlp.org OpenLP on kirjutanud ja seda haldavad vabatahtlikud. Kui sa tahad näha rohkem tasuta kristlikku tarkvara, siis võib-olla tahad ise vabatahtlikuna kaasa aidata? Klõpsa alumisele nupule - + Volunteer Hakkan vabatahtlikuks @@ -2617,333 +2517,237 @@ See tarkvara on tasuta ja vaba, kuna Tema on meid vabaks teinud. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Autoriõigus © 2004-2016 %s -Osaline autoriõigus © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} + OpenLP.AdvancedTab - + UI Settings Kasutajaliidese sätted - - - Number of recent files to display: - Kuvatavate hiljutiste failide arv: - - Remember active media manager tab on startup - Käivitumisel avatakse viimati avatud meediahalduri osa - - - - Double-click to send items straight to live - Topeltklõps otse ekraanile saatmiseks - - - Expand new service items on creation Uued teenistuse kirjed on loomisel laiendatud - + Enable application exit confirmation Rakenduse lõpetamise teabe lubamine - + Mouse Cursor Hiirekursor - + Hide mouse cursor when over display window Ekraaniakna kohal peidetakse hiirekursor - - Default Image - Vaikimisi pilt - - - - Background color: - Tausta värvus: - - - - Image file: - Pildifail: - - - + Open File Faili avamine - + Advanced Täpsem - - - Preview items when clicked in Media Manager - Meediahalduris klõpsamisel kuvatakse eelvaade - - Browse for an image file to display. - Kuvatava pildi valimine. - - - - Revert to the default OpenLP logo. - Vaikimisi OpenLP logo kasutamine. - - - Default Service Name Teenistuse vaikimisi nimi - + Enable default service name Teenistuse vaikimisi nimi lubatud - + Date and Time: Kuupäev ja kellaaeg: - + Monday Esmaspäeval - + Tuesday Teisipäeval - + Wednesday Kolmapäeval - + Friday Reedel - + Saturday Laupäeval - + Sunday Pühapäeval - + Now Praegu - + Time when usual service starts. Mis kell teenistus tavaliselt algab. - + Name: Nimi: - + Consult the OpenLP manual for usage. Kasutuse kohta lähemalt OpenLP käsiraamatust. - - Revert to the default service name "%s". - Teenistuse vaikimisi vaikenime "%s" taastamine. - - - + Example: Näidis: - + Bypass X11 Window Manager X11 aknahaldur jäetakse vahele - + Syntax error. Süntaksi viga. - + Data Location Andmete asukoht - + Current path: Praegune asukoht: - + Custom path: Kohandatud asukoht: - + Browse for new data file location. Sirvimine andmete faili uue asukoha leidmiseks. - + Set the data location to the default. Andmete vaikimisi asukoha taastamine. - + Cancel Loobu - + Cancel OpenLP data directory location change. Loobu OpenLP andmete kataloogi asukoha muutusest. - + Copy data to new location. Kopeeri andmed uude asukohta. - + Copy the OpenLP data files to the new location. OpenLP andmefailide kopeerimine uude asukohta. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>HOIATUS:</strong> Uus OpenLP andmefailide kataloog juba sisaldab andmefaile. Kopeerimisel need failid ASENDATAKSE. - + Data Directory Error Andmete kataloogi tõrge - + Select Data Directory Location Andmekausta asukoha valimine - + Confirm Data Directory Change Andmekausta muutmise kinnitus - + Reset Data Directory Taasta esialgne andmekaust - + Overwrite Existing Data Olemasolevate andmete ülekirjutamine - - 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 andmekataloogi ei leitud - -%s - -Andmekataloogi asukoht on varem muudetud ning see pole enam vaikimisi asukoht. Kui see oli määratud eemaldatavale andmekandjale, siis tuleb andmekandja enne ühendada. - -Klõpsa "Ei", et peatada OpenLP laadimine, mis võimaldab sul vea parandada. - -Klõpsa "Jah", et kasutada andmekataloogi vaikimisi asukohta. - - - - 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. - Kas sa oled kindel, et tahad määrata OpenLP andmekataloogiks: - -%s - -Andmekataloog muudetakse OpenLP sulgemisel. - - - + Thursday Neljapäev - + Display Workarounds Kuvamise trikid - + Use alternating row colours in lists Loeteludes vahelduvate värvide kasutamine - - 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? - HOIATUS: - -Valitud asukoht - -%s - -juba sisaldab OpenLP andmefaile. Kas tahad sealsed failid asendada praeguste andmefailidega? - - - + Restart Required Vajalik on taaskäivitus - + This change will only take effect once OpenLP has been restarted. See muudatus jõustub alles pärast OpenLP uuesti käivitamist. - + 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. @@ -2951,11 +2755,155 @@ This location will be used after OpenLP is closed. Seda asukohta kasutatakse pärast OpenLP sulgemist. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automaatne + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klõpsa värvi valimiseks. @@ -2963,252 +2911,252 @@ Seda asukohta kasutatakse pärast OpenLP sulgemist. OpenLP.DB - + RGB RGB - + Video Video - + 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 @@ -3216,62 +3164,74 @@ Seda asukohta kasutatakse pärast OpenLP sulgemist. OpenLP.ExceptionDialog - + Error Occurred Esines viga - + Send E-Mail Saada e-kiri - + Save to File Salvesta faili - + Attach File Pane fail kaasa - - - Description characters to enter : %s - Puuduvad tähed kirjelduses: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Palun kirjelda siin, mida sa parasjagu tegid, mis kutsus selle vea esile. -(vähemalt 20 tähte) - - 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. Also attach any files that triggered the problem. - Uups! OpenLP-s esines viga, millest ei suudetud üle saada. Alumises kastis olev tekst võib olla kasulik OpenLP arendajatele, palun meili see aadressil bugs@openlp.org koos täpse kirjeldusega sellest, mida sa parasjagu tegid, kui probleem esines. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation + OpenLP.ExceptionForm - - Platform: %s - - Platvorm: %s - - - - + Save Crash Report Vearaporti salvestamine - + Text files (*.txt *.log *.text) Tekstifailid (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3312,268 +3272,259 @@ Seda asukohta kasutatakse pärast OpenLP sulgemist. 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. - Internetiühendust ei leitud. Esmakäivituse nõustaja vajab internetiühendust näidislaulude, piiblite ja kujunduste allalaadimiseks. OpenLP käivitamiseks tehaseseadistuses ja ilma näidisandmeteta klõpsa lõpetamise nupule. - -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. Allalaadimise käigus esines ühenduse viga, seega järgnevaid asju ei laadita alla. Võid proovida esmakäivituse nõustajat hiljem uuesti käivitada. - - Download complete. Click the %s button to return to OpenLP. - Allalaadimine lõpetatud. Klõpsa %s nupul, et minna tagasi OpenLPsse. - - - - Download complete. Click the %s button to start OpenLP. - Allalaadimine lõpetatud. Klõpsa %s nupul, et käivitada OpenLP. - - - - Click the %s button to return to OpenLP. - Klõpsa %s nupul, et minna tagasi OpenLPsse. - - - - Click the %s button to start OpenLP. - Klõpsa %s nupul, et käivitada OpenLP. - - - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Allalaadimise käigus esines ühenduse viga, seega järgnevaid allalaadimise jäetakse vahele. Võid proovida esmakäivituse nõustajat hiljem uuesti käivitada. - - This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - See nõustaja aitab teha OpenLP kasutamiseks esmase seadistuse. Klõpsa all %s nupule, et alustada. - - - - - -To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - - -Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamata), klõpsa all %s nupule. - - - + Downloading Resource Index Ressursside indeksi allalaadimine - + Please wait while the resource index is downloaded. Palun oota, kuni ressursside indeksi faili alla laaditakse... - + Please wait while OpenLP downloads the resource index file... Palun oota, kuni OpenLP laadib alla ressursside indeksi faili... - + Downloading and Configuring Allalaadimine ja seadistamine - + Please wait while resources are downloaded and OpenLP is configured. Palun oota, kuni andmeid alla laaditakse ja OpenLP ära seadistatakse. - + Network Error Võrgu viga - + There was a network error attempting to connect to retrieve initial configuration information Esialgse seadistuse andmete hankimise katsel esines võrgu viga - - Cancel - Loobu - - - + Unable to download some files Mõnede failide allalaadimine ei õnnestunud + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3616,44 +3567,49 @@ Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamat OpenLP.FormattingTagForm - + <HTML here> <HTML siia> - + Validation Error Valideerimise viga - + Description is missing Kirjeldus puudub - + Tag is missing Silt puudub - Tag %s already defined. - Märgis %s on juba defineeritud. + Tag {tag} already defined. + - Description %s already defined. - Kirjeldus %s on juba määratud. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Algusmärk %s ei ole sobiv HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Lõpusilt %(end)s ei kattu alustava sildiga %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3742,170 +3698,200 @@ Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamat OpenLP.GeneralTab - + General Üldine - + Monitors Monitorid - + Select monitor for output display: Peamise kuva ekraan: - + Display if a single screen Kuvatakse ka, kui on ainult üks ekraan - + Application Startup Rakenduse käivitumine - + Show blank screen warning Kuvatakse tühjendatud ekraani hoiatust - - Automatically open the last service - Automaatselt avatakse viimane teenistus - - - + Show the splash screen Käivitumisel kuvatakse logo - + Application Settings Rakenduse sätted - + Prompt to save before starting a new service Uue teenistuse alustamisel pakutakse eelmise salvestamist - - Automatically preview next item in service - Teenistuse järgmise elemendi automaatne eelvaatlus - - - + sec s - + CCLI Details CCLI andmed - + SongSelect username: SongSelecti kasutajanimi: - + SongSelect password: SongSelecti parool: - + X X - + Y Y - + Height Kõrgus - + Width Laius - + Check for updates to OpenLP OpenLP uuenduste kontrollimine - - Unblank display when adding new live item - Ekraanile saatmisel võetakse ekraani tühjendamine maha - - - + Timed slide interval: Ajastatud slaidi kestus: - + Background Audio Taustamuusika - + Start background audio paused Taustamuusika on alguses pausitud - + Service Item Slide Limits Teenistuse elemendi slaidi mõõtmed - + Override display position: Kuva asukoha käsitsi muutmine: - + Repeat track list Lugude loendi kordamine - + Behavior of next/previous on the last/first slide: Järgmise/eelmise käitumine viimasel/esimesel slaidil: - + &Remain on Slide &Jäädakse slaidile - + &Wrap around &Teenistuse elementi korratakse - + &Move to next/previous service item &Liigutakse järgmisele teenistuse elemendile + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Kuvatava pildi valimine. + + + + Revert to the default OpenLP logo. + Vaikimisi OpenLP logo kasutamine. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Keel - + Please restart OpenLP to use your new language setting. Uue keele kasutamiseks käivita OpenLP uuesti. @@ -3913,7 +3899,7 @@ Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamat OpenLP.MainDisplay - + OpenLP Display OpenLP kuva @@ -3940,11 +3926,6 @@ Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamat &View &Vaade - - - M&ode - &Režiim - &Tools @@ -3965,16 +3946,6 @@ Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamat &Help A&bi - - - Service Manager - Teenistuse haldur - - - - Theme Manager - Kujunduste haldur - Open an existing service. @@ -4000,11 +3971,6 @@ Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamat E&xit &Välju - - - Quit OpenLP - Lahku OpenLPst - &Theme @@ -4016,191 +3982,67 @@ Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamat &Seadista OpenLP... - - &Media Manager - &Meediahaldur - - - - Toggle Media Manager - Meediahalduri lüliti - - - - Toggle the visibility of the media manager. - Meediahalduri nähtavuse ümberlüliti. - - - - &Theme Manager - &Kujunduse haldur - - - - Toggle Theme Manager - Kujunduse halduri lüliti - - - - Toggle the visibility of the theme manager. - Kujunduse halduri nähtavuse ümberlülitamine. - - - - &Service Manager - &Teenistuse haldur - - - - Toggle Service Manager - Teenistuse halduri lüliti - - - - Toggle the visibility of the service manager. - Teenistuse halduri nähtavuse ümberlülitamine. - - - - &Preview Panel - &Eelvaatluspaneel - - - - Toggle Preview Panel - Eelvaatluspaneeli lüliti - - - - Toggle the visibility of the preview panel. - Eelvaatluspaneeli nähtavuse ümberlülitamine. - - - - &Live Panel - &Ekraani paneel - - - - Toggle Live Panel - Ekraani paneeli lüliti - - - - Toggle the visibility of the live panel. - Ekraani paneeli nähtavuse muutmine. - - - - List the Plugins - Pluginate loend - - - + &User Guide &Kasutajajuhend - + &About &Lähemalt - - More information about OpenLP - Lähem teave OpenLP kohta - - - + &Online Help &Abi veebis - + &Web Site &Veebileht - + Use the system language, if available. Kui saadaval, kasutatakse süsteemi keelt. - - Set the interface language to %s - Kasutajaliidese keeleks %s määramine - - - + Add &Tool... Lisa &tööriist... - + Add an application to the list of tools. Rakenduse lisamine tööriistade loendisse. - - &Default - &Vaikimisi - - - - Set the view mode back to the default. - Vaikimisi kuvarežiimi taastamine. - - - + &Setup &Ettevalmistus - - Set the view mode to Setup. - Ettevalmistuse kuvarežiimi valimine. - - - + &Live &Otse - - Set the view mode to Live. - Vaate režiimiks ekraanivaate valimine. - - - - 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 versioon %s on nüüd allalaadimiseks saadaval (sina kasutad praegu versiooni %s). - -Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/. - - - + OpenLP Version Updated OpenLP uuendus - + OpenLP Main Display Blanked OpenLP peakuva on tühi - + The Main Display has been blanked out Peakuva on tühi - - Default Theme: %s - Vaikimisi kujundus: %s - - - + English Please add the name of your language here Estonian @@ -4211,27 +4053,27 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.&Kiirklahvide seadistamine... - + Open &Data Folder... Ava &andmete kataloog... - + Open the folder where songs, bibles and other data resides. Laulude, Piiblite ja muude andmete kataloogi avamine. - + &Autodetect &Isetuvastus - + Update Theme Images Uuenda kujunduste pildid - + Update the preview images for all themes. Kõigi teemade eelvaatepiltide uuendamine. @@ -4241,32 +4083,22 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.Praeguse teenistuse printimine. - - L&ock Panels - &Lukusta paneelid - - - - Prevent the panels being moved. - Paneelide liigutamise kaitse. - - - + Re-run First Time Wizard Käivita esmanõustaja uuesti - + Re-run the First Time Wizard, importing songs, Bibles and themes. Käivita esmanõustaja uuesti laulude, Piiblite ja kujunduste importimiseks. - + Re-run First Time Wizard? Kas käivitada esmanõustaja uuesti? - + 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. @@ -4275,13 +4107,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. @@ -4290,75 +4122,36 @@ Selle nõustaja taaskäivitamine muudab sinu praegust OpenLP seadistust ja võib Configure &Formatting Tags... &Vormindusmärgised... - - - Export OpenLP settings to a specified *.config file - OpenLP sätete eksportimine määratud *.config faili - Settings Sätted - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - OpenLP sätete importimine määratud *.config failist, mis on varem sellest või mõnest teisest arvutist eksporditud. - - - + Import settings? Kas importida sätted? - - Open File - Faili avamine - - - - OpenLP Export Settings Files (*.conf) - OpenLP eksporditud sätete failid (*.conf) - - - + Import settings Sätete importimine - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP sulgub nüüd. Imporditud sätted rakenduvad OpenLP järgmisel käivitumisel. - + Export Settings File Sättefaili eksportimine - - OpenLP Export Settings File (*.conf) - 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 - OpenLP andmekataloogi kopeerimine nurjus - -%s - General @@ -4370,12 +4163,12 @@ Selle nõustaja taaskäivitamine muudab sinu praegust OpenLP seadistust ja võib Kogu - + Jump to the search box of the current active plugin. Parasjagu aktiivse plugina otsingulahtrisse liikumine. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4388,7 +4181,7 @@ Sätete importimine muudab jäädavalt sinu praegust OpenLP seadistust. Väärade sätete importimine võib põhjustada OpenLP väära käitumist või sulgumist. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4397,35 +4190,10 @@ Processing has terminated and no changes have been made. Selle töötlemine katkestati ja ühtegi muudatust ei tehtud. - - Projector Manager - Projektori haldur - - - - Toggle Projector Manager - Projektori halduri lüliti - - - - Toggle the visibility of the Projector Manager - Projektori halduri nähtavuse muutmine - - - + Export setting error Sätete eksportimise viga - - - The key "%s" does not have a default value so it will be skipped in this export. - Võtmel "%s" pole vaikimisi väärtust, seetõttu jäetakse see eksportimisel vahele. - - - - An error occurred while exporting the settings: %s - Sätete eksportimisel esines viga: %s - &Recent Services @@ -4457,131 +4225,340 @@ Selle töötlemine katkestati ja ühtegi muudatust ei tehtud. &Pluginate haldamine - + Exit OpenLP OpenLPst väljumine - + Are you sure you want to exit OpenLP? Kas tahad kindlasti OpenLP sulgeda? - + &Exit OpenLP &Sulge OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Teenistus + + + + Themes + Kujundused + + + + Projectors + Projektorid + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 - Laaditav andmebaas loodi mõne OpenLP vanema versiooniga. Andmebaasi praegune versioon on %d, kuid OpenLP ootab versiooni %d. Andmebaasi ei laadita. - -Andmebaas: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP ei suuda sinu andmebaasi laadida. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Andmebaas: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Ühtegi elementi pole valitud - + &Add to selected Service Item &Lisa valitud teenistuse elemendile - + You must select one or more items to preview. Sa pead valima vähemalt ühe kirje, mida eelvaadelda. - + You must select one or more items to send live. Sa pead valima vähemalt ühe kirje, mida tahad ekraanil näidata. - + You must select one or more items. Pead valima vähemalt ühe elemendi. - + You must select an existing service item to add to. Pead valima olemasoleva teenistuse, millele lisada. - + Invalid Service Item Vigane teenistuse element - - You must select a %s service item. - Pead valima teenistuse elemendi %s. - - - + You must select one or more items to add. Pead valima vähemalt ühe kirje, mida tahad lisada. - + No Search Results Otsing ei andnud tulemusi - + Invalid File Type Sobimatut liiki fail - - Invalid File %s. -Suffix not supported - Sobimatu fail %s. -Selle lõpuga fail ei ole toetatud - - - + &Clone &Klooni - + Duplicate files were found on import and were ignored. Importimisel tuvastati duplikaatfailid ning neid eirati. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Puudub <lyrics> silt. - + <verse> tag is missing. Puudub <verse> silt. @@ -4589,22 +4566,22 @@ Selle lõpuga fail ei ole toetatud OpenLP.PJLink1 - + Unknown status Tundmatu olek - + No message Teateid pole - + Error while sending data to projector Viga andmete saatmisel projektorisse - + Undefined command: Määratlemata käsk: @@ -4612,32 +4589,32 @@ Selle lõpuga fail ei ole toetatud OpenLP.PlayerTab - + Players Esitajad - + Available Media Players Saadaolevad meediaesitajad - + 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. - + %s (unavailable) %s (pole saadaval) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" MÄRKUS: VLC kasutamiseks tuleb paigaldada %s versioon @@ -4646,55 +4623,50 @@ Selle lõpuga fail ei ole toetatud OpenLP.PluginForm - + Plugin Details Plugina andmed - + Status: Olek: - + Active Aktiivne - - Inactive - Pole aktiivne - - - - %s (Inactive) - %s (pole aktiivne) - - - - %s (Active) - %s (aktiivne) + + Manage Plugins + Pluginate haldamine - %s (Disabled) - %s (keelatud) + {name} (Disabled) + - - Manage Plugins - Pluginate haldamine + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Mahuta lehele - + Fit Width Mahuta laius @@ -4702,77 +4674,77 @@ Selle lõpuga fail ei ole toetatud OpenLP.PrintServiceForm - + Options Valikud - + Copy Kopeeri - + Copy as HTML Kopeeri HTMLina - + Zoom In Suurendamine - + Zoom Out Vähendamine - + Zoom Original Originaalsuurus - + Other Options Muud valikud - + Include slide text if available Slaidi tekst, kui saadaval - + Include service item notes Teenistuse kirje märkmed - + Include play length of media items Meediakirjete pikkus - + Add page break before each text item Iga tekstikirje algab uuelt lehelt - + Service Sheet Teenistuse leht - + Print Prindi - + Title: Pealkiri: - + Custom Footer Text: Kohandatud jaluse tekst: @@ -4780,257 +4752,257 @@ Selle lõpuga fail ei ole toetatud OpenLP.ProjectorConstants - + 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 - + PJLink class not supported PJLink klass pole toetatud - + Invalid prefix character Sobimatu prefiksi märk - + The connection was refused by the peer (or timed out) Teine osapool keeldus ühendusest (või see aegus) - + The remote host closed the connection Teine osapool sulges ühenduse - + The host address was not found Hosti aadressi ei leitud - + The socket operation failed because the application lacked the required privileges Pesa käsitlemine nurjus, kuna rakendusel puuduvad vajalikud õigused - + The local system ran out of resources (e.g., too many sockets) Kohalikus süsteemis lõppesid ressursid (n.t liiga palju pesi) - + The socket operation timed out Pesa toiming aegus - + The datagram was larger than the operating system's limit Andmestik oli operatsioonisüsteemi piirangust suurem - + An error occurred with the network (Possibly someone pulled the plug?) Esines võrgu viga (võib-olla tõmbas keegi juhtme välja?) - + The address specified with socket.bind() is already in use and was set to be exclusive socket.bind()-iga määratud aadress on juba kasutusel ning kasutus on märgitud välistavaks. - + The address specified to socket.bind() does not belong to the host socket.bind()-iga määratud aadress ei kuulu sellele hostile. - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) Nõutud pesa tegevus ei ole sinu operatsioonisüsteemi poolt toetatud (nt puudub IPv6 tugi). - + The socket is using a proxy, and the proxy requires authentication Valitud pesa kasutab proksit, mis nõuab autentimist. - + The SSL/TLS handshake failed SSL/TLS käepigistus nurjus - + The last operation attempted has not finished yet (still in progress in the background) Viimane üritatud tegevus pole veel lõpetatud (endiselt toimub taustal). - + Could not contact the proxy server because the connection to that server was denied Proksiserveriga ühendusest keelduti. - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) Ühendus proksiserveriga sulgus ootamatult (enne kui ühendus loodi lõpliku partneriga). - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Ühendus proksiserverisse aegus või proksiserver lõpetas autentimise faasis vastamise. - + The proxy address set with setProxy() was not found setProxy()-ga määratud proksiaadressi ei leitud - + An unidentified error occurred Esines tundmatu viga - + 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 Ühenduse loomise läbirääkimised proksiserveriga nurjusid, kuna proksiserveri vastust ei suudetud mõista. @@ -5038,17 +5010,17 @@ Selle lõpuga fail ei ole toetatud OpenLP.ProjectorEdit - + Name Not Set Nimi pole määratud - + You must enter a name for this entry.<br />Please enter a new name for this entry. Selle kirje jaoks pead sisestama nime.<br />Palun sisesta sellele uus nimi. - + Duplicate Name Dubleeriv nimi @@ -5056,52 +5028,52 @@ Selle lõpuga fail ei ole toetatud OpenLP.ProjectorEditForm - + Add New Projector Uue projektori lisamine - + Edit Projector Muuda projektorit - + IP Address IP-aadress - + Port Number Pordi nimi - + PIN PIN - + Name Nimi - + Location Asukoht - + Notes Märkmed - + Database Error Andmebaasi viga - + There was an error saving projector information. See the log for the error Projektori andmete salvestamisel esines viga. Veateate leiad logist. @@ -5109,305 +5081,360 @@ Selle lõpuga fail ei ole toetatud OpenLP.ProjectorManager - + 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 - - - + Connect to selected projectors Valitud projektoritega ühendumine - + Disconnect from selected projectors Valitud projektoritega ühenduse katkestamine - + Disconnect from selected projector Valitud projektoriga ühenduse katkestamine - + Power on selected projector Valitud projektori sisselülitamine - + Standby selected projector Valitud projektori uinakusse panemine - - Put selected projector in standby - Valitud projektori uinakusse panemine - - - + Blank selected projector screen Valitud projektori ekraan mustaks - + Show selected projector screen Valitud projektori ekraanil jälle pildi näitamine - + &View Projector Information &Kuva projektori andmeid - + &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 - + Port Port - + Notes Märkmed - + 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 - - Delete projector (%s) %s? - Kas kustutada projektor (%s) %s? - - - + Are you sure you want to delete this projector? Kas tahad kindlasti kustutada selle projektori? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Autentimise viga + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Ventilaator - + Lamp Lamp - + Temperature Temperatuur - + Cover Kaas - + Filter Filter - + Other Muu @@ -5453,17 +5480,17 @@ Selle lõpuga fail ei ole toetatud OpenLP.ProjectorWizard - + Duplicate IP Address Dubleeriv IP-aadress - + Invalid IP Address Vigane IP-aadress - + Invalid Port Number Vigane pordi number @@ -5476,27 +5503,27 @@ Selle lõpuga fail ei ole toetatud Ekraan - + primary peamine OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Algus</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Kestus</strong>: %s - - [slide %d] - [slaid %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5560,52 +5587,52 @@ Selle lõpuga fail ei ole toetatud Valitud elemendi kustutamine teenistusest. - + &Add New Item &Lisa uus element - + &Add to Selected Item &Lisa valitud elemendile - + &Edit Item &Muuda kirjet - + &Reorder Item &Muuda elemendi kohta järjekorras - + &Notes &Märkmed - + &Change Item Theme &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 @@ -5630,7 +5657,7 @@ Selle lõpuga fail ei ole toetatud Kõigi teenistuse kirjete ahendamine. - + Open File Faili avamine @@ -5660,22 +5687,22 @@ Selle lõpuga fail ei ole toetatud Valitud kirje saatmine ekraanile. - + &Start Time &Alguse aeg - + Show &Preview Näita &eelvaadet - + Modified Service Teenistust on muudetud - + The current service has been modified. Would you like to save this service? Praegust teenistust on muudetud. Kas tahad selle teenistuse salvestada? @@ -5695,27 +5722,27 @@ Selle lõpuga fail ei ole toetatud Kestus: - + Untitled Service 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 @@ -5735,147 +5762,145 @@ 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. - + Service File(s) Missing Teenistuse failid on puudu - + &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. Teenistuse fail, mida püüad avada, on vanas vormingus. Palun salvesta see OpenLP 2.0.2-ga või uuemaga. - + 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 - Teenistuse faili kirjutamisel esines viga: %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Teenistusest puuduvad järgmised failid: %s - -Need failid eemaldatakse, kui sa otsustad siiski salvestada. + + + + + An error occurred while writing the service file: {error} + @@ -5907,15 +5932,10 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Kiirklahv - + Duplicate Shortcut Dubleeriv kiirklahv - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Kiirklahv "%s" on juba seotud teise tegevusega, kasuta mingit muud kiirklahvi. - Alternate @@ -5961,219 +5981,234 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Configure Shortcuts Seadista kiirklahve + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Peida - + Go To Mine - + Blank Screen Ekraani tühjendamine - + Blank to Theme Kujunduse tausta näitamine - + Show Desktop Töölaua näitamine - + Previous Service Eelmine teenistus - + Next Service Järgmine teenistus - + Escape Item Kuva sulgemine - + Move to previous. Eelmisele liikumine. - + Move to next. Järgmisele liikumine. - + Play Slides Slaidide esitamine - + Delay between slides in seconds. Viivitus slaidide vahel sekundites. - + Move to live. Ekraanile saatmine. - + Add to Service. Teenistusele lisamine. - + Edit and reload song preview. Laulu muutmine ja eelvaate uuesti laadimine. - + Start playing media. Meedia esitamise alustamine. - + Pause audio. Audio pausimine. - + Pause playing media. Meedia esitamise pausimine. - + Stop playing media. Meedia esitamise peatamine. - + Video position. Video asukoht. - + Audio Volume. Helivaljus. - + Go to "Verse" Mine salmile - + Go to "Chorus" Mine refräänile - + Go to "Bridge" Mine vahemängule - + Go to "Pre-Chorus" Mine eelrefräänile - + Go to "Intro" Mine sissejuhatusele - + Go to "Ending" Mine lõpetusele - + Go to "Other" Mine muule osale - + Previous Slide Eelmine slaid - + Next Slide Järgmine slaid - + Pause Audio Audio pausimine - + Background Audio Taustamuusika - + Go to next audio track. Järgmisele muusikapalale liikumine. - + Tracks Palad + + + Loop playing media. + + + + + Video timer. + + OpenLP.SourceSelectForm - + Select Projector Source Projektori allika valimine - + Edit Projector Source Text Projektori allikteksti muutmine - + Ignoring current changes and return to OpenLP Praeguste muudatuste eiramine ja OpenLPsse naasmine - + Delete all user-defined text and revert to PJLink default text Kustuta kõik kasutaja määratud tekst ja taasta PJLink'i vaikimisi tekst. - + Discard changes and reset to previous user-defined text Hülga muudatused ja taasta eelmine kasutaja määratud tekst - + Save changes and return to OpenLP Salvesta muudatused ja naase OpenLPsse - + Delete entries for this projector Kustuta selle projektori andmed - + Are you sure you want to delete ALL user-defined source input text for this projector? Kas oled kindel, et tahad kustutada KÕIK kasutaja poolt selle projektori jaoks määratud sisendteksti? @@ -6181,17 +6216,17 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. OpenLP.SpellTextEdit - + Spelling Suggestions Õigekirjasoovitused - + Formatting Tags Vormindussildid - + Language: Keel: @@ -6270,7 +6305,7 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. OpenLP.ThemeForm - + (approximately %d lines per slide) (umbes %d rida slaidil) @@ -6278,523 +6313,531 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. OpenLP.ThemeManager - + Create a new theme. Uue kujunduse loomine. - + Edit Theme Kujunduse muutmine - + Edit a theme. Kujunduse muutmine. - + Delete Theme Kujunduse kustutamine - + Delete a theme. Kujunduse kustutamine. - + Import Theme Kujunduse importimine - + Import a theme. Kujunduse importimine. - + Export Theme Kujunduse eksportimine - + Export a theme. Kujunduse eksportimine. - + &Edit Theme Kujunduse &muutmine - + &Delete Theme Kujunduse &kustutamine - + Set As &Global Default Määra &globaalseks vaikeväärtuseks - - %s (default) - %s (vaikimisi) - - - + You must select a theme to edit. Pead valima kujunduse, mida muuta. - + You are unable to delete the default theme. Vaikimisi kujundust pole võimalik kustutada. - + 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 - + Select Theme Import File Importimiseks kujunduse faili valimine - + File is not a valid theme. See fail ei ole sobilik kujundus. - + &Copy Theme &Kopeeri kujundust - + &Rename Theme &Nimeta kujundus ümber - + &Export Theme &Ekspordi kujundus - + You must select a theme to rename. Pead valima kujunduse, mida ümber nimetada. - + Rename Confirmation Ümbernimetamise kinnitus - + Rename %s theme? Kas anda kujundusele %s uus nimi? - + You must select a theme to delete. Pead valima kujunduse, mida tahad kustutada. - + Delete Confirmation Kustutamise kinnitus - + Delete %s theme? Kas kustutada kujundus %s? - + Validation Error Valideerimise viga - + A theme with this name already exists. Sellenimeline teema on juba olemas. - - Copy of %s - Copy of <theme name> - %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 - Kujunduse eksportimine nurjus, kuna esines järgmine viga: %s - - - + OpenLP Themes (*.otz) OpenLP kujundused (*.otz) - - %s time(s) by %s - %s kord(a) pluginas %s - - - + Unable to delete theme Kujundust pole võimalik kustutada + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Teema on praegu kasutusel - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Kujunduse nõustaja - + Welcome to the Theme Wizard Tere tulemast kujunduse nõustajasse - + Set Up Background Tausta määramine - + Set up your theme's background according to the parameters below. Määra kujunduse taust, kasutades järgnevaid parameetreid. - + Background type: Tausta liik: - + Gradient Üleminek - + Gradient: Üleminek: - + Horizontal Horisontaalne - + Vertical Vertikaalne - + Circular Radiaalne - + Top Left - Bottom Right Loodest kagusse - + Bottom Left - Top Right Edelast kirdesse - + Main Area Font Details Peamise teksti üksikasjad - + Define the font and display characteristics for the Display text Määra font ja teised teksti omadused - + Font: Font: - + Size: Suurus: - + Line Spacing: Reavahe: - + &Outline: &Kontuurjoon: - + &Shadow: &Vari: - + Bold Rasvane - + Italic Kaldkiri - + Footer Area Font Details Jaluse fondi üksikasjad - + Define the font and display characteristics for the Footer text Määra jaluse font ja muud omadused - + Text Formatting Details Teksti vorminduse üksikasjad - + Allows additional display formatting information to be defined Võimaldab määrata lisavorminduse andmeid - + Horizontal Align: Rõhtjoondus: - + Left Vasakul - + Right Paremal - + Center Keskel - + Output Area Locations Väljundala asukoht - + &Main Area &Peamine ala - + &Use default location &Vaikimisi asukoha kasutamine - + X position: X-asukoht: - + px px - + Y position: Y-asukoht: - + Width: Laius: - + Height: Kõrgus: - + Use default location Vaikimisi asukoha kasutamine - + Theme name: Kujunduse nimi: - - Edit Theme - %s - Teema muutmine - %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. See nõustaja aitab kujundusi luua ja muuta. Klõpsa edasi nupul, et alustada tausta määramisest. - + Transitions: Üleminekud: - + &Footer Area &Jaluse ala - + Starting color: Algusvärvus: - + Ending color: Lõppvärvus: - + Background color: Tausta värvus: - + Justify Rööpjoondus - + Layout Preview Kujunduse eelvaade - + Transparent Läbipaistev - + Preview and Save Eelvaatle ja salvesta - + Preview the theme and save it. Kujunduse eelvaade ja salvestamine. - + Background Image Empty Taustapilt on tühi - + Select Image Pildi valimine - + Theme Name Missing Kujunduse nimi puudub - + There is no name for this theme. Please enter one. Sellel kujundusel pole nime. Palun sisesta nimi. - + Theme Name Invalid Kujunduse nimi pole sobiv. - + Invalid theme name. Please enter one. Kujunduse nimi ei sobi. Palun sisesta uus nimi. - + 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. - + You have not selected a background image. Please select one before continuing. Sa pole valinud taustapilti. Palun vali enne jätkamist taustapilt. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6877,73 +6920,73 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. &Vertikaaljoondus: - + Finished import. Importimine lõpetatud. - + Format: Vorming: - + Importing Importimine - + Importing "%s"... "%s" importimine... - + Select Import Source Importimise allika valimine - + Select the import format and the location to import from. Vali importimise vorming ja asukoht, kust importida. - + Open %s File %s faili avamine - + %p% %p% - + Ready. Valmis. - + Starting import... Importimise alustamine... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Pead määrama vähemalt ühe %s faili, millest importida. - + Welcome to the Bible Import Wizard Tere tulemast Piibli importimise nõustajasse - + Welcome to the Song Export Wizard Tere tulemast laulude eksportimise nõustajasse - + Welcome to the Song Import Wizard Tere tulemast laulude importimise nõustajasse @@ -6993,39 +7036,34 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. XML süntaksi viga - - Welcome to the Bible Upgrade Wizard - Tere tulemast Piibli uuendamise nõustajasse - - - + Open %s Folder Ava %s kaust - + You need to specify one %s file to import from. A file type e.g. OpenSong Pead valim ühe %s faili, millest importida. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Pead valima ühe %s kausta, millest importida. - + Importing Songs Laulude importimine - + Welcome to the Duplicate Song Removal Wizard Tere tulemast duplikaatlaulude eemaldamise nõustajasse - + Written by Autor @@ -7035,502 +7073,490 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Autor teadmata - + About Rakendusest - + &Add &Lisa - + Add group Lisa grupp - + Advanced Täpsem - + All Files Kõik failid - + Automatic Automaatne - + Background Color Taustavärv - + Bottom All - + Browse... Lehitse... - + Cancel Loobu - + CCLI number: CCLI number: - + Create a new service. Uue teenistuse loomine. - + Confirm Delete Kustutamise kinnitus - + Continuous Jätkuv - + Default Vaikimisi - + Default Color: Vaikimisi värvus: - + 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. Teenistus %Y-%m-%d %H-%M - + &Delete &Kustuta - + Display style: Kuvalaad: - + Duplicate Error Korduse viga - + &Edit &Muuda - + Empty Field Tühi väli - + Error Viga - + Export Ekspordi - + File Fail - + File Not Found Faili ei leitud - - File %s not found. -Please try selecting it individually. - Faili %s ei leitud. -Palun vali see eraldi. - - - + pt Abbreviated font pointsize unit pt - + Help Abi - + h The abbreviated unit for hours t - + Invalid Folder Selected Singular Valiti sobimatu kataloog - + Invalid File Selected Singular Valiti sobimatu fail - + Invalid Files Selected Plural Valiti sobimatud failid - + Image Pilt - + Import Impordi - + Layout style: Paigutuse laad: - + Live Ekraan - + Live Background Error Ekraani tausta viga - + Live Toolbar Ekraani tööriistariba - + Load Laadi - + Manufacturer Singular Tootja - + Manufacturers Plural Tootjad - + Model Singular Mudel - + Models Plural Mudelid - + m The abbreviated unit for minutes m - + Middle Keskel - + New Uus - + New Service Uus teenistus - + New Theme Uus kujundus - + Next Track Järgmine pala - + No Folder Selected Singular Ühtegi kasuta pole valitud - + No File Selected Singular Ühtegi faili pole valitud - + No Files Selected Plural Ühtegi faili pole valitud - + No Item Selected Singular Ühtegi elementi pole valitud - + No Items Selected Plural Ühtegi elementi pole valitud - + OpenLP is already running. Do you wish to continue? OpenLP juba töötab. Kas tahad jätkata? - + Open service. Teenistuse avamine. - + Play Slides in Loop Slaide korratakse - + Play Slides to End Slaide näidatakse üks kord - + Preview 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: - + Preview Toolbar Tööriistariba eelvaade - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. @@ -7546,29 +7572,100 @@ Palun vali see eraldi. Plural + + + Background color: + Tausta värvus: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Ühtegi Piiblit pole saadaval + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Salm + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s ja %s - + %s, and %s Locale list separator: end %s, ja %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7651,47 +7748,47 @@ Palun vali see eraldi. Esitluseks kasutatakse: - + File Exists Fail on olemas - + A presentation with that filename already exists. Sellise nimega esitluse fail on juba olemas. - + This type of presentation is not supported. Seda liiki esitlus ei ole toetatud. - - Presentations (%s) - Esitlused (%s) - - - + Missing Presentation Puuduv esitlus - - The presentation %s is incomplete, please reload. - Esitlus %s pole täielik, palun laadi uuesti. + + Presentations ({text}) + - - The presentation %s no longer exists. - Esitlust %s pole enam olemas. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + PresentationPlugin.PowerpointDocument - - An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - Powerpointi integratsioonil esines viga ja esitlus jääb pooleli. Alusta esitlust uuesti, kui sa siiski tahad seda näidata. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7701,11 +7798,6 @@ Palun vali see eraldi. Available Controllers Saadaolevad juhtijad - - - %s (unavailable) - %s (pole saadaval) - Allow presentation application to be overridden @@ -7722,12 +7814,12 @@ Palun vali see eraldi. Kasutatakse järgmist mudraw'i või ghostscript'i binaarfaili täielikku asukohta: - + Select mudraw or ghostscript binary. Vali mudraw'i või ghostscript'i binaarfail. - + The program is not ghostscript or mudraw which is required. See fail peab olema ghostscript'i või mudraw'i vormingus, aga pole. @@ -7738,13 +7830,19 @@ Palun vali see eraldi. - Clicking on a selected slide in the slidecontroller advances to next effect. - Valitud slaidi klõpsamine slaidivahetajas sooritab järgmise sammu. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - PowerPointil lubatakse juhtida esitlusakne asukohta ja suurust (trikk Windows 8 skaleerimisprobleemi jaoks). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7786,127 +7884,127 @@ 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 - + Remote Kaugjuhtimine - + Stage View Lavavaade - + Live View Ekraan @@ -7914,79 +8012,89 @@ Palun vali see eraldi. RemotePlugin.RemoteTab - + Serve on IP address: Serveeritakse ainult IP-aadressilt: - + Port number: Pordi number: - + Server Settings Serveri sätted - + Remote URL: Kaugjuhtimise URL: - + Stage view URL: Lavavaate URL: - + Display stage time in 12h format Laval kuvatakse aega 12-tunni vormingus - + Android App Androidi rakendus - + Live view URL: Ekraanivaate UR: - + 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. SSL sertifikaati ei leitud. HTTPS server ei ole saadaval kui SSL sertifikaati ei leita. Loe selle kohta käsiraamatust. - + User Authentication Kasutaja autentimine - + User id: Kasutaja ID: - + Password: Parool: - + Show thumbnails of non-text slides in remote and stage view. Mitte-teksti slaididest näidatakse kaug- ja lavavaates pisipilte. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Skanni QR koodi või klõpsa Androidi rakenduse <a href="%s">allalaadimiseks</a> Google Playst. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8027,50 +8135,50 @@ Palun vali see eraldi. 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 @@ -8138,24 +8246,10 @@ Kõik kuni selle kuupäevani salvestatud andmed kustutatakse pöördumatult.Väljundfaili asukoht - - usage_detail_%s_%s.txt - laulukasutuse_andmed_%s_%s.txt - - - + Report Creation Raporti koostamine - - - Report -%s -has been successfully created. - Raport -%s -on edukalt loodud. - Output Path Not Selected @@ -8169,45 +8263,57 @@ Please select an existing path on your computer. Palun vali mõni sinu arvutis asuv olemasolev kaust. - + Report Creation Failed Raporti koostamine nurjus - - An error occurred while creating the report: %s - Raporti koostamisel esines viga: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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... @@ -8302,80 +8408,80 @@ 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. @@ -8464,62 +8570,67 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Haldab %s - - - - "%s" could not be imported. %s - "%s" pole võimalik importida. %s - - - + Unexpected data formatting. Ootamatu andmevorming. - + No song text found. Lauluteksti ei leitud. - + [above are Song Tags with notes imported from EasyWorship] [ülemised laulusildid on koos märkustega imporditud EasyWorshipist] - + This file does not exist. Faili pole olemas. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. "Songs.MB" faili ei leitud. See peaks olema "Songs.DB" failiga samas kaustas. - + This file is not a valid EasyWorship database. See fail ei ole sobiv EasyWorship andmebaas. - + Could not retrieve encoding. Kodeeringut pole võimalik hankida. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Metaandmed - + Custom Book Names Kohandatud raamatunimed @@ -8602,57 +8713,57 @@ Kodeering on vajalik märkide õige esitamise jaoks. Kujundus, autoriõigus && kommentaarid - + Add Author Autori lisamine - + This author does not exist, do you want to add them? Seda autorit veel pole, kas tahad autori lisada? - + This author is already in the list. See autor juba on loendis. - + 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. Sa ei ole valinud ühtegi sobilikku autorit. Vali autor loendist või sisesta uue autori nimi ja klõpsa uue nupul "Lisa laulule autor". - + Add Topic Teema lisamine - + This topic does not exist, do you want to add it? Sellist teemat pole. Kas tahad selle lisada? - + This topic is already in the list. See teema juba on loendis. - + 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. Sa pole valinud sobivat teemat. Vali teema kas loendist või sisesta uus teema ja selle lisamiseks klõpsa nupule "Lisa laulule teema". - + You need to type in a song title. Pead sisestama laulu pealkirja. - + You need to type in at least one verse. Pead sisestama vähemalt ühe salmi. - + You need to have an author for this song. Pead lisama sellele laulule autori. @@ -8677,7 +8788,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. Eemalda &kõik - + Open File(s) Failide avamine @@ -8692,14 +8803,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. <strong>Hoiatus:</strong> sa pole sisestanud salmide järjekorda. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Pole salmi, mis vastaks "%(invalid)s". Sobivad kanded on %(valid)s. -Palun eralda salmid tühikutega. - - - + Invalid Verse Order Sobimatu salmijärjekord @@ -8709,22 +8813,15 @@ Palun eralda salmid tühikutega. &Muuda autori liiki - + Edit Author Type Autori liigi muutmine - + Choose type for this author Vali selle autori liik - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Pole salme, mis vastaksid "%(invalid)s". Sobivad kanded on %(valid)s. -Palun eralda salmid tühikutega. - &Manage Authors, Topics, Songbooks @@ -8746,45 +8843,71 @@ Palun eralda salmid tühikutega. - + Add Songbook - + This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Salmi muutmine - + &Verse type: &Salmi liik: - + &Insert &Sisesta - + Split a slide into two by inserting a verse splitter. Slaidi tükeldamine slaidipoolitajaga. @@ -8797,77 +8920,77 @@ Palun eralda salmid tühikutega. Laulude eksportimise nõustaja - + Select Songs Laulude valimine - + Check the songs you want to export. Vali laulud, mida tahad eksportida. - + Uncheck All Eemalda märgistus - + Check All Märgi kõik - + Select Directory Kataloogi valimine - + Directory: Kataloog: - + Exporting Eksportimine - + Please wait while your songs are exported. Palun oota, kuni kõik laulud on eksporditud. - + You need to add at least one Song to export. Pead lisama vähemalt ühe laulu, mida tahad eksportida. - + No Save Location specified Salvestamise asukohta pole määratud - + Starting export... Eksportimise alustamine... - + You need to specify a directory. Pead määrama kataloogi. - + Select Destination Folder Sihtkausta valimine - + Select the directory where you want the songs to be saved. Vali kataloog, kuhu tahad laulu salvestada. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. See nõustaja aitab laule eksportida avatud ja vabas <strong>OpenLyricsi</strong> ülistuslaulude vormingus. @@ -8875,7 +8998,7 @@ Palun eralda salmid tühikutega. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Vigane Foilpresenteri laulufail. Salme ei leitud. @@ -8883,7 +9006,7 @@ Palun eralda salmid tühikutega. SongsPlugin.GeneralTab - + Enable search as you type Otsing sisestamise ajal @@ -8891,7 +9014,7 @@ Palun eralda salmid tühikutega. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Dokumentide/esitluste valimine @@ -8901,237 +9024,252 @@ Palun eralda salmid tühikutega. Laulude importimise nõustaja - + 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. See nõustaja aitab importida paljudes erinevates vormingutes laule. Klõpsa all asuvat edasi nuppu, et jätkata importimise vormingu valimisega. - + Generic Document/Presentation Tavaline dokument/esitlus - + Add Files... Lisa faile... - + Remove File(s) Faili(de) eemaldamine - + Please wait while your songs are imported. Palun oota, kuni laule imporditakse. - + Words Of Worship Song Files Words Of Worship Song failid - + Songs Of Fellowship Song Files Songs Of Fellowship laulufailid - + SongBeamer Files SongBeameri laulufailid - + SongShow Plus Song Files SongShow Plus laulufailid - + Foilpresenter Song Files Foilpresenteri laulufailid - + Copy Kopeeri - + Save to File Salvesta faili - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Songs of Fellowship importija on keelatud, kuna OpenLP-l puudub ligiäpääs OpenOffice'le või LibreOffice'le. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Tavalise dokumendi/esitluse importija on keelatud, kuna OpenLP-l puudub ligipääs OpenOffice'le või LibreOffice'le. - + OpenLyrics Files OpenLyrics failid - + CCLI SongSelect Files CCLI SongSelecti failid - + EasySlides XML File EasySlides XML fail - + EasyWorship Song Database EasyWorship laulude andmebaas - + DreamBeam Song Files DreamBeam'i laulufailid - + You need to specify a valid PowerSong 1.0 database folder. Pead valima õige PowerSong 1.0 andmebaasi kataloogi. - + 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>. Kõigepealt teisenda oma ZionWorx andmebaas CSV tekstifailiks, vastavalt juhendile <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">kasutaja käsiraamatus</a>. - + SundayPlus Song Files SundayPlus'i laulufailid - + This importer has been disabled. Importija on keelatud. - + MediaShout Database MediaShout andmebaas - + 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 importija töötab ainult Windowsi platvormil. See on keelatud puuduva Pythoni mooduli pärast. Selle importija kasutamiseks pead paigaldama "pyodbc" mooduli. - + SongPro Text Files SongPro tekstifailid - + SongPro (Export File) SongPro (eksportfail) - + In SongPro, export your songs using the File -> Export menu Ekspordi oma laulud SongPro menüüst kasutades File -> Export. - + EasyWorship Service File EasyWorship teenistuse fail - + WorshipCenter Pro Song Files WorshipCenter Pro laulufailid - + 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 importija on toetatud ainult Windowsis. See on keelatud, kuna vajalik Pythoni moodul puudub. Kui tahad seda importijat kasutada, paigalda "pyodbc" moodul. - + PowerPraise Song Files PowerPraise laulufailid - + 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. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics või OpenLP 2.0-st eksporditud laul - + OpenLP 2 Databases OpenLP 2.0 andmebaasid - + LyriX Files LyriX failid - + LyriX (Exported TXT-files) LyriX (eksporditud tekstifailid) - + VideoPsalm Files VideoPsalmi failid - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - VideoPsalmi laulikud asuvad tavaliselt kaustas %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Viga: %s + File {name} + + + + + Error: {error} + @@ -9150,79 +9288,117 @@ Palun eralda salmid tühikutega. SongsPlugin.MediaItem - + Titles Pealkirjad - + Lyrics Laulusõnad - + CCLI License: CCLI litsents: - + Entire Song Kogu laulust - + Maintain the lists of authors, topics and books. Autorite, teemade ja laulikute loendi haldamine. - + copy For song cloning koopia - + Search Titles... Pealkirjade otsing... - + Search Entire Song... Otsing kogu laulust... - + Search Lyrics... Laulusõnade otsing... - + Search Authors... Autorite otsing... - - Are you sure you want to delete the "%d" selected song(s)? + + Search Songbooks... - - Search Songbooks... + + Search Topics... + + + + + Copyright + Autoriõigused + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. MediaShout andmebaasi ei suudetud avada. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. See pole korrektne OpenLP 2 laulude andmebaas. @@ -9230,9 +9406,9 @@ Palun eralda salmid tühikutega. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - "%s" eksportimine... + + Exporting "{title}"... + @@ -9251,29 +9427,37 @@ Palun eralda salmid tühikutega. Pole laule, mida importida. - + Verses not found. Missing "PART" header. Salme ei leitud. "PART" päis puudub. - No %s files found. - Ühtegi %s faili ei leitud. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Sobimatu %s fail. Ootamatu väärtusega bait. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Sobimatu %s fail. Puudub "TITLE" päis. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Sobimatu %s fail. Puudub "COPYRIGHTLINE" päis. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9302,19 +9486,19 @@ Palun eralda salmid tühikutega. 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 + + Your song export failed because this error occurred: {error} + @@ -9330,17 +9514,17 @@ Palun eralda salmid tühikutega. Järgnevaid laule polnud võimalik importida: - + Cannot access OpenOffice or LibreOffice Puudub ligipääs OpenOffice'le või LibreOffice'le - + Unable to open file Faili avamine ei õnnestunud - + File not found Faili ei leitud @@ -9348,109 +9532,109 @@ Palun eralda salmid tühikutega. SongsPlugin.SongMaintenanceForm - + Could not add your author. Autori lisamine pole võimalik. - + This author already exists. See autor on juba olemas. - + Could not add your topic. Sinu teema lisamine pole võimalik. - + This topic already exists. Teema on juba olemas. - + Could not add your book. Lauliku lisamine pole võimalik. - + This book already exists. See laulik on juba olemas. - + Could not save your changes. Muudatuste salvestamine pole võimalik. - + Could not save your modified author, because the author already exists. Sinu muudetud autorit pole võimalik salvestada, kuna autor on juba olemas. - + Could not save your modified topic, because it already exists. Sinu muudetud teemat pole võimalik salvestada, kuna selline on juba olemas. - + Delete Author Autori kustutamine - + Are you sure you want to delete the selected author? Kas oled kindel, et tahad kustutada valitud autori? - + This author cannot be deleted, they are currently assigned to at least one song. Seda autorit pole võimalik kustutada, kuna ta on märgitud vähemalt ühe laulu autoriks. - + Delete Topic Teema kustutamine - + Are you sure you want to delete the selected topic? Kas oled kindel, et tahad valitud teema kustutada? - + This topic cannot be deleted, it is currently assigned to at least one song. Seda teemat pole võimalik kustutada, kuna see on märgib vähemalt ühte laulu. - + Delete Book Lauliku kustutamine - + Are you sure you want to delete the selected book? Kas oled kindel, et tahad valitud lauliku kustutada? - + This book cannot be deleted, it is currently assigned to at least one song. Seda laulikut pole võimalik kustutada, kuna vähemalt üks laul kuulub sellesse laulikusse. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Autor %s on juba olemas. Kas sa tahad, et laulud autoriga %s liidetaks olemasolevale autorile %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Teema %s on juba olemas. Kas sa tahad, et laulud teemaga %s kasutaksid olemasolevat teemat %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Laulik %s on juba olemas. Kas sa tahad, et lauliku %s laulud liidetaks olemasoleva laulikuga %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9496,52 +9680,47 @@ Palun eralda salmid tühikutega. Otsi - - Found %s song(s) - Leiti %s laul(u) - - - + Logout Logi välja - + View Vaade - + Title: Pealkiri: - + Author(s): Autor(id): - + Copyright: Autoriõigus: - + CCLI Number: CCLI number: - + Lyrics: Laulusõnad: - + Back Tagasi - + Import Impordi @@ -9581,7 +9760,7 @@ Palun eralda salmid tühikutega. Sisselogimisel esines viga, võib-olla on kasutajanimi või parool valed? - + Song Imported Laul imporditud @@ -9596,7 +9775,7 @@ Palun eralda salmid tühikutega. Laulust puudub osa andmeid, näiteks sõnad, seda ei saa importida. - + Your song has been imported, would you like to import more songs? Sinu laul imporditi. Kas tahad veel laule importida? @@ -9605,6 +9784,11 @@ Palun eralda salmid tühikutega. Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9613,30 +9797,30 @@ Palun eralda salmid tühikutega. Songs Mode Laulurežiim - - - Display verses on live tool bar - Salme kuvatakse ekraani tööriistaribal - Update service from song edit Teenistuse uuendamine laulu muutmisel - - - Import missing songs from service files - Teenistuse failidest imporditakse puuduvad laulud - Display songbook in footer Jaluses kuvatakse lauliku infot + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Enne autoriõiguste infot "%s" märgi kuvamine + Display "{symbol}" symbol before copyright info + @@ -9660,37 +9844,37 @@ Palun eralda salmid tühikutega. SongsPlugin.VerseType - + Verse Salm - + Chorus Refrään - + Bridge Vahemäng - + Pre-Chorus Eelrefrään - + Intro Sissejuhatus - + Ending Lõpetus - + Other Muu @@ -9698,22 +9882,22 @@ Palun eralda salmid tühikutega. SongsPlugin.VideoPsalmImport - - Error: %s - Viga: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Vigane Words of Worship laulufail. Puudu on "%s" päis. + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Vigane Words of Worship laulufail. Puudu on "%s" sõne. + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9724,30 +9908,30 @@ Palun eralda salmid tühikutega. Viga CSV faili lugemisel. - - Line %d: %s - Rida %d: %s - - - - Decoding error: %s - Viga dekodeerimisel: %s - - - + File not valid WorshipAssistant CSV format. Fail pole korrektses WorshipAssistant CSV vormingus. - - Record %d - Kirje %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. WorshipCenter Pro andmebaasiga pole võimalik ühenduda. @@ -9760,25 +9944,30 @@ Palun eralda salmid tühikutega. Viga CSV faili lugemisel. - + File not valid ZionWorx CSV format. Fail ei ole korrektses ZionWorx CSV vormingus. - - Line %d: %s - Rida %d: %s - - - - Decoding error: %s - Viga dekodeerimisel: %s - - - + Record %d Kirje %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9788,39 +9977,960 @@ Palun eralda salmid tühikutega. Nõustaja - + 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. See nõustaja aitab sul eemaldada topeltlaulud lauluandmebaasist. Sa saad üle vaadata kõik võimalikud topeltlaulud enne nende kustutamist. Seega ühtegi laulu ei kustutata ilma sinu selgesõnalise kinnituseta. - + Searching for duplicate songs. Topeltlaulude otsimine - + Please wait while your songs database is analyzed. Palun oota, kuni laulude andmebaasi analüüsitakse - + 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) - - - + Information Andmed - + No duplicate songs have been found in the database. Andmebaasist ei leitud ühtegi dubleerivat laulu. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Estonian + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/fi.ts b/resources/i18n/fi.ts index 7c70d0ecb..72e6d8b2b 100644 --- a/resources/i18n/fi.ts +++ b/resources/i18n/fi.ts @@ -72,7 +72,7 @@ näyttämisen esityksen aikana. New Alert - Uusi huomioviestijavascript:; + Uusi huomioviesti @@ -132,32 +132,27 @@ on kirjoitettava "Viesti" kenttään tekstiä. AlertsPlugin.AlertsTab - + Font Fontti - + Font name: Fontin nimi: - + Font color: Fontin väri: - - Background color: - Taustan väri: - - - + Font size: Fontin koko: - + Alert timeout: Huomioviestin kesto: @@ -165,92 +160,82 @@ on kirjoitettava "Viesti" kenttään tekstiä. BiblesPlugin - + &Bible &Raamattu - + Bible name singular Raamatut - + 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. Vastaavaa kirjaa ei löytynyt käännöksestä. Ole hyvä ja tarkista 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 Raamatunpaikkaa. - + Send the selected Bible live. Lähetä valittu paikka Esitykseen. - + Add the selected Bible to the service. Lisää valittu Raamatunpaikka Listaan. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Raamatut</strong><br/><br/> Tämän moduulin avulla voidaan näyttää Raamatuntekstejä eri lähteistä. - - - &Upgrade older Bibles - &Päivitä vanhempia Raamattuja - - - - Upgrade the Bible databases to the latest format. - Päivitä Raamattutietokannat uusimpaan tiedostomuotoon. - Genesis @@ -756,164 +741,116 @@ Ole hyvä ja kirjoita tekijänoikeuskenttään jotakin. Raamattu on jo olemassa. Ole hyvä ja tuo jokin toinen Raamattu tai poista ensin nykyinen versio. - - You need to specify a book name for "%s". - Sinun pitää määritellä kirjan nimi "%s":lle. - - - - 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. - Kirjan nimi "%s" ei ole kelvollinen. -Numeroita voi käyttää ainoastaan alussa ja sitä täytyy -seuraata ainakin yksi tai useampia ei-numeerisia merkkejä. - - - + Duplicate Book Name Päällekkäinen kirjan nimi - - The Book Name "%s" has been entered more than once. - Kirjan nimi "%s" on syötetty enemmän kuin kerran. + + You need to specify a book name for "{text}". + Ole hyvä ja nimeä tämä kirja: "{text}". + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Kirjan nimi "{name}" ei ole kelvollinen. +Numeroita voidaan käyttää ainoastaan alussa +ja niiden jälkeen täytyy tulla kirjaimia. + + + + The Book Name "{name}" has been entered more than once. + Kirjan nimi "{name}" on syötetty useamman kerran. BiblesPlugin.BibleManager - + Scripture Reference Error Virhe jaeviitteessä - - Web Bible cannot be used - Nettiraamattua ei voi käyttää + + Web Bible cannot be used in Text Search + Nettiraamatuissa voidaan käyttää vain jaeviitehakua - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Jaeviitteet voivat noudattaa seuraavia malleja: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Kirja luku | 1. Moos 1 -Kirja luku%(range)sluku | Kor 2%(range)s3 -Kirja luku%(verse)sjae%(range)sjae | Joos 5%(verse)s3%(range)s6 -Kirja luku%(verse)sjae%(range)sjae%(list)sjae%(range)sjae | Ps 5%(verse)s3-5%(list)s9%(range)s11 -Kirja luku%(verse)sjae%(range)sjae%(list)sluku%(verse)sjae%(range)sjae | Joh 1%(verse)s5%(range)s7%(list)s3%(verse)s16%(range)s17 -Kirja luku%(verse)sjae%(range)sluku%(verse)sjae | Apos 8%(verse)s16%(range)s9%(verse)s2 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Hakusanoilla etsiminen ei ole mahdollista nettiraamatuissa. +Ole hyvä ja käytä Jaeviitehakua. -Kirjoista voi käyttää lyhenteitä, mutta ne seuraavat -kirjojen pitkiä nimiä eivätkä saa päätyä pisteisiin. +Tämä tarkoittaa sitä, että käytetty Raamatunkäännös tai +vertailukäännös on asennettu nettiraamattuna. + +Jos yritit suorittaa jaeviitehakua yhdistetyssä hakutilassa, +on jaeviitteesi virheellinen. + + + + Nothing found + Ei hakutuloksia BiblesPlugin.BiblesTab - + Verse Display Jakeiden näyttäminen - + Only show new chapter numbers Näytä luvun numero vain ensimmäisessä jakeessa - + Bible theme: Käytettävä teema: - + No Brackets Ei sulkuja - + ( And ) ( ja ) - + { And } { ja } - + [ And ] [ ja ] - - Note: -Changes do not affect verses already in the service. - -Huomio: Muutokset eivät vaikuta Listassa oleviin kohteisiin. - - - + Display second Bible verses Näytä vertailutekstin valinnan kenttä - + Custom Scripture References Mukautetut jaeviitteet - - Verse Separator: - Jakeen erotinmerkki: - - - - Range Separator: - Alueen erotinmerkki: - - - - List Separator: - Luettelon erotinmerkki: - - - - End Mark: - Loppumerkki: - - - + 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. @@ -922,37 +859,83 @@ Ne pitää erottaa pystyviivalla "|". Käyttääksesi oletusarvoja tyhjennä tämä kenttä. - + English Suomi - + Default Bible Language Kirjojen nimien kieli - + Book name language in search field, search results and on display: Kirjan nimen kieli hakukentässä, hakutuloksissa ja näytöllä. - + Bible Language Raamatun kieli - + Application Language Sovelluksen kieli - + Show verse numbers Näytä luku ja jae numerot + + + Note: Changes do not affect verses in the Service + Huom: Muutokset eivät vaikuta Listassa oleviin jakeisiin. + + + + Verse separator: + Jakeen erotinmerkki: + + + + Range separator: + Alueen erotinmerkki: + + + + List separator: + Luettelon erotinmerkki: + + + + End mark: + Loppumerkki: + + + + Quick Search Settings + Haun asetukset + + + + Reset search type to "Text or Scripture Reference" on startup + Palauta käynnistäessä haun tyypiksi "Teksti tai Jaeviite" + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Älä näytä ilmoitusta, jos "Teksti tai Jaeviite" haussa ei löydetä mitään. + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Hae jo kirjoittaessa (Hakusanoilla etsittäessä minimipituus on {count} merkkiä ja haussa pitää käyttää myös välilyöntiä.) + BiblesPlugin.BookNameDialog @@ -1009,70 +992,76 @@ listasta vastaava suomenkielinen käännös BiblesPlugin.CSVBible - - Importing books... %s - Tuodaan kirjoja... %s - - - + Importing verses... done. Tuodaan jakeita... valmis. + + + Importing books... {book} + Tuodaan kirjaa: {book} + + + + Importing verses from {book}... + Importing verses from <book name>... + Tuodaan jakeita {book}... + BiblesPlugin.EditBibleForm - + Bible Editor Raamatun muokkaaminen - + License Details Nimi ja tekijänoikeudet - + Version name: Käännöksen nimi: - + Copyright: Tekijäinoikeudet: - + Permissions: Luvat: - + Default Bible Language Kirjojen nimien kieli - + Book name language in search field, search results and on display: Kieli, jota käytetään Raamatun kirjoissa niin haussa kuin Esityksessäkin. - + Global Settings Yleiset asetukset - + Bible Language Raamatun kieli - + Application Language Sovelluksen kieli - + English Suomi @@ -1094,226 +1083,262 @@ tarkista ”Asetukset > Raamatut” sivulta, ettei Raamattujen kieleksi ole v BiblesPlugin.HTTPBible - + Registering Bible and loading books... Rekisteröidään Raamattua ja ladataan kirjoja... - + Registering Language... Rekisteröidään kieli... - - Importing %s... - Importing <book name>... - Tuodaan %s... - - - + Download Error Latauksen aikana tapahtui virhe - + 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. + + + Importing {book}... + Importing <book name>... + Tuodaan {book}... + 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. <font size="4">Tämä toiminto auttaa sinua lisäämään ohjelmaan <br> raamatunkäännöksiä eri tiedostomuodoista. <br><br> Paina ”Seuraava” aloittaaksesi. </font> - + 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 (oma palvelin) - + License Details Nimi ja tekijänoikeudet - + 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 + Ole hyvä ja nimeä Raamattu. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Raamatun tekijänoikeus kenttä ei voi olla tyhjä! Ole hyvä ja kirjoita tekijänoikeuskenttään jotakin. - + Bible Exists Raamattu on jo 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. Jakeet ladataan käytettäessä verkon välityksellä, siksi tähän tarvitaan nettiyhteys. - + Click to download bible list Klikkaa ladataksesi luettelo 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. + + + Bibles: + Raamatut: + + + + SWORD data folder: + SWORD hakemisto: + + + + SWORD zip-file: + SWORD zip-tiedosto: + + + + Defaults to the standard SWORD data folder + Oletusarvo osoittaa normaaliin SWORD hakemistoon + + + + Import from folder + Tuo hakemistosta + + + + Import from Zip-file + Tuo Zip-tiedostosta + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Jotta voit tuoda SWORD muotoisia Raamattuja, on sinun asennettava pysword python moduuli. +Tähän löydät ohjeista apua englanniksi. + BiblesPlugin.LanguageDialog @@ -1344,114 +1369,136 @@ verkon välityksellä, siksi tähän tarvitaan nettiyhteys. BiblesPlugin.MediaItem - - Quick - Pikahaku - - - + Find: Etsi: - + Book: Kirja: - + Chapter: Luku: - + Verse: Jae: - + From: Alkaen: - + To: Asti: - + Text Search Hakusanoilla - + Second: Vertailuteksti: - + Scripture Reference Jaeviite - + Toggle to keep or clear the previous results. Vaihda valinta pitääksesi tai pyyhkiäksesi edelliset tulokset. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Et voi yhdistää yhden ja kahden käännöksen jaehakujen tuloksia. Haluatko poistaa hakutulokset ja aloittaa uuden haun? - + Bible not fully loaded. Raamattu ei latautunut kokonaan. - + Information Tietoa - - 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. - Toissijainen Raamattu ei sisällä kaikkia ensisijaisen käännöksen jakeita. Vain ne jakeet, jotka ovat kummassakin käännöksessä, voidaan näyttää. %d jaetta jätettiin pois hakutuloksista. - - - + Search Scripture Reference... Hae jaeviittauksin... - + Search Text... Hae hakusanoilla... - - Are you sure you want to completely delete "%s" Bible from OpenLP? - -You will need to re-import this Bible to use it again. - Huomio! Haluatko varmasti poistaa "%s" Raamatun OpenLP:stä? - -Jos poistat Raamatun, et voi käyttää sitä ellet asenna sitä uudestaan. + + Search + Etsi - - Advanced - Paikan valinta + + Select + Valitse + + + + Clear the search results. + Tyhjennä hakutulokset. + + + + Text or Reference + Teksti tai Jaeviite + + + + Text or Reference... + Hakusanoin tai Jaeviittein... + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + Haluatko varmasti poistaa Raamatun "{bible} OpenLP:stä? + +Raamattu poistetaan pysyvästi ja sinun on tuotava se +uudestaan, jotta voit käyttää sitä jälleen. + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + Vertailuteksti ei sisällä kaikkia samoja jakeita kuin varsinainen käännös. +Vain molemmista löytyvät jakeet näytetään. + +Puuttuvien jakeiden määrä on: {count:d} BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Virheellinen raamattu-tiedostotyyppi. OpenSong Raamatut saattavat olla pakattuja. Tiedosto pitää purkaa ennen tuontia. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. Virheellinen raamattu-tiedostotyyppi. Tämä vaikuttaa Zefania XML-raamatulta, ole hyvä ja käytä Zefania tuontia. @@ -1459,187 +1506,54 @@ Jos poistat Raamatun, et voi käyttää sitä ellet asenna sitä uudestaan. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Tuodaan %(bookname) %(chapter)... + + Importing {name} {chapter}... + Tuodaan: {name} {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)... + + + The file is not a valid OSIS-XML file: +{text} + Tiedosto ei ole kelvollinen OSIS-XML tiedosto: +{text} + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Valitse tiedostosijainti varmuuskopiolle + + Importing {name}... + Tuodaan: {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Ohjattu Raamatun päivitys - - - - 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. - <font size="4">Tämä toiminto auttaa sinua päivittämään nykyiset Raamattusi <br> -uudempaan OpenLP:n versioon. <br><br> -Paina ”Seuraava” aloittaaksesi. </font> - - - - Select Backup Directory - Valitse tiedostosijainti varmuuskopiolle - - - - Please select a backup directory for your Bibles - Valitse tiedostosijainti, jonne haluat varmuuskopioida Raamattusi - - - - 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>. - Raamattujen tiedostomuoto uudistui versiossa 2.1. <br> -Aiemmat OpenLP:n versiot eivät pysty avaamaan päivitettyjä<br> raamattutiedostoja. Vanhanmuotoiset Raamattusi varmuuskopioidaan<br> - ja voit halutessasi käyttää niitä sijoittamalla ne OpenLP:n vanhemman<br> -version tiedostokansioon.<br><br> - -Lisätietoja löydät englanniksi artikkelista: <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - - - - Please select a backup location for your Bibles. - Ole hyvä ja valitse sijainti varmuuskopioille. - - - - Backup Directory: - Varmuuskopion tiedostosijainti: - - - - There is no need to backup my Bibles - Raamatunkäännöksiä ei tarvitse varmuuskopioida - - - - Select Bibles - Valitse Raamatut - - - - Please select the Bibles to upgrade - Ole hyvä ja valitse Raamatut päivitettäväksi - - - - Upgrading - Päivitetään - - - - Please wait while your Bibles are upgraded. - Ole hyvä ja odota, kunnes Raamatut on päivitetty. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Varmuuskopiointi epäonnistui. -OpenLP:llä ei ole muokkausoikeutta annettuun tiedostosijaintiin. -Yritä tallentamista toiseen tiedostosijaintiin. - - - - Upgrading Bible %s of %s: "%s" -Failed - Päivitetään Raamattua %s/%s: "%s" -Epäonnistui - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Päivitetään Raamattua %s/%s: "%s" -Päivitetään ... - - - - Download Error - Latauksen aikana tapahtui virhe - - - - To upgrade your Web Bibles an Internet connection is required. - Nettiraamattujen päivittämiseksi tarvitaan internet-yhteys. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Päivitetään Raamattua %s/%s: "%s" -Päivitetään %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Päivitetään Raamattua %s/%s: "%s" -Valmis - - - - , %s failed - , %s epäonnistui - - - - Upgrading Bible(s): %s successful%s - Päivitetään Raamattuja: %s onnistui %s. - - - - Upgrade failed. - Päivitys epäonnistui. - - - - You need to specify a backup directory for your Bibles. - Anna tiedostosijainti Raamattujen varmuuskopioille. - - - - Starting upgrade... - Aloitetaan päivitys... - - - - There are no Bibles that need to be upgraded. - Raamattuihin ei ole uusia päivityksiä. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Raamattujen: %(success)d päivitys onnistui %(failed_text)s -Jakeet ladataan käytettäessä -verkon välityksellä, siksi tähän tarvitaan nettiyhteys. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + Tuntematon virhe keskeytti SWORD muotoisen Raamatun tuonnin, +ole hyvä ja ilmoita tästä OpenLP:n kehittäjille. +{error} 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. @@ -1647,9 +1561,9 @@ verkon välityksellä, siksi tähän tarvitaan nettiyhteys. BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Tuodaan %(bookname) %(chapter)... + + Importing {book} {chapter}... + Tuodaan: {book} {chapter}... @@ -1768,7 +1682,7 @@ tiettyjä tarkoituksia varten. Muokkaa kaikki dioja kerralla. - + Split a slide into two by inserting a slide splitter. Jaa dia kahteen osaan lisäämällä splitterin. @@ -1783,7 +1697,7 @@ tiettyjä tarkoituksia varten. &Lopputeksti: - + You need to type in a title. Dian ”Otsikko” ei voi olla tyhjä. @@ -1793,12 +1707,12 @@ tiettyjä tarkoituksia varten. Muokkaa &kaikkia - + Insert Slide Lisää dia - + You need to add at least one slide. Sinun pitää lisätä ainakin yksi dia. @@ -1806,7 +1720,7 @@ tiettyjä tarkoituksia varten. CustomPlugin.EditVerseForm - + Edit Slide Tekstidian muokkaus @@ -1814,10 +1728,10 @@ tiettyjä tarkoituksia varten. CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Haluatko varmasti poistaa valitut tekstidiat? -Valittuna poistettavaksi on: %d dia/diaa + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Haluatko varmasti poistaa valitut Tekstidiat? +"{items:d}" @@ -1852,11 +1766,6 @@ automaattisesti sekä asettaa taustakuvia. container title Kuvat - - - Load a new image. - Tuo kuvia - Add a new image. @@ -1887,6 +1796,16 @@ automaattisesti sekä asettaa taustakuvia. Add the selected image to the service. Lisää valittu kuva Listaan. + + + Add new image(s). + Lisää uusia kuvia. + + + + Add new image(s) + Lisää uusia kuvia + ImagePlugin.AddGroupForm @@ -1911,12 +1830,12 @@ automaattisesti sekä asettaa taustakuvia. 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. @@ -1952,7 +1871,7 @@ automaattisesti sekä asettaa taustakuvia. ImagePlugin.ExceptionDialog - + Select Attachment Valitse liite @@ -1960,39 +1879,22 @@ automaattisesti sekä asettaa taustakuvia. ImagePlugin.MediaItem - + Select Image(s) 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 siitä huolimatta lisätä muut valitut kuvat? - - - - 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äytön kohdetta ei ole. @@ -2002,25 +1904,43 @@ Haluatko siitä huolimatta lisätä muut valitut kuvat? -- Päätason ryhmä -- - + You must select an image or group to delete. Valitse kuva tai ryhmä poistoa varten. - + Remove group Ryhmän poistaminen - - Are you sure you want to remove "%s" and everything in it? - Oletko varma, että haluat poistaa "%s" ja kaikki sen tiedot? + + Are you sure you want to remove "{name}" and everything in it? + Haluatko varmasti poistaa "{name}" ja sen kaiken sisällön? + + + + The following image(s) no longer exist: {names} + Seuraavia kuvia ei enää ole olemassa: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + Seuraavia kuvia ei enää ole olemassa: {names} +Haluatko kuitenkin lisätä muut kuvat? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Taustakuvan korvaaminen ei onnistunut. +OpenLP ei löytänyt tätä tiedostoa: "{name}" ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Taustaväri kuville jotka eivät täytä koko näyttöä. @@ -2028,27 +1948,27 @@ Haluatko siitä huolimatta lisätä muut valitut kuvat? Media.player - + Audio Ääni - + 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. - + This media player uses your operating system to provide media capabilities. Tämä mediasoitin käyttää käyttöjärjestelmän resursseja median toistamiseen. @@ -2056,7 +1976,7 @@ Haluatko siitä huolimatta lisätä muut valitut kuvat? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media</strong><br/><br/> @@ -2065,55 +1985,55 @@ toistaa video ja äänitiedostoja.<br/><br/> Nämä vaativat toimiakseen mediasoittimen. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Tuo videoita tai äänitiedostoja. - + 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 Esitykseen. - + Add the selected media to the service. Lisää valittu media Listaan. @@ -2229,47 +2149,47 @@ Nämä vaativat toimiakseen mediasoittimen. VLC-soitin ei voi soittaa mediaa - + CD not loaded correctly CD:tä ei ladattu oikein - + The CD was not loaded correctly, please re-load and try again. CD:tä ei ladattu oikein, yritä avata se uudestaan. - + DVD not loaded correctly DVD:tä ei ladattu oikein - + The DVD was not loaded correctly, please re-load and try again. DVD:tä ei ladattu oikein, yritä avata se uudestaan. - + Set name of mediaclip Nimeäminen - + Name of mediaclip: Nimi toistoa varten: - + Enter a valid name or cancel Anna kelvollinen nimi tai peruuta - + Invalid character Virheellinen merkki - + The name of the mediaclip must not contain the character ":" Mediatiedoston nimessä ei voi käyttää kaksoispistettä ":" @@ -2277,92 +2197,102 @@ Nämä vaativat toimiakseen mediasoittimen. MediaPlugin.MediaItem - + Select Media 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. - Tätä tiedostoa ei enää löydetty sijainnista: -%s -Tiedosto on joko siirretty, poistettu tai uudelleennimetty. - - - - Videos (%s);;Audio (%s);;%s (*) - Videoita (%s);;Äänitiedostoja (%s);;%s (*) - - - + There was no display item to amend. Muutettavaa näytön kohdetta ei ole. - + Unsupported File Tiedostomuotoa ei tueta. - + Use Player: Käytä soitinta: - + VLC player required VLC-soitin vaaditaan - + VLC player required for playback of optical devices - VLC-soitin vaaditaan optisten medioiden soittamiseksi + VLC-mediaplayer tarvitaan levyjen toistoa varten - + Load CD/DVD Avaa CD/DVD. - - Load CD/DVD - only supported when VLC is installed and enabled - Levyjen toisto edellyttää koneeseen asennettua VLC:tä ja sen käyttöönottoa asetuksista. - - - - 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 + + + File %s not supported using player %s + Tiedostoa %s ei pysty toistamaan seuraavalla mediasoittimella: +%s + + + + Unsupported Media File + OpenLP ei pysty toistamaan tätä tiedostomuotoa + + + + CD/DVD playback is only supported if VLC is installed and enabled. + CD/DVD levyjen toistamiseen tarvitaan VLC mediasoitinta. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Taustan korvaaminen ei onnistunut. +OpenLP ei enää löytänyt tiedostoa: "{name}" + + + + The optical disc {name} is no longer available. + Levy {name} ei ole enää käytettävissä. + + + + The file {name} no longer exists. + Tiedostoa {name} ei enää ole olemassa. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Videoita ({video});;Äänitiedostoja ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2373,43 +2303,21 @@ Tiedosto on joko siirretty, poistettu tai uudelleennimetty. - Start Live items automatically - Aloita Esityksen kohteet automaattisesti - - - - OPenLP.MainWindow - - - &Projector Manager - &Projektorien hallinta + Start new Live media automatically + Aloita median toisto automaattisesti Esitykseen lähetettäessä OpenLP - + Image Files Kuvatiedostot - - Information - Tietoa - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Raamatun tiedostomuoto on muuttunut. -Sinun tarvitsee päivittää aiemmin asennetut Raamatut. -Pitäisikö OpenLP:n päivittää ne nyt? - - - + Backup - Varmuuskopinti + Varmuuskopiointi @@ -2423,15 +2331,20 @@ OpenLP:n vanhan tiedostokansion? Tiedostokansion varmuuskopionti epäonnistui! - - A backup of the data folder has been created at %s - Tiedostokansio on varmuuskopioitu kansioon: %s - - - + Open Avaa + + + A backup of the data folder has been createdat {text} + Tiedostokansio on varmuuskopioitu kansioon: {text} + + + + Video Files + Video tiedostot + OpenLP.AboutForm @@ -2441,15 +2354,10 @@ OpenLP:n vanhan tiedostokansion? Kiitokset - + License Lisenssi - - - 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. @@ -2492,7 +2400,7 @@ OpenLP on toteutettu täysin vapaaehtoisvoimin, jos haluat auttaa ohjelman kehi ottaa selvää eri tavoista olla mukana. (Sivusto Englanniksi.) - + Volunteer Haluan auttaa @@ -2687,340 +2595,242 @@ Haluamme tarjota tämän ohjelmiston ilmaiseksi – Kuolihan Jeesus puolestamme vaikkemme sitä ansainneet. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Tekijäinoikeudet © 2004-2016 %s -Osittaiset tekijäinoikeudet © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + Tekijäinoikeudet (C) 2004-2016 {cr} + +Osittaiset tekijäinoikeudet (C) 2004-2016 {others} + + + + build {version} + versio {version} OpenLP.AdvancedTab - + UI Settings Käyttöliittymän asetukset - - - Number of recent files to display: - Viimeisimpien listatiedostojen määrä: - - Remember active media manager tab on startup - Avaa käynnistäessä sulkiessa avoimena ollut kirjasto - - - - Double-click to send items straight to live - Lähetä kohde Esitykseen tuplaklikkaamalla - - - Expand new service items on creation Näytä uudet Listan kohteet laajennettuina - + Enable application exit confirmation Vahvista sovelluksen sulkeminen - + Mouse Cursor Hiiren osoitin - + Hide mouse cursor when over display window Piilota hiiren osoitin, kun se on näyttöikkunan päällä - - Default Image - Taustakuva ohjelman käynnistyttyä - - - - Background color: - Taustan väri: - - - - Image file: - Kuvatiedosto: - - - + Open File Tiedoston valinta - + Advanced - Paikan valinta - - - - Preview items when clicked in Media Manager - Esikatsele kirjaston kohdetta klikkaamalla + Lisäasetukset - Browse for an image file to display. - Selaa näytettäviä kuvia. - - - - Revert to the default OpenLP logo. - Palauta oletusarvoinen OpenLP logo. - - - Default Service Name Listan oletusnimi - + Enable default service name Käytä Listoissa oletusnimeä - + Date and Time: Päivä ja aika: - + Monday Maanantai - + Tuesday Tiistai - + Wednesday Keskiviikko - + Friday Perjantai - + Saturday Lauantai - + Sunday Sunnuntai - + Now Nyt - + Time when usual service starts. Ajankohta, jolloin jumalanpalvelus yleensä alkaa. - + Name: Nimi: - + Consult the OpenLP manual for usage. Tarkista OpenLP:n ohjekirjasta käyttö. - - Revert to the default service name "%s". - Palauta oletusarvoinen Listan nimi "%s" - - - + Example: Esimerkki: - + Bypass X11 Window Manager Ohita X11:n ikkunamanageri (ei koske Windows tai Mac käyttäjiä, jos käytössäsi on Linux, tämä voi ratkaista näyttöongelmia) - + Syntax error. Kielioppivirhe - + Data Location Tietojen sijainti - + Current path: Nykyinen polku: - + Custom path: Mukautettu polku: - + Browse for new data file location. Valitse uusi tiedostojen sijainti. - + Set the data location to the default. Palauta tiedostokansion oletussijainti - + Cancel Peruuta - + Cancel OpenLP data directory location change. Peruuta OpenLP:n tiedostokansion sijainnin muuttaminen. - + Copy data to new location. Kopioi tiedot uuteen sijaintiin. - + Copy the OpenLP data files to the new location. Kopioi OpenLP:n tiedostokansio uuteen sijaintiin. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>HUOMIO:</strong> Uudessa tiedostokansion sijainnissa on jo ennestään OpenLP:n tiedostoja. Nämä tiedostot tuhotaan kopioinnin yhteydessä. - + Data Directory Error Tiedostokansion virhe - + Select Data Directory Location Valitse tiedostokansion sijainti - + Confirm Data Directory Change Vahvista tiedostokansion sijainnin muuttaminen - + Reset Data Directory Nollaa tiedostokansio - + Overwrite Existing Data Ylikirjoita olemassaolevat tiedot - - 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 tiedostokansiota ei löytynyt - -%s - -Tämä tiedostokansio sijaitsi siirrettävällä levyllä jota OpenLP ei löydä. - -Jos valitset "Ei" voit yrittää korjata ongelmaa itse. - -Paina "Kyllä" palauttaaksesi tiedostokansion oletussijaintiin. - - - - 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. - Oletko varma, etta haluat muuttaa OpenLP:n -tiedostokansion tiedostosijainnin seuraavaksi: - -%s - -Muutos tehdään, kun OpenLP suljetaan seuraavan kerran. - - - + Thursday Torstai - + Display Workarounds Erikoisasetukset - + Use alternating row colours in lists Värjää joka toinen luetteloiden kohteista - - 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? - HUOMIO: - -Sijainti, jonka olet valinnut - -%s - -näyttää sisältävän OpenLP:n tiedostoja. - -Oletko varma, että haluat korvata nämä -tiedostot nykyisillä tiedostoilla? - - - + Restart Required Uudelleenkäynnistys vaaditaan - + This change will only take effect once OpenLP has been restarted. Muutokset tuleva voimaan vasta, kun OpenLP on käynnistetty uudelleen. - + 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. @@ -3028,11 +2838,182 @@ This location will be used after OpenLP is closed. Tätä sijaintia käytetään sen jälkeen, kun OpenLP on ensin suljettu. + + + Max height for non-text slides +in slide controller: + Maksimikorkeus + + + + Disabled + Ei käytössä + + + + When changing slides: + Diaa vaihtaessa + + + + Do not auto-scroll + Pidä näkyvissä nykyinen dia + + + + Auto-scroll the previous slide into view + Siirrä edellinen dia näkyviin + + + + Auto-scroll the previous slide to top + Siirrä edellinen dia ensimmäiseksi + + + + Auto-scroll the previous slide to middle + Keskitä edellinen dia + + + + Auto-scroll the current slide into view + Siirrä nykyinen dia näkyviin + + + + Auto-scroll the current slide to top + Siirrä nykyinen dia ensimmäiseksi + + + + Auto-scroll the current slide to middle + Keskitä nykyinen dia + + + + Auto-scroll the current slide to bottom + Siirrä nykyinen dia viimeiseksi + + + + Auto-scroll the next slide into view + Siirrä seuraava dia näkyviin + + + + Auto-scroll the next slide to top + Siirrä seuraava dia ensimmäiseksi + + + + Auto-scroll the next slide to middle + Keskitä seuraava dia + + + + Auto-scroll the next slide to bottom + Siirrä seuraava dia viimeiseksi + + + + Number of recent service files to display: + Viimeisten näytettävien listatiedostojen määrä: + + + + Open the last used Library tab on startup + Avaa käynnistäessä sulkiessa avoimena ollut kirjasto + + + + Double-click to send items straight to Live + Lähetä diat suoraan Esitykseen tupla-klikkaamalla. + + + + Preview items when clicked in Library + Esikatsele dioja, kun kohdetta klikataan Kirjastossa + + + + Preview items when clicked in Service + Esikatsele kohdetta, kun klikataan Listassa + + + + Automatic + Automaattinen + + + + Revert to the default service name "{name}". + Palauta Listan oletusnimeksi "{name}". + + + + OpenLP data directory was not found + +{path} + +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:n tiedostokansiota ei löytynyt: + +{path} + + +Tiedostokansio voi sijaita esimerkiksi +muistitikulla tai langattomalla kovallevyllä. + +Tiedostokansion sijainti on valittu manuaalisesti, +eikä oletussijaintia käytetä tällä hetkellä. + + +Paina "Peruuta" jos haluat pysäyttää OpenLP:n +käynnistämisen ja yrittää palauttaa tiedostokansiota. + +Jos haluat jatkaa ja palauttaa tiedostokansion +oletussijainnin, paina "Kyllä". + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + Haluatko varmasti muuttaa OpenLP tiedostokansion sijainnin? + +Sijainti vaihdetaan ohjelman sulkeutuessa seuraavaan kansioon: + +{path} + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + VAROITUS: + +Valitsemasi kansio: + +{path} + +Sisältää OpenLP:n tiedostoja, +haluatko korvata nämä tiedostot? + OpenLP.ColorButton - + Click to select a color. Valitse väri klikkaamalla. @@ -3040,252 +3021,252 @@ Tätä sijaintia käytetään sen jälkeen, kun OpenLP on ensin suljettu. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digitaalinen - + Storage Tietovarasto - + Network Verkko - + 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 Digitaalinen 1 - + Digital 2 Digitaalinen 2 - + Digital 3 Digitaalinen 3 - + Digital 4 Digitaalinen 4 - + Digital 5 Digitaalinen 5 - + Digital 6 Digitaalinen 6 - + Digital 7 Digitaalinen 7 - + Digital 8 Digitaalinen 8 - + Digital 9 Digitaalinen 9 - + Storage 1 Tietovarasto 1 - + Storage 2 Tietovarasto 2 - + Storage 3 Tietovarasto 3 - + Storage 4 Tietovarasto 4 - + Storage 5 Tietovarasto 5 - + Storage 6 Tietovarasto 6 - + Storage 7 Tietovarasto 7 - + Storage 8 Tietovarasto 8 - + Storage 9 Tietovarasto 9 - + Network 1 Verkko 1 - + Network 2 Verkko 2 - + Network 3 Verkko 3 - + Network 4 Verkko 4 - + Network 5 Verkko 5 - + Network 6 Verkko 6 - + Network 7 Verkko 7 - + Network 8 Verkko 8 - + Network 9 Verkko 9 @@ -3293,65 +3274,76 @@ Tätä sijaintia käytetään sen jälkeen, kun OpenLP on ensin suljettu. OpenLP.ExceptionDialog - + Error Occurred Tapahtui virhe - + Send E-Mail Lähetä sähköposti - + Save to File Tallenna tiedostoksi - + Attach File Liitä tiedosto - - - Description characters to enter : %s - <strong>Kuvauksen 20 merkin minimipituudesta on jäljellä %s merkkiä.</strong> - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Ole hyvä ja kirjoita alapuolella olevaan tekstikenttään mitä olit -tekemässä, kun virhe tapahtui. (Mielellään englanniksi) - - 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. Also attach any files that triggered the problem. - <strong>Voi ei, OpenLP kohtasi virheen</strong> joka keskeytti ohjelman toiminnan!<br><br> -<strong>Voit auttaa</strong> ohjelman kehittäjiä lähettämällä alle kerätyn virheraportin<br>tutkintaa varten sähköpostilla osoitteeseen: <strong>bugs@openlp.org</strong><br><br> -<strong>Jos käytössäsi ei ole sähköpostisovellusta,</strong> voit tallentaa<br> virheraportin tiedostoksi ja lähettää sen -itse sähköpostilla selaimen kautta.<br><br> + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Ole hyvä ja kirjoita alapuolella olevaan tekstikenttään mitä olit +tekemässä, kun virhe tapahtui. </strong> (Mielellään englanniksi) + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + <strong>Oho, OpenLP törmäsi ongelmaan, josta ei voi toipua!</strong> <br><br><strong>Voit auttaa</strong>OpenLP kehittäjiä <strong>korjaamaan tämän</strong> by<br> lähettämällä heille <strong>vikaraportin</strong> osoitteeseen {email}{newlines} + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + {first_part}<strong>Ei sähköpostia? </strong> Voit <strong>tallentaa</strong> tiedot <strong>tiedostoon</strong> ja<br>lähettää ne <strong>selaimen sähköpostilla</strong> liittämällä <strong>liitteen.</strong><br><br><strong>Kiitos<strong> että osallistuit tekemään OpenLP:stä paremman!<br> + + + + <strong>Thank you for your description!</strong> + <strong>Kiitos kuvauksestasi!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Ole hyvä ja kuvaile mitä tapahtui</strong> + + + + <strong>Please enter a more detailed description of the situation + <strong>Ole hyvä ja anna yksityiskohtaisempi kuvaus tapauksesta. OpenLP.ExceptionForm - - Platform: %s - - Järjestelmä: %s - - - - + Save Crash Report Tallenna virheraportti - + Text files (*.txt *.log *.text) Teksti tiedostot (*.txt *.log *.text) + + + Platform: {platform} + + Järjestelmä: {platform} + + OpenLP.FileRenameForm @@ -3392,273 +3384,273 @@ itse sähköpostilla selaimen kautta.<br><br> OpenLP.FirstTimeWizard - + Songs Laulut - + First Time Wizard Ensimmäisen käyttökerran avustaja - + Welcome to the First Time Wizard Ensimmäisen käyttökerran avustaja - - Activate required Plugins - Moduulien valinta - - - - Select the Plugins you wish to use. - Valitse listasta ne ohjelman osat joita haluat käyttää. -Moduulit ovat olennainen osa ohjelmaa, ilman erityistä syytä kannattaa ne kaikki pitää päällä. - - - - Bible - Raamatut - - - - Images - Kuvat - - - - Presentations - Presentaatiot - - - - Media (Audio and Video) - Media (Ääni ja videotiedostot) - - - - Allow remote access - Etäkäyttö (Kuten selaimella tai älypuhelimella) - - - - Monitor Song Usage - Laulujen käyttötilastointi - - - - Allow Alerts - Huomioviestit - - - + Default Settings Perusasetukset - - Downloading %s... - Ladataan %s... - - - + Enabling selected plugins... Aktivoidaan valittuja moduuleja... - + No Internet Connection Ei internetyhteyttä - + Unable to detect an Internet connection. Toimivaa internetyhteyttä ei saatavilla. - + Sample Songs Tekijänoikeusvapaita lauluja - + Select and download public domain songs. Valitse listasta esimerkkilauluja halutuilla kielillä. - + Sample Bibles Tekijänoikeusvapaita Raamatunkäännöksiä - + Select and download free Bibles. Valitse listasta ne Raamatunkäännökset jotka haluat ladata. - + Sample Themes Esimerkkiteemat - + Select and download sample themes. Voit ladata sovellukseen esimerkkiteemoja valitsemalla listasta haluamasi. - + Set up default settings to be used by OpenLP. Valitse näyttö jota haluat käyttää esitykseen sekä yleinen teema. - + Default output display: Näyttö ulostuloa varten: - + Select default theme: Yleinen 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 Otetaan käyttöön - - Custom Slides - Tekstidiat - - - - 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. - Ei internetyhteyttä. Ensikäynnistyksen ohjattu toiminto tarvitsee internet yhteyden ladatakseen vapaasti ladattavia lauluja, Raamattuja ja teemoja. Paina 'Lopeta'-painiketta käynnistääksesi OpenLP oletusarvoisilla asetuksilla. - -Voit halutessasi suorittaa ensiasennuksen ohjatun -toiminnon myöhemmin "Työkalut" valikon kautta. - - - + Download Error Latauksen aikana tapahtui virhe - + 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 käynnistääksesi OpenLP. - - - - Click the %s button to return to OpenLP. - <font size="4">Kaikki on nyt valmista, paina %s palataksesi sovellukseen.</font> - - - - Click the %s button to start OpenLP. - <font size="4">Kaikki on valmista, paina %s ja aloita sovelluksen käyttö.</font> - - - + 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. - <font size="4">Tervetuloa!<br><br> - -Tämä avustustoiminto auttaa sinua OpenLP:n käyttöönotossa. <br> -Paina %s aloittaaksesi.</font> - - - - - -To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - - -Keskeyttääksesi ensiasennuksen ohjatun toiminnon kokonaan (ei käynnistetä OpenLP:tä), paina %s -painiketta nyt. - - - + Downloading Resource Index Ladataan resursseja... - + Please wait while the resource index is downloaded. Resursseja ladataan, tämän pitäisi viedä vain hetki. - + Please wait while OpenLP downloads the resource index file... Ladataan tarvittavia resursseja... - + 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 + + + Select parts of the program you wish to use + Valitse ohjelman osat joita haluat käyttää + + + + You can also change these settings after the Wizard. + Voit muuttaa näitä asetuksia myös myöhemmin + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Tekstidiat – Helpompi hallinoida kuin laulut, näillä on oma listansa + + + + Bibles – Import and show Bibles + Raamatut – Näytä ja tuo Raamattuja + + + + Images – Show images or replace background with them + Kuvat – Näytä kuvia OpenLP:n avulla + + + + Presentations – Show .ppt, .odp and .pdf files + Presentaatiot – Näytä .ppt, .odp ja pdf tiedostoja + + + + Media – Playback of Audio and Video files + Media – Toista ääni ja kuvatiedostoja + + + + Remote – Control OpenLP via browser or smartphone app + Etähallinta – Kontrolloi OpenLP:tä älypuhelimella tai selaimen välityksellä + + + + Song Usage Monitor + Laulujen käyttötilastointi + + + + Alerts – Display informative messages while showing other slides + Huomioviestit – Näytä informatiivisia viestejä muun materiaalin päällä + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projektorit – Hallinnoi PJlink yhteensopivia projektoreita lähiverkossasi + + + + Downloading {name}... + Ladataan {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Lataus on valmis, paina {button} palataksesi OpenLP:hen. + + + + Download complete. Click the {button} button to start OpenLP. + Kaikki on valmista, paina {button} aloittaaksesi OpenLP:n käyttö. + + + + Click the {button} button to return to OpenLP. + Paina {button} palataksesi OpenLP:hen. + + + + Click the {button} button to start OpenLP. + Paina {button} aloittaaksesi OpenLP:n käyttö. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + <font size="4">Tervetuloa!<br><br> + +Tämä avustustoiminto auttaa sinua OpenLP:n käyttöönotossa. <br> +Paina "{button}" aloittaaksesi.</font> + + + + 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 {button} 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. + Internet yhteyttä ei löytynyt. + +Et voi ladata OpenLP:hen vapaasti saatavilla olevia +lauluja, Raamattuja tai teemoja. + +Paina ”{button}” aloittaaksesi OpenLP:n käyttö oletusasetuksilla. + +Voit myöhemmin suorittaa avustajan uudestaan ja hakea +vapaasti ladattavia materiaaleja jälkikäteen. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +Jos haluat perua OpenLP:n käynnistämisen ja avustajan suorittamisen, +paina "{button}" painiketta. + OpenLP.FormattingTagDialog @@ -3704,44 +3696,49 @@ Voit myös kirjoitaa tunnuksen itse: {tunnus} teksti johon muotoilu tulee {/tunn OpenLP.FormattingTagForm - + <HTML here> <Kirjoita HTML koodi tähän> - + Validation Error Virhe - + Description is missing Kuvaus ei voi olla tyhjä - + Tag is missing Tunnus puuttuu - Tag %s already defined. - Tunnus%s on jo määritelty. + Tag {tag} already defined. + Tagi {tag} on jo määritelty. - Description %s already defined. - Kuvaus %s on jo määritelty. + Description {tag} already defined. + Kuvaus {tag} on jo määritelty. - - Start tag %s is not valid HTML - Aloitustunnus%s ei ole kelvollista HTML:ää + + Start tag {tag} is not valid HTML + Aloittava tagi {tag} ei ole kelvollista HTML:ää - - End tag %(end)s does not match end tag for start tag %(start)s - Lopetus tunnus %(end)s ei täsmää aloitus tunnuksen %(start)s lopetus tunnukseen. + + End tag {end} does not match end tag for start tag {start} + Lopetus tunnus {end} ei vastaa {start} aloitus tunnusta. + + + + New Tag {row:d} + Uusi tagi {row:d} @@ -3830,172 +3827,202 @@ Voit myös kirjoitaa tunnuksen itse: {tunnus} teksti johon muotoilu tulee {/tunn OpenLP.GeneralTab - + General Yleiset - + Monitors Näytöt - + Select monitor for output display: Valitse näyttö ulostuloa varten: - + Display if a single screen Näytä Esitys ensisijaisessa näytössä, jos toista näyttöä ei ole kytketty - + Application Startup Ohjelman käynnistys - + Show blank screen warning Varoita pimennetystä näytöstä - - Automatically open the last service - Avaa edellinen Lista automaattisesti - - - + Show the splash screen Näytä OpenLP:n logo käynnistyksen aikana - + Application Settings Sovelluksen asetukset - + Prompt to save before starting a new service Pyydä tallentamaan ennen uuden Listan luomista - - Automatically preview next item in service - Näytä esikatselu automaattisesti Listan seuraavalle kohteelle - - - + sec s - + CCLI Details CCLI tiedot - + SongSelect username: SongSelect käyttäjätunnus: - + SongSelect password: SongSelect salasana: - + X X - + Y Y - + Height Korkeus - + Width Leveys - + Check for updates to OpenLP Tarkista OpenLP:n päivitykset - - Unblank display when adding new live item - Lopeta näytön pimennys, kun kohde lähetetään Esitykseen - - - + Timed slide interval: Automaattisen toiston nopeus: - + Background Audio Taustamusiikki - + Start background audio paused Aloita taustamusiikki pysäytettynä - + Service Item Slide Limits Esityksen kierto - + Override display position: Ylimäärittele näytön sijainti: - + Repeat track list Toista kappaleluettelo - + Behavior of next/previous on the last/first slide: Kun viimeistä diaa toistetaan ja siirrytään seuraavaan tai, kun ensimmäistä diaa toistetaan ja siirrytään edelliseen: - + &Remain on Slide &Mitään ei tapahdu - + &Wrap around &Siirry ensimmäiseen tai viimeiseen diaan - + &Move to next/previous service item &Lähetä seuraava tai edellinen Listan kohde Esitykseen + + + Logo + Logo + + + + Logo file: + Logon valinta: + + + + Browse for an image file to display. + Selaa näytettäviä kuvia. + + + + Revert to the default OpenLP logo. + Palauta oletusarvoinen OpenLP logo. + + + + Don't show logo on startup + Älä näytä logoa käynnistyksen yhteydessä + + + + Automatically open the previous service file + Avaa edellinen Lista automaattisesti + + + + Unblank display when changing slide in Live + Lopeta näytön pimennys vaihtamalla diaa Esityksessä + + + + Unblank display when sending items to Live + Lopeta näytön pimennys, kun kohde lähetetään Esitykseen + + + + Automatically preview the next item in service + Esikatsele seuraavaa Listan kohdetta automaattisesti + OpenLP.LanguageManager - + Language Kieli - + Please restart OpenLP to use your new language setting. Ole hyvä ja käynnistä OpenLP uudelleen käyttääksesi uusia kieliasetuksia. @@ -4003,7 +4030,7 @@ kun ensimmäistä diaa toistetaan ja siirrytään edelliseen: OpenLP.MainDisplay - + OpenLP Display OpenLP Näyttö @@ -4030,11 +4057,6 @@ kun ensimmäistä diaa toistetaan ja siirrytään edelliseen: &View &Ulkoasu - - - M&ode - &Valmisasettelut - &Tools @@ -4055,16 +4077,6 @@ kun ensimmäistä diaa toistetaan ja siirrytään edelliseen: &Help &Ohjeet - - - Service Manager - Lista - - - - Theme Manager - Teemat - Open an existing service. @@ -4090,11 +4102,6 @@ kun ensimmäistä diaa toistetaan ja siirrytään edelliseen: E&xit &Sulje sovellus - - - Quit OpenLP - Sulje OpenLP. - &Theme @@ -4106,191 +4113,67 @@ kun ensimmäistä diaa toistetaan ja siirrytään edelliseen: &Määritä asetukset - - &Media Manager - &Kirjastot - - - - Toggle Media Manager - Näytä / piilota kirjastot - - - - Toggle the visibility of the media manager. - Näytä tai piilota kirjastot. - - - - &Theme Manager - &Teemat - - - - Toggle Theme Manager - Näytä / piilota Teemat - - - - Toggle the visibility of the theme manager. - Näytä tai piilota teemojen hallinta. - - - - &Service Manager - &Lista - - - - Toggle Service Manager - Näytä / piilota Lista - - - - Toggle the visibility of the service manager. - Näytä tai piilota Lista. - - - - &Preview Panel - &Esikatselu - - - - Toggle Preview Panel - Näytä / piilota esikatselu - - - - Toggle the visibility of the preview panel. - Näytä tai piilota esikatselu. - - - - &Live Panel - &Esitys - - - - Toggle Live Panel - Näytä / piilota Esitys - - - - Toggle the visibility of the live panel. - Näytä tai piilota Esitys. - - - - List the Plugins - Lista moduuleista - - - + &User Guide &Käyttöohjeet - + &About &Tietoa OpenLP:stä - - More information about OpenLP - Lisätietoa OpenLP:sta - - - + &Online Help &Ohjeet verkossa - + &Web Site &Kotisivut - + Use the system language, if available. Käytä järjestelmän kieltä, jos se on saatavilla. - - Set the interface language to %s - Aseta käyttöliittymän kieleksi %s - - - + Add &Tool... Lisää &Työkalu... - + Add an application to the list of tools. Lisää sovellus työkalujen luetteloon. - - &Default - &Oletusulkoasu - - - - Set the view mode back to the default. - Palauta oletusarvoiset ulkoasuasetukset. - - - + &Setup &Esikatselu - - Set the view mode to Setup. - Käytä esikatselua korostavaa asettelua. - - - + &Live &Esitys - - Set the view mode to Live. - Käytä Esitystä korostavaa asettelua. - - - - 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 on nyt päivitettävissä versioon: %s -Nykyinen versiosi on: %s -Voit ladata päivityksen osoitteesta: http://openlp.org/ - - - + OpenLP Version Updated OpenLP:n versio on nyt päivitetty. - + OpenLP Main Display Blanked OpenLP:n Esitys on pimennetty - + The Main Display has been blanked out Esityksen näyttö on pimennetty - - Default Theme: %s - Yleinen teema: %s - - - + English Please add the name of your language here Suomi @@ -4301,27 +4184,27 @@ Voit ladata päivityksen osoitteesta: http://openlp.org/ &Pikanäppäimet - + Open &Data Folder... Avaa &Tiedostokansion sijainti - + Open the folder where songs, bibles and other data resides. Avaa kansio, jossa laulut, Raamatut ja muut tiedot sijaitsevat. - + &Autodetect &Tunnista automaattisesti - + Update Theme Images Päivitä teemojen kuvat - + Update the preview images for all themes. Päivitä kaikkien teemojen esikatselukuvat. @@ -4331,33 +4214,23 @@ Voit ladata päivityksen osoitteesta: http://openlp.org/ Tulosta nykyinen Lista. - - L&ock Panels - &Lukitse nämä asetukset - - - - Prevent the panels being moved. - Estä ulkoasun osien näkyvyyden muuttaminen. - - - + Re-run First Time Wizard Suorita ensimmäisen käyttökerran avustaja - + Re-run the First Time Wizard, importing songs, Bibles and themes. Suorita ensimmäisen käyttökerran avustaja uudelleen. Voit tuoda sovellukseen lauluja, Raamattuja ja teemoja. - + Re-run First Time Wizard? Ensimmäisen käyttökerran avustaja - Vahvistus - + 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. @@ -4367,13 +4240,13 @@ Tämän avulla voidaan muuttaa joitakin asetuksia sekä ladata esimerkiksi lauluja ja Raamattuja. - + Clear List Clear List of recent files Tyhjennä luettelo - + Clear the list of recent files. Tyhjentää viimeksi käytettyjen listatiedostojen luettelon. @@ -4382,76 +4255,36 @@ sekä ladata esimerkiksi lauluja ja Raamattuja. Configure &Formatting Tags... Tekstin &muotoilutunnukset - - - Export OpenLP settings to a specified *.config file - Tallenna OpenLP:n asetukset *.conf tiedostoksi. - Settings Asetukset - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Tuo OpenLP:n asetukset .config muotoisesta asetustiedostosta. - - - + Import settings? Tuodaanko asetukset? - - Open File - Tiedoston valinta - - - - OpenLP Export Settings Files (*.conf) - OpenLP:n asetukset (*.conf) - - - + Import settings Tuo asetukset - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP sulkeutuu nyt. Tuodut asetukset otetaan käyttöön seuraavan käynnistyksen yhteydessä. - + Export Settings File Vie asetustiedosto - - OpenLP Export Settings File (*.conf) - OpenLP:n asetukset (*.conf) - - - + New Data Directory Error Virhe uudessa tiedostokansiossa - - - Copying OpenLP data to new data directory location - %s - Please wait for copy to finish - Kopioidaan OpenLP:n tiedostoja uuteen tiedostokansion sijaintiin - %s - -Ole hyvä ja odota kopioinnin loppumista. - - - - OpenLP Data directory copy failed - -%s - OpenLP:n tiedostokansion kopiointi epäonnistui - -%s - General @@ -4463,12 +4296,12 @@ Ole hyvä ja odota kopioinnin loppumista. Kirjastot - + Jump to the search box of the current active plugin. Siirry aktiivisen liitännäisen hakukenttään. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4482,7 +4315,7 @@ Viallinen asetustiedosto voi aiheuttaa virheellistä<br> toimintaa ja ohjelma saattaa sulkeutua yllättäen. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4491,35 +4324,10 @@ Processing has terminated and no changes have been made. Käsittely on keskeytetty eikä muutoksia ole tehty. - - Projector Manager - Projektorien hallinta - - - - Toggle Projector Manager - Näytä / piilota projektorin hallinta - - - - Toggle the visibility of the Projector Manager - Näytä tai piilota projektorin hallinta. - - - + Export setting error Asetusten vienti epäonnistui - - - 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 - &Recent Services @@ -4551,134 +4359,360 @@ Käsittely on keskeytetty eikä muutoksia ole tehty. &Moduulien hallinta - + Exit OpenLP Sulje OpenLP - + Are you sure you want to exit OpenLP? - Haluatko varmasti sulkea OpenLP:n? + Haluatko varmasti sulkea OpenLP:n? - + &Exit OpenLP &Sulje OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + OpenLP on nyt päivitettävissä versioon: {new} +Nykyinen versiosi on: {current}) + +Voit ladata päivityksen osoitteesta: http://openlp.org/ + + + + The key "{key}" does not have a default value so it will be skipped in this export. + Seuraava asetus on jäännös OpenLP:n vanhasta versiosta, +siksi se jätetään pois asetustiedosta. + +{key} + + + + An error occurred while exporting the settings: {err} + Asetuksia viedessä tapahtui virhe: +{err} + + + + Default Theme: {theme} + Yleinen teema: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Kopioidaan OpenLP:n tiedostoja uuteen tiedostokansion sijaintiin: +{path} +Ole hyvä ja odota kopioinnin loppumista. + + + + OpenLP Data directory copy failed + +{err} + Tiedostokansion kopioiminen epäonnistui + +{err} + + + + &Layout Presets + &Valmisasettelut + + + + Service + Lista + + + + Themes + Teema + + + + Projectors + Projektorit + + + + Close OpenLP - Shut down the program. + Sulje OpenLP - Sammuta ohjelma. + + + + Export settings to a *.config file. + Vie asetukset *.config tiedostoon. + + + + Import settings from a *.config file previously exported from this or another machine. + Tuo OpenLP:n asetukset .config muotoisesta asetustiedostosta. + + + + &Projectors + &Projektorit + + + + Hide or show Projectors. + Näytä tai piilota Projektorien hallinta + + + + Toggle visibility of the Projectors. + Näytä tai piilota Projektorien hallinta. + + + + L&ibrary + &Kirjasto + + + + Hide or show the Library. + Näytä tai piilota Kirjasto + + + + Toggle the visibility of the Library. + Näytä tai piilota Kirjasto. + + + + &Themes + &Teemat + + + + Hide or show themes + Näytä tai piilota teemat + + + + Toggle visibility of the Themes. + Näytä tai piilota teemojen hallinta. + + + + &Service + &Lista + + + + Hide or show Service. + Näytä tai piilota Lista + + + + Toggle visibility of the Service. + Näytä tai piilota Lista. + + + + &Preview + &Esikatselu + + + + Hide or show Preview. + Näytä tai piilota Esikatselu. + + + + Toggle visibility of the Preview. + Näytä tai piilota Esikatselu. + + + + Li&ve + Esi&tys + + + + Hide or show Live + Näytä tai piilota Esitys + + + + L&ock visibility of the panels + &Lukitse paneelien näkyvyys + + + + Lock visibility of the panels. + Lukitsee paneelien näkyvyysasetukset. + + + + Toggle visibility of the Live. + Näytä tai piilota Esitys + + + + You can enable and disable plugins from here. + Täältä voit ottaa tai poistaa käytöstä ohjelman osia + + + + More information about OpenLP. + Lisää tietoa OpenLP:stä. + + + + Set the interface language to {name} + Aseta käyttöliittymän kieleksi {name} + + + + &Show all + &Näytä kaikki + + + + Reset the interface back to the default layout and show all the panels. + Palauta ulkoasun oletusasetukset ja näytä kaikki paneelit. + + + + Use layout that focuses on setting up the Service. + Käytä ulkoasua, joka keskittyy Listan tekemiseen. + + + + Use layout that focuses on Live. + Käytä ulkoasua, joka keskittyy Esitykseen. + + + + OpenLP Settings (*.conf) + OpenLP:n asetukset (*.conf) + 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 - Tietokanta, jota yritetään tuoda, on luotu uudemmalla OpenLP:n versiolla. Tietokannan versio on %d, nykyisen asennuksen versio on: %d. - -Tietokantaa ei voida tuoda. - -Tietokanta: %s. - - - + OpenLP cannot load your database. -Database: %s - OpenLP ei voi tuoda tietokantaa. +Database: {db} + OpenLP ei pystynyt avaamaan tietokantaasi: -Tietokanta: %s. +{db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + Tuotava tietokanta on luotu uudemmassa OpenLP:n versiossa. + +Tietokannan versio on: {db_ver} + Tämä OpenLP:n versio kuitenkin on: + {db_up}. + +Tietokantaa ei voida tuoda. OpenLP.MediaManagerItem - + No Items Selected Valinta on tyhjä - + &Add to selected Service Item &Lisää osaksi Listan kuvaryhmää - + You must select one or more items to preview. Sinun pitää valita yksi tai useampi kohta esikatseluun. - + You must select one or more items to send live. Valitse yksi tai useampi kohde lähetettäväksi Esitykseen. - + You must select one or more items. Sinun pitää valita yksi tai useampi kohta. - + You must select an existing service item to add to. Sinun täytyy valita Listan kohta johon haluat lisätä. - + Invalid Service Item Vihreellinen Listan kohta - - You must select a %s service item. - Ole hyvä ja valitse Listasta %s johon haluat lisätä Kuvan(t). -Voit lisätä Kuvia ainoastaan Listassa jo oleviin Kuviin. - - - + You must select one or more items to add. Sinun täytyy valita yksi tai useampi kohta lisättäväksi. - + No Search Results Ei hakutuloksia - + Invalid File Type Virheellinen tiedostomuoto - - Invalid File %s. -Suffix not supported - Virheellinen tiedosto: %s. -Tiedostopäätettä ei tueta. - - - + &Clone &Luo kopio - + Duplicate files were found on import and were ignored. Tuotaesa löytyi päällekkäisiä tiedostoja ja ne ohitettiin. + + + Invalid File {name}. +Suffix not supported + Tiedostoa: {name} +ei voitu avata, tiedostomuotoa ei tueta. + + + + You must select a {title} service item. + Ole hyvä ja valitse {title} Listasta. + + + + Search is too short to be used in: "Search while typing" + Haku on liian lyhyt kirjoittaessa etsimiseen + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> Tunniste puuttuu. - + <verse> tag is missing. <verse> Tunniste puuttuu. @@ -4686,22 +4720,22 @@ Tiedostopäätettä ei tueta. OpenLP.PJLink1 - + Unknown status Tilaa ei tunnisteta - + No message Ei viestiä - + Error while sending data to projector Virhe lähetettäessä tiedot projektorille - + Undefined command: Määrittelemätön komento: @@ -4709,89 +4743,84 @@ Tiedostopäätettä ei tueta. OpenLP.PlayerTab - + Players Mediasoittimet - + Available Media Players Saatavilla olevat mediasoittimet - + Player Search Order Soittimen hakujärjestys - + Visible background for videos with aspect ratio different to screen. Taustaväri videoille jotka eivät täytä koko näyttöä. - + %s (unavailable) %s (ei saatavilla) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - HUOM! Käyttääksesi VLC:tä sinun on asennettava versio %s + HUOM! Käyttääksesi VLC:tä tarvitset %s version VLC:stä OpenLP.PluginForm - + Plugin Details Moduulin tiedot - + Status: Tila: - + Active Käytössä - - Inactive - Poissa käytöstä - - - - %s (Inactive) - %s (Poissa käytöstä) - - - - %s (Active) - %s (Käytössä) + + Manage Plugins + Moduulien hallinta - %s (Disabled) - %s (Estetty) + {name} (Disabled) + {name} (Ei käytössä) - - Manage Plugins - Moduulien hallinta + + {name} (Active) + {name} (Käytössä) + + + + {name} (Inactive) + {name} (Ei käytössä) OpenLP.PrintServiceDialog - + Fit Page Sovita sivulle - + Fit Width Sovita leveyteen @@ -4799,77 +4828,77 @@ Tiedostopäätettä ei tueta. OpenLP.PrintServiceForm - + Options Asetukset - + Copy Kopioi - + Copy as HTML Kopioi HTML:nä - + Zoom In Lähennä - + Zoom Out Loitonna - + Zoom Original Alkuperäiseen kokoon - + Other Options Muut asetukset - + Include slide text if available Ota mukaan dian teksti, jos saatavilla - + Include service item notes Ota mukaan muistiinpanot - + Include play length of media items Ota mukaan toistettavan median pituus - + Add page break before each text item Lisää sivunvaihto ennen jokaista tekstiä - + Service Sheet OpenLP:n lista - + Print Tulosta - + Title: Nimi: - + Custom Footer Text: Mukautettu alatunniste: @@ -4877,258 +4906,258 @@ Tiedostopäätettä ei tueta. OpenLP.ProjectorConstants - + OK OK - + General projector error Yleinen projektorivirhe - + Not connected error Yhteysvirhe - + Lamp error Lampun virhe - + Fan error Jäähdytyksen virhe - + High temperature detected Liian korkea lämpötila havaittu - + Cover open detected Kansi on avoinna - + Check filter Tarkista suodatin - + Authentication Error Kirjautusmisvirhe - + Undefined Command Määrittelemätön komento - + Invalid Parameter Virheellinen arvo - + Projector Busy Projektori varattu - + Projector/Display Error Projektori/Näyttövirhe - + Invalid packet received Virheellinen paketti vastaanotettu - + Warning condition detected Varoitustila havaittu - + Error condition detected Virhetila havaittu - + PJLink class not supported PJLink luokka ei ole tuettu - + Invalid prefix character Virheellinen etuliite - + The connection was refused by the peer (or timed out) Toinen osapuoli kieltäytyi yhteydestä (tai aikakatkaisu) - + The remote host closed the connection Etäpalvelin sulki yhteyden - + The host address was not found Palvelimen osoitetta ei löytynyt - + 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) Viimeisintä toimintoa ei ole vielä suoritettu loppuun. (Toimintoa suoritetaan yhä 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 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öä @@ -5136,17 +5165,17 @@ Tiedostopäätettä ei tueta. OpenLP.ProjectorEdit - + 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ä @@ -5154,52 +5183,52 @@ Tiedostopäätettä ei tueta. OpenLP.ProjectorEditForm - + Add New Projector Lisää uusi projektori. - + Edit Projector Muokkaa projektoria. - + IP Address IP-osoite - + Port Number Portti - + PIN PIN - + Name Nimi - + Location Sijainti - + Notes Muistiinpanot - + Database Error Tietokantavirhe - + There was an error saving projector information. See the log for the error Tapahtui virhe projektorin tietojen tallennuksessa. Katso logista virhettä @@ -5207,305 +5236,360 @@ Tiedostopäätettä ei tueta. OpenLP.ProjectorManager - + 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 - + Port Portti - + Notes Muistiinpanot - + 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 - + No message Ei viestiä - + Not Implemented Yet Ei ole vielä toteutettu - - Delete projector (%s) %s? - Haluatko poistaa projektorin (%s) %s? - - - + Are you sure you want to delete this projector? Haluatko varmasti poistaa tämän projektorin? + + + Add a new projector. + Lisää uusi projektori. + + + + Edit selected projector. + Muokkaa valittua projektoria. + + + + Delete selected projector. + Poista valittu projektori. + + + + Choose input source on selected projector. + Valitse sisääntulo valitulle projektorille. + + + + View selected projector information. + Näytä valitun projektorin tiedot. + + + + Connect to selected projector. + Yhdistä valittuun projektoriin. + + + + Connect to selected projectors. + Yhdistä valitut projektorit. + + + + Disconnect from selected projector. + Katkaise yhteys valittuun projektoriin. + + + + Disconnect from selected projectors. + Katkaise yhteys valittuihin projektoreihin. + + + + Power on selected projector. + Käynnistä valittu projektori. + + + + Power on selected projectors. + Käynnistä valitut projektorit. + + + + Put selected projector in standby. + Aseta valittu projektori valmiustilaan. + + + + Put selected projectors in standby. + Aseta valitut projektorit valmiustilaan. + + + + Blank selected projectors screen + Pimennä valittu projektorinäyttö + + + + Blank selected projectors screen. + Pimennä valitut projektorinäyttöt. + + + + Show selected projector screen. + Näytä valittu projektorinäyttö. + + + + Show selected projectors screen. + Näytä valitut projektorinäytöt. + + + + is on + On päällä + + + + is off + On pois päältä + + + + Authentication Error + Kirjautusmisvirhe + + + + No Authentication Error + Tunnistautumisessa tapahtui virhe + OpenLP.ProjectorPJLink - + Fan Tuuletin - + Lamp Lamppu - + Temperature Lämpötila - + Cover Peite - + Filter Suodin - + Other Muu @@ -5551,17 +5635,17 @@ Tiedostopäätettä ei tueta. OpenLP.ProjectorWizard - + Duplicate IP Address Päällekkäinen IP-osoite - + Invalid IP Address Virheellinen IP-osoite - + Invalid Port Number Virheellinen porttinumero @@ -5574,27 +5658,27 @@ Tiedostopäätettä ei tueta. Näyttö - + primary ensisijainen OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Alku</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Pituus</strong>: %s - - [slide %d] - [dia %d] + [slide {frame:d}] + [dia {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Alku</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Pituus</strong>: {length} @@ -5658,52 +5742,52 @@ Tiedostopäätettä ei tueta. Poista valittu kohde Listasta. - + &Add New Item &Lisää uusi rivi - + &Add to Selected Item Lisää valittuun kohtaan - + &Edit Item &Muokkaa valittua kohdetta - + &Reorder Item Järjestä &uudelleen - + &Notes Muistiin&panot - + &Change Item Theme &Muuta kohteen teemaa - + File is not a valid service. Tiedosto ei ole kelvollinen OpenLP:n Lista. - + 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 Kohdetta ei voida näyttää! @@ -5732,7 +5816,7 @@ Voit hallita moduuleja ”Asetukset” valikon kautta. Supista kaikki Listan kohteet. - + Open File Tiedoston valinta @@ -5762,22 +5846,22 @@ Voit hallita moduuleja ”Asetukset” valikon kautta. Lähetä kohde Esitykseen. - + &Start Time &Alku aika - + Show &Preview &Esikatsele - + Modified Service Sulkeminen - + The current service has been modified. Would you like to save this service? Nykyistä Listaa on muokattu, haluatko tallentaa sen? @@ -5797,27 +5881,27 @@ Voit hallita moduuleja ”Asetukset” valikon kautta. Toistoaika: - + Untitled Service Tallentamaton Lista - + 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. Listatiedosto on tyhjä. - + Corrupt File Turmeltunut tiedosto @@ -5837,147 +5921,148 @@ Voit hallita moduuleja ”Asetukset” valikon kautta. Valitse teema Listalle. - + Slide theme Dian teema - + Notes Muistiinpanot - + Edit Muokkaa valittua - + Service copy only Vain ajoilstan kopio - + Error Saving File Virhe tallennettaessa tiedostoa - + There was an error saving your file. Tiedoston tallentamisessa tapahtui virhe. - + Service File(s) Missing Jumalanpalveluksen tiedosto(t) puuttuvat - + &Rename... &Uudelleennimeä - + Create New &Custom Slide Luo kohteesta &Tekstidia - + &Auto play slides Toista &automaatisesti - + Auto play slides &Loop Toista &loputtomasti. - + Auto play slides &Once Toista &loppuun. - + &Delay between slides &Viive diojen välissä. - + OpenLP Service Files (*.osz *.oszl) OpenLP:n Lista (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP:n Lista (*.osz);; OpenLP:n Lista - ilman liitetiedostoja (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP:n Lista (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Tiedosto ei ole kelvollinen Lista. 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. Lista, jota yrität käyttää on vanhempaa muotoa. Tallenna se käyttäen OpenLP:n versiota 2.0.2. tai uudempaa. - + This file is either corrupt or it is not an OpenLP 2 service file. Tämä tiedosto on vahingoittunut tai se ei ole OpenLP 2 Lista. - + &Auto Start - inactive &Automaattinen toisto - Ei päällä - + &Auto Start - active &Automaattinen toisto - päällä - + Input delay Vaihtoaika - + Delay between slides in seconds. Automaattisen toiston vaihtoaika sekunteina. - + Rename item title &Uudelleennimeä otsikko - + Title: Nimi: - - An error occurred while writing the service file: %s - Virhe kirjoitettaessa Listan tiedostoa: %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Seuraavat Listan tiedosto(t) puuttuvat: %s + Seuraavat Listan tiedosto(t) puuttuvat: {name} -Nämä tiedostot poistetaan jos tallennat. +Nämä tiedostot poistetaan jos jatkat tallenntamista. + + + + An error occurred while writing the service file: {error} + Listaa tallentaessa tapahtui virhe: +{error} @@ -6009,15 +6094,10 @@ Nämä tiedostot poistetaan jos tallennat. Pikanäppäin - + Duplicate Shortcut Painike on jo käytössä - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Pikanäppäin "%s" on varattu jo toiseen käyttöön, ole hyvä ja valitse jokin toinen. - Alternate @@ -6063,219 +6143,234 @@ Nämä tiedostot poistetaan jos tallennat. Configure Shortcuts Muokkaa Pikanäppäimiä + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + Pikanäppäin "{key}" on jo käytössä, ole hyvä ja valitse jokin toinen pikanäppäin. + OpenLP.SlideController - + Hide Piilota - + Go To - Säkeen valinta + Valitse säe - + Blank Screen Pimennä näyttö. - + Blank to Theme Näytä vain teeman tausta. - + Show Desktop Näytä työpöytä. - + Previous Service Siirry edelliseen Listan kohteeseen - + Next Service Siirry seuraavaan Listan kohteeseen - + Escape Item Piilota Esityksessä oleva kohde - + Move to previous. Siirry edelliseen. - + Move to next. Siirry seuraavaan. - + Play Slides Toista diat - + Delay between slides in seconds. Automaattisen toiston vaihtoaika sekunteina. - + Move to live. Lähetä Esitykseen. - + Add to Service. Lisää Listaan. - + Edit and reload song preview. Muokkaa ja esikatsele. - + Start playing media. Aloita median toistaminen - + Pause audio. Pysäytä kappale. - + Pause playing media. Pysäytä median toistaminen. - + Stop playing media. Keskeytä median toistaminen. - + Video position. Videon kohta. - + Audio Volume. Äänenvoimakkuus - + Go to "Verse" Siirry "Säkeistöön" - + Go to "Chorus" Siirry "Kertosäkeeseen" - + Go to "Bridge" Siirry "Bridgeen (C-osaan)" - + Go to "Pre-Chorus" Siirry "Esi-kertosäkeeseen" - + Go to "Intro" Siirry "Introon" - + Go to "Ending" Siirry "Lopetukseen" - + Go to "Other" Siirry "Muuhun" - + Previous Slide Edellinen dia - + Next Slide Seuraava dia - + Pause Audio Keskeytä toisto - + Background Audio Taustamusiikki - + Go to next audio track. Aloita seuraava kappale - + Tracks Kappaleet + + + Loop playing media. + Uudelleentoista mediaa automaattisesti. + + + + Video timer. + Videon ajastin. + 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 käyttäjän määrittämä teksti ja palauta PJLink:in oletusteksti. - + 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 - + 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? @@ -6283,17 +6378,17 @@ Nämä tiedostot poistetaan jos tallennat. OpenLP.SpellTextEdit - + Spelling Suggestions Tavutus ehdotuksia - + Formatting Tags Tekstin muotoilu - + Language: Kieli: @@ -6372,7 +6467,7 @@ Nämä tiedostot poistetaan jos tallennat. OpenLP.ThemeForm - + (approximately %d lines per slide) Näytölle mahtuu %d riviä tekstiä tällä koolla ja nykyisillä näyttöasetuksilla. @@ -6380,82 +6475,77 @@ Nämä tiedostot poistetaan jos tallennat. OpenLP.ThemeManager - + Create a new theme. Luo uusi teema. - + Edit Theme Muokkaa teemaa - + Edit a theme. Muokkaa teemaa. - + Delete Theme Poista teema - + Delete a theme. Poista teema. - + Import Theme Tuo teema - + Import a theme. Tuo teema. - + Export Theme Vie teema - + Export a theme. Vie teema. - + &Edit Theme &Muokkaa teemaa - + &Delete Theme &Poista teema - + Set As &Global Default Aseta &Yleiseksi teemaksi - - %s (default) - %s (Oletus) - - - + You must select a theme to edit. Sinun pitää valita muokattava teema. - + You are unable to delete the default theme. Et voi poistaa "Yleiseksi" asetettua teemaa. - + You have not selected a theme. Teemaa ei ole valittu. @@ -6463,451 +6553,467 @@ Ole hyvä ja valitse haluttu teema teemojen listasta. - - 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 - + Select Theme Import File Valitse tuotava OpenLP:n teematiedosto - + File is not a valid theme. Tiedosto ei ole kelvollinen teema. - + &Copy Theme &Luo kopio - + &Rename Theme &Uudelleennimeä teema - + &Export Theme &Vie teema - + You must select a theme to rename. Sinun pitää valita uudelleennimettävä teema. - + Rename Confirmation Nimeämisen vahvistaminen - + Rename %s theme? Uudelleennimetäänkö %s teema? - + You must select a theme to delete. Sinun pitää valita poistettava teema. - + Delete Confirmation Poistaminen - + Delete %s theme? Haluatko varmasti poistaa teeman: %s - + Validation Error Virhe - + A theme with this name already exists. Teema tällä nimellä on jo olemassa. - - Copy of %s - Copy of <theme name> - 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 Teema (*.otz) - - %s time(s) by %s - %s kerta(a) %s :sta - - - + Unable to delete theme Teemaa ei voi poistaa + + + {text} (default) + {text} (Oletus) + + + + Copy of {name} + Copy of <theme name> + Kopio {name}:sta + + + + Save Theme - ({name}) + Tallenna teema - ({name}) + + + + The theme export failed because this error occurred: {err} + Teeman vienti epäonnistui. +Virhe: {err} + + + + {name} (default) + {name} (oletus) + + + + Theme {name} already exists. Do you want to replace it? + Teema "{name}" on jo olemassa, haluatko korvata sen? + + {count} time(s) by {plugin} + {count} kpl seuraavien moduulien toimesta: +{plugin} + + + Theme is currently used -%s - Teemaa ei voida poistaa, -siihen on yhdistetty: +{text} + Teemaa käytetään seuraavissa kohteissa: -%s + {text} OpenLP.ThemeWizard - + Theme Wizard Teemojen ohjattu toiminto - + Welcome to the Theme Wizard Uuden teeman luonti - + Set Up Background Taustan asetukset - + Set up your theme's background according to the parameters below. Valitse listasta haluttu tausta. Läpinäkyvä tausta mahdollistaa esimerkiksi PowerPoint tai videotaustojen käyttämisen erillisellä ohjelmalla. - + Background type: Valitse haluttu tausta: - + Gradient Liukuväri - + Gradient: Kuvio: - + Horizontal Vaakasuora - + Vertical Pystysuora - + Circular Säteittäinen - + Top Left - Bottom Right Ylhäältä vasemmalta - alas oikealle - + Bottom Left - Top Right Alhaalta vasemmalta - ylhäälle oikealle - + Main Area Font Details Fontin asetukset - + Define the font and display characteristics for the Display text Valitse käytettävä fontti ja muotoilut. - + Font: Fontti: - + Size: Koko: - + Line Spacing: Riviväli: - + &Outline: &Ääriviivat - + &Shadow: &Varjostus - + Bold Lihavointi - + Italic Kursiivi - + Footer Area Font Details Alatunnisteen fontti - + Define the font and display characteristics for the Footer text Valitse käytettävä fontti ja muotoilut alatunnisteessa. - + Text Formatting Details Tekstin lisäasetukset - + Allows additional display formatting information to be defined Valitse tekstin tasauksen ja siirtymäefektien asetukset. - + Horizontal Align: Vaakasuora tasaus: - + Left Vasempaan reunaan - + Right Oikeaan reunaan - + Center Keskitetty - + Output Area Locations Näyttöalueen asetukset - + &Main Area &Tekstialue - + &Use default location &Määritä automaattisesti - + X position: Vaakatason sisennys: - + px pikseliä - + Y position: Pystytason sisennys: - + Width: Leveys: - + Height: Korkeus: - + Use default location Määritä automaattisesti - + Theme name: Teeman nimi: - - Edit Theme - %s - Muokkaa teemaa - %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. <font size="4">Tämän työkalun avulla voit luoda uuden teeman.<br> Aloita teeman luonti painamalla 'Seuraava'.</font> - + Transitions: Näytä siirtymäefekti diaa vaihtaessa: - + &Footer Area &Alatunniste - + Starting color: Aloittava väri: - + Ending color: Lopettava väri: - + Background color: Taustan väri: - + Justify Tasaa molemmat reunat - + Layout Preview Ulkoasun esikatselu - + Transparent Läpinäkyvä - + Preview and Save Teeman yhteenveto - + Preview the theme and save it. Voit nyt tallentaa teeman tai palata muokkaukseen. Alapuolella on malli teeman ulkoasusta. - + Background Image Empty Taustakuva tyhjä - + Select Image Valitse kuva - + Theme Name Missing Teeman nimikenttä on tyhjä - + There is no name for this theme. Please enter one. <font size="4">Teema tarvitsee nimen, anna teemalle nimi ennen tallentamista. </font> - + Theme Name Invalid Teeman nimi on virheellinen - + Invalid theme name. Please enter one. Teeman nimi on kelvoton. Ole hyvä ja anna uusi. - + Solid color Yhtenäinen väri - + color: Väri: - + Allows you to change and move the Main and Footer areas. Voit halutessasi muuttaa käytettävissä olevaa näytön resoluutiota sekä tekstin sisennystä reunoilta. - + You have not selected a background image. Please select one before continuing. Taustakuvaa ei ole valittu. Sinun on valittava kuva ennen kuin voit jatkaa eteenpäin. + + + Edit Theme - {name} + Muokkaa Teemaa - {name} + + + + Select Video + Valitse video + OpenLP.ThemesTab @@ -7007,73 +7113,73 @@ sillä kohdekohtaiset ja Listan teemat. Pystysuuntainen tasaus: - + Finished import. Tuominen valmis. - + Format: Tiedostomuoto: - + Importing Tuominen - + Importing "%s"... Tuodaan "%s"... - + Select Import Source Valitse tuonnin lähde - + Select the import format and the location to import from. Valitse tuotavan tiedoston muoto ja sijainti. - + Open %s File Avaa %s tiedosto - + %p% %p% - + Ready. Valmis. - + Starting import... Aloitetaan tuontia... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Sinun pitää määritellä vähintää yksi %s tiedosto tuotavaksi. - + Welcome to the Bible Import Wizard Raamattujen tuonti - + Welcome to the Song Export Wizard Laulujen vienti - + Welcome to the Song Import Wizard Laulujen tuonti @@ -7123,39 +7229,34 @@ sillä kohdekohtaiset ja Listan teemat. XML kielioppivirhe - - Welcome to the Bible Upgrade Wizard - Raamattujen päivittäminen - - - + Open %s Folder Avaa %s kansio - + You need to specify one %s file to import from. A file type e.g. OpenSong Sinun tulee määritellä ainakin yksi %s tiedosto tuotavaksi. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Sinun on määritettävä vähintään yksi %s kansio, josta haluat tuoda tiedostoja. - + Importing Songs Tuodaan lauluja - + Welcome to the Duplicate Song Removal Wizard Päällekkäisten laulujen haku - + Written by Sanat @@ -7165,502 +7266,490 @@ sillä kohdekohtaiset ja Listan teemat. Tekijä tuntematon - + About Tietoja - + &Add &Lisää - + Add group Luo ryhmä - + Advanced - Paikan valinta + Lisäasetukset - + All Files Kaikki tiedostot - + Automatic Automaattinen - + Background Color Taustaväri - + Bottom Alareunaan - + Browse... Selaa... - + Cancel Peruuta - + CCLI number: CCLI numero: - + Create a new service. Luo uusi Lista. - + Confirm Delete Vahvista poisto - + Continuous Jatkuva - + Default Oletusarvo - + Default Color: Taustan väri: - + 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. Lista-%d.%m.%Y luotu %H.%M - + &Delete &Poista - + Display style: Numeroiden sulut: - + Duplicate Error Päällekkäisyys virhe - + &Edit &Muokkaa - + Empty Field Tyhjä kenttä - + Error Virhe - + Export Vienti - + File Tiedosto - + File Not Found Tiedostoa ei löydy - - File %s not found. -Please try selecting it individually. - Tiedostoa %s ei löydy. -Ole hyvä ja yritä valita se erikseen. - - - + pt Abbreviated font pointsize unit pt - + Help Ohjeet - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Valittu tiedostosijainti on virheellinen - + Invalid File Selected Singular Virheellinen tiedosto on valittu - + Invalid Files Selected Plural Virheelliset tiedostot on valittu - + Image Kuvat - + Import Tuo tiedosta… - + Layout style: Rivitys: - + Live Esitys - + Live Background Error Esityksen taustan virhe - + Live Toolbar Esityksen-työkalurivi - + Load Lataa - + Manufacturer Singular Valmistaja - + Manufacturers Plural Valmistajat - + Model Singular Malli - + Models Plural Mallit - + m The abbreviated unit for minutes m - + Middle Keskitetty - + New Uusi - + New Service Uusi Lista - + New Theme Uusi teema - + Next Track Seuraava kappale - + No Folder Selected Singular Kansiota ei ole valittu - + No File Selected Singular Yhtään tiedostoa ei ole valittu - + No Files Selected Plural Tiedostoja ei ole valittu - + No Item Selected Singular Tyhjä kenttä - + No Items Selected Plural Valinta on tyhjä - + OpenLP is already running. Do you wish to continue? OpenLP on jo käynnissä. Haluatko silti jatkaa? - + Open service. Avaa Lista. - + Play Slides in Loop Toista loputtomasti - + Play Slides to End Toista loppuun - + Preview Esikatselu - + Print Service Tulosta Lista - + Projector Singular Projektori - + Projectors Plural Projektorit - + Replace Background Korvaa tausta - + Replace live background. Korvaa Esityksen tausta. - + Reset Background Nollaa tausta - + Reset live background. Palauta Esityksen tausta. - + s The abbreviated unit for seconds s - + Save && Preview Tallenna && Esikatsele - + Search Etsi - + Search Themes... Search bar place holder text Hae teeman mukaan... - + 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 Listan tallentaminen - + Service Lista - + Optional &Split &Puolituskohta - + Split a slide into two only if it does not fit on the screen as one slide. Jos teksti ei mahdu yhdelle dialle, voit lisätä haluamasi jakokohdan. - - Start %s - Käynnistä %s - - - + Stop Play Slides in Loop Keskeytä loputon toisto - + Stop Play Slides to End Keskeytä loppuun asti toistaminen - + Theme Singular Teema - + Themes Plural Teema - + Tools Työkalut - + Top Yläreunaan - + Unsupported File Tiedostomuotoa ei tueta. - + Verse Per Slide Jae per dia - + Verse Per Line Jae per rivi - + Version Käännös - + View Näytä - + View Mode Näyttötila - + CCLI song number: CCLI laulun numero: - + Preview Toolbar Esikatselun työkalurivi - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Taustakuvan korvaaminen ei ole käytettävissä jos WebKit mediasoitinta ei ole otettu käyttöön asetuksista. @@ -7677,29 +7766,102 @@ mediasoitinta ei ole otettu käyttöön asetuksista. Plural Laulukirjat + + + Background color: + Taustan väri: + + + + Add group. + Lisää ryhmä. + + + + File {name} not found. +Please try selecting it individually. + Tiedostoa {name} ei löytynyt. +Voit yrittää valita sen yksittäin. + + + + Start {code} + Aloitusaika {code} + + + + Video + Video + + + + Search is Empty or too Short + Haku on tyhjä tai liian lyhyt + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>Syöttämäsi hakusana on tyhjä tai lyhyempi kuin 3 merkkiä pitkä.</strong><br><br>Ole hyvä ja yritä uudestaan pidemmällä hakusanalla. + + + + No Bibles Available + Raamattuja ei ole saatavilla + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>Yhtään Raamattua ei ole asennettu.</strong><br><br> +Ole hyvä ja tuo Raamattuja "Tiedosto > Tuo" valikon kautta. + + + + Book Chapter + Kirja Luku + + + + Chapter + Luku + + + + Verse + Säe + + + + Psalm + Psalmi + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + Kirjan nimiä voidaan myös lyhentää, esimerkiksi Ps 23 = Psalmi 23 + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s ja %s - + %s, and %s Locale list separator: end %s, ja %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7792,49 +7954,50 @@ Ohjaimia on mahdollista tarkkailla<br/> Esitä käyttäen: - + File Exists Tiedosto on jo olemassa - + A presentation with that filename already exists. Tällä nimellä löytyy jo toinen presentaatio. - + This type of presentation is not supported. Tämän muotoista esitysgrafiikkaa ei tueta. - - Presentations (%s) - Presentaatiot (%s) - - - + Missing Presentation Presentaatiota ei löydy - - The presentation %s is incomplete, please reload. - Presentaatio %s on vioittunut, yritä avata tiedostoa uudestaan. + + Presentations ({text}) + Presentaatiot ({text}) - - The presentation %s no longer exists. - Tiedostoa: %s -ei enää ole - se on poistettu, siirretty tai uudelleennimetty. + + The presentation {name} no longer exists. + Presentaatiota {name} ei enää ole olemassa. + + + + The presentation {name} is incomplete, please reload. + Tiedosto: {name} +on vioittunut, ole hyvä ja yritä uudestaan. PresentationPlugin.PowerpointDocument - - An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - Jokin meni pieleen ja PowerPoint ei toiminut odotetusti. -Käynnistä esitys uudelleen, jos tahdot esittää sen. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + PowerPointin kanssa kommunikoinnissa tapahtui virhe ja esitys pysäytetään. + +Voit halutessasi lähettää tiedoston esitettäväksi uudestaan. @@ -7844,11 +8007,6 @@ Käynnistä esitys uudelleen, jos tahdot esittää sen. Available Controllers Käytettävissä olevat sovellukset - - - %s (unavailable) - %s (ei saatavilla) - Allow presentation application to be overridden @@ -7866,12 +8024,12 @@ Käynnistä esitys uudelleen, jos tahdot esittää sen. (OpenLP käyttää oletuksena sisäänrakennettua) - + 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. @@ -7882,15 +8040,21 @@ Käynnistä esitys uudelleen, jos tahdot esittää sen. - Clicking on a selected slide in the slidecontroller advances to next effect. - Toista diaesityksen efektit, kuten animaatiot ja siirtymät. + Clicking on the current slide advances to the next effect + Toista diaesityksen efektit, kuten animaatiot ja siirtymät klikkaamalla. - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) Anna PowerPointin määritellä käytettävät näyttöasetukset (Voi korjata Windows 8:n ja 10:n liityviä PowePoint ongelmia) + + + {name} (unavailable) + {name} (ei saatavilla) + RemotePlugin @@ -7937,127 +8101,127 @@ Esitys verkkoselaimeen sekä käyttää lavanäkymää. RemotePlugin.Mobile - + Service Manager Lista - + Slide Controller Esitys - + Alerts Huomioviestit - + 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ä huomioviesti - + Go Live Lähetä Esitykseen - + Add to Service Lisää Listaan - + Add &amp; Go to Service Lisää &amp;Siirry Listaan - + No Results Ei tuloksia - + Options Asetukset - + Service Lista - + Slides Esitys - + Settings Asetukset - + Remote Etähallinta - + Stage View Lavanäyttö - + Live View Esitysnäkymä @@ -8065,81 +8229,90 @@ Esitys verkkoselaimeen sekä käyttää lavanäkymää. RemotePlugin.RemoteTab - + Serve on IP address: IP osoite: - + Port number: Portti: - + Server Settings Palvelimen asetukset - + Remote URL: Etähallinnan osoite: - + Stage view URL: Lavanäytön osoite: - + Display stage time in 12h format Näytä aika 12-tunnin muodossa - + Android App Android sovellus - + Live view URL: Esitysnäkymän osoite: - + HTTPS Server HTTPS palvelin - + 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 sertifikaattia ei löydy. HTTPS palvelinta ei voi käyttää ellei SSL sertifikaattia ole saatavilla. Katso ohjekirjasta lisätietoja. - + User Authentication Käyttäjän todentaminen - + User id: Käyttäjän id: - + Password: Salasana: - + Show thumbnails of non-text slides in remote and stage view. Näytä pienet kuvat tekstittömistä dioista etähallinnassa ja lavanäkymässä - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Skannaa QR-koodi tai <a href="%s">klikkaa tästä</a> ja -asenna Android-sovellus Google Play:stä. + + iOS App + iOS App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Skannaa QR-koodi tai klikkaa <a <a href="{qr}">lataa</a> asentaaksesi Android-sovelluksen Google Play:sta. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Skannaa QR-koodi tai klikkaa <a <a href="{qr}">lataa</a> asentaaksesi IOS-sovelluksen App Storesta. @@ -8180,7 +8353,7 @@ asenna Android-sovellus Google Play:stä. 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</strong><br/><br/> @@ -8188,45 +8361,45 @@ Tämän moduulin avulla voidaan<br/> tilastoida käytettyjä lauluja. - + SongUsage name singular Laulujen käyttötilastointi - + SongUsage name plural Laulujen käyttötilastointi - + SongUsage container title Laulujen käyttötilastointi - + Song Usage Laulun käyttötilasto - + Song usage tracking is active. Laulujen käyttötilastointi on päällä. - + Song usage tracking is inactive. Laulujen käyttötilastointi ei ole päällä. - + display näyttö - + printed tulostettu @@ -8294,24 +8467,10 @@ Kaikki tallennetut tiedot ennen tätä päivää poistetaan pysyvästi.Kohdetiedoston sijainti - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation Raportin luominen - - - Report -%s -has been successfully created. - Raportti - %s -on onnistuneesti luotu. - Output Path Not Selected @@ -8325,30 +8484,43 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + usage_detail_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + Tiedosto: {name} +luotiin onnistuneesti. + + + + An error occurred while creating the report: {error} + Raporttia luodessa tapahtui virhe: {error} SongsPlugin - + &Song &Laulut - + 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</strong><br/><br/> @@ -8356,17 +8528,17 @@ Tämä moduuli mahdollistaa laulujen<br/> näyttämisen ja hallinnoinnin. - + &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... Laulutietokantaa järjestellään… @@ -8462,80 +8634,80 @@ The encoding is responsible for the correct character representation. Enkoodaus määrittelee tekstille oikean merkistöesityksen. - + Song name singular Laulut - + 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 laulua. - + Delete the selected song. Poista valittu laulu. - + Preview the selected song. Esikatsele valittua laulua. - + Send the selected song live. Lähetä valittu laulu Esitykseen. - + Add the selected song to the service. Lisää valittu laulu Listaan. - + Reindexing songs Uudelleenindeksoidaan lauluja - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. Tuo laulut CCLI SongSelect Listatiedostosta. - + Find &Duplicate Songs &Päällekkäisten laulujen haku - + Find and remove duplicate songs in the song database. Hae ja poista päällekkäisiä lauluja. @@ -8624,63 +8796,68 @@ Enkoodaus määrittelee tekstille oikean merkistöesityksen. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Ylläpitäjä %s - - - - "%s" could not be imported. %s - "%s" ei voi tuoda. %s - - - + Unexpected data formatting. Odottamaton tiedostomuoto. - + No song text found. Laulun sanoja ei löydy. - + [above are Song Tags with notes imported from EasyWorship] [yllä on laulun tagit muistiinpanoineen, jotka on tuotu EasyWorshipistä] - + 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öydetty. Varmista, että se on tallennettuna samaan kansioon 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. + + + Administered by {admin} + Ylläpitäjä {admin} + + + + "{title}" could not be imported. {entry} + "{title}" ei voitu tuoda. {entry} + + + + "{title}" could not be imported. {error} + "{title}" ei voitu tuoda. {error} + SongsPlugin.EditBibleForm - + Meta Data Tiedot - Kieli - + Custom Book Names Kirjojen nimet @@ -8763,57 +8940,57 @@ Varmista, että se on tallennettuna samaan kansioon kuin ”Songs.DB” tiedosto Teema - Tekijäinoikeudet - Kommentit - + Add Author Lisää tekijä - + This author does not exist, do you want to add them? Tätä tekijää ei ole olemassa, haluatko lisätä sen? - + This author is already in the list. Tämä tekijä on jo luettelossa. - + 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. Sinun pitää valita kelvollinen tekijä. Valitse tekijä joko luettelosta tai kirjoita uusi tekijä ja paina "Lisää tekijä lauluun" -painiketta. - + Add Topic Lisää aihe - + This topic does not exist, do you want to add it? Tätä aihetta ei ole olemassa, tahdotko sinä lisätä sen? - + This topic is already in the list. Tämä aihe on jo luettelossa. - + 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. <font size="4">Aihe ei voi olla tyhjä, kirjoita haluttu aihe tai<br> valitse jo olemassa oleva aihe listasta.<font size="4"> - + You need to type in a song title. Laulun ”Nimi” ei voi olla tyhjä. - + You need to type in at least one verse. Sinun pitää syöttää ainakin yksi jae. - + You need to have an author for this song. Sinun pitää määritellä tekijä tälle laululle. @@ -8838,7 +9015,7 @@ Varmista, että se on tallennettuna samaan kansioon kuin ”Songs.DB” tiedosto Poista &Kaikki - + Open File(s) Avaa tiedosto(t) @@ -8853,14 +9030,7 @@ Varmista, että se on tallennettuna samaan kansioon kuin ”Songs.DB” tiedosto <strong>Huom:</strong> Voit halutessasi muuttaa säkeiden järjestystä kirjaamalla lyhenteet kenttään. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Ei löydy vastinetta jakeelle "%(invalid)". Kelvolliset jaeviitteet ovat %(valid) -Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. - - - + Invalid Verse Order Säkeiden järjestys on virheellinen @@ -8870,22 +9040,15 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. &Muokkaa tekijän tyyppiä - + Edit Author Type Muokkaa tekijän tyyppiä - + Choose type for this author Valitse tyyppi tällä tekijälle - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Ei löydy vastinetta jakeille "%(invalid)s". Kelvollisia jaeviitteitä ovat %(valid)s -Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. - &Manage Authors, Topics, Songbooks @@ -8907,46 +9070,83 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. Tekijät - Aiheet - Laulukirjat - + Add Songbook Lisää Laulukirja - + This Songbook does not exist, do you want to add it? Laulukirjaa ei ole olemassa, haluatko luoda sen? - + This Songbook is already in the list. Laulukirja on jo listassa - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Et ole valinnut kelvollista laulukirjaa. Valitse laulukirja listasta tai lisää uusi laulukirja painamalla ”Lisää lauluun” painiketta. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Vastaavaa säettä "{invalid}" ei lötynyt. +Kelvollisia säkeitä ovat: {valid}. + +Käytäthän välilyöntiä säkeiden erottamiseen. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Vastaavaa säettä "{invalid}" ei lötynyt. +Kelvollisia säkeitä ovat: {valid}. + +Käytäthän välilyöntiä säkeiden erottamiseen. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + Seuraavissa säkeissä on käytetty virheellisiä muotoilutunnuksia: + +{tag} + +Ole hyvä ja korjaa tilanne muokkaamalla säkeitä. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + Sinulla on käytössäsi {count} kpl säettä {name} {number}. +Voit käyttää samaa säettä enintään 26 kertaa. + SongsPlugin.EditVerseForm - + Edit Verse Sanojen muokkaus - + &Verse type: &Säkeen tyyppi: - + &Insert &Lisää - + Split a slide into two by inserting a verse splitter. Jaa dia kahteen osaan lisäämällä jakeen jakaja. @@ -8959,77 +9159,77 @@ uusi laulukirja painamalla ”Lisää lauluun” painiketta. Laulujen viennin ohjattu toiminto - + Select Songs Laulujen valinta - + Check the songs you want to export. Valitse laulut, jotka haluat tallentaa. - + Uncheck All Poista valinnat - + Check All Valitse kaikki - + Select Directory Valitse tiedostosijainti - + Directory: Tiedostosijainti: - + Exporting Tallennetaan... - + Please wait while your songs are exported. Lauluja tallennetaan, ole hyvä ja odota hetki. - + You need to add at least one Song to export. Sinun pitää lisätä ainakin yksi laulu vietäväksi. - + No Save Location specified Sijaintia tallennukselle ei ole määritelty - + Starting export... Aloitetaan vienti... - + You need to specify a directory. Sinun täytyy määritellä tiedostosijainti. - + Select Destination Folder Valitse tiedostosijainti. - + Select the directory where you want the songs to be saved. Valitse tiedostosijainti, jonne haluat tallentaa laulut. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. <font size="4">Tämä toiminto auttaa sinua tallentamaan<br> laulusi <strong>OpenLyrics</strong> muotoon. <br><br>Näin OpenLyrics tiedostomuotoa tukevat <br> sovellukset pystyvät käyttämään laulujasi.<br><br> @@ -9039,7 +9239,7 @@ Paina "Seuraava" aloittaaksesi</font> SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Virheellinen Foilpresenter -laulutiedosto. Jakeita ei löydy. @@ -9047,7 +9247,7 @@ Paina "Seuraava" aloittaaksesi</font> SongsPlugin.GeneralTab - + Enable search as you type Etsi jo kirjoitettaessa @@ -9055,7 +9255,7 @@ Paina "Seuraava" aloittaaksesi</font> SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Valitse asiakirja/esitysgrafiikka tiedostot @@ -9065,238 +9265,257 @@ Paina "Seuraava" aloittaaksesi</font> Laulujen tuonti - + 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. <font size="4">Tämä toiminto auttaa sinua tuomaan ohjelmaan lauluja erilaisista tiedostoista. <br><br> Paina ”Seuraava” aloittaaksesi.</font> - + Generic Document/Presentation Geneerinen asiakirja/esitysgrafiikka - + Add Files... Lisää tiedostoja... - + Remove File(s) Poista tiedosto(ja) - + Please wait while your songs are imported. Ole hyvä ja odota, kunnes laulut on tuotu. - + Words Of Worship Song Files Words Of Worship -laulutiedostot - + Songs Of Fellowship Song Files Songs Of Fellowship -laulutiedostot - + SongBeamer Files SongBeamer -laulutiedostot - + SongShow Plus Song Files SongShow Plus -laulutiedostot - + Foilpresenter Song Files Foilpresenter -laulutiedostot - + Copy Kopioi - + Save to File Tallenna tiedostoksi - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Songs of Fellowship tuonti on pois käytöstä, koska OpenLP ei havaitse OpenOffice tai LibreOffice -ohjelmisto asennettuna. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Geneerinen asiakirjan/esitysgrafiikan tuonti on poissa käytöstä, koska OpenLP ei havaitse asennettua OpenOffice tai LiberOffice -ohjelmistoa. - + OpenLyrics Files OpenLyrics tiedostot - + CCLI SongSelect Files CCLI SongSelect tiedostot - + EasySlides XML File EasySlides XML-tiedosto - + EasyWorship Song Database EasyWorship tietokanta - + DreamBeam Song Files DreamBeam laulutiedostot - + You need to specify a valid PowerSong 1.0 database folder. Annetun tiedostosijainnin pitää sisältää toimiva PowerSong 1.0 tietokanta. - + 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>. Ensiksi muunna ZionWorx tietokanta CSV-tekstiksi niin kuin on selitetty <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Käyttöohjeessa</a>. - + SundayPlus Song Files SundayPlus laulutiedostot - + This importer has been disabled. Tämä tuontitoiminto on estetty. - + MediaShout Database MediaShout tietokanta - + 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 tuonti on tuettu ainoastaan Windowsissa. Se on estetty, koska tarvittavaa Python-moduulia ei ole. Jos tahdot käyttää tätä tuontia, sinun pitää asentaa "pyodbc" moduuli. - + SongPro Text Files SongPro tekstitiedostot - + SongPro (Export File) SongPro (vientitiedosto) - + In SongPro, export your songs using the File -> Export menu SongProssa, vie ensin laulut käyttäen File->Export valikkoa. - + EasyWorship Service File EasyWorship Lista - + WorshipCenter Pro Song Files WorshipCenter Pro laulutiedostot - + 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 tuonti on tuettu ainoastaan Windowsissa. Se on estetty, koska tarvittavaa Python-moduulia ei ole. Jos tahdot käyttää tätä tuontia, sinun pitää asentaa "pyodbc" moduuli. - + 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. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics tai OpenLP 2:sta tuotu laulu - + OpenLP 2 Databases OpenLP 2:n tietokannat - + LyriX Files LyriX Tiedostot - + LyriX (Exported TXT-files) Viety LyriX tiedosto (.TXT) - + VideoPsalm Files VideoPsalm:in laulutiedosto - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - VideoPsalm laulukirjat sijaitsevat normaalisti kansiossa %s + + OPS Pro database + OPS Pro Tietokanta + + + + The OPS 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. + OPS Pro tuontia tuetaan ainoastaan Windows käyttöjärjestelmässä. +Se on poistettu käytöstä puuttuvan Python moduulin vuoksi. +Jos haluat käyttää tätä tuontimuotoa, sinun on asennettava Pythonin +"pyodbc" moduuli. + + + + ProPresenter Song Files + ProPresenterin Laulutiedosto + + + + The VideoPsalm songbooks are normally located in {path} + VideoPsalmin laulukirjat sijaitsevat yleensä seuraavassa kansiossa: +{path} SongsPlugin.LyrixImport - Error: %s - Virhe: %s + File {name} + Tiedosto {nimi} + + + + Error: {error} + Virhe: {error} @@ -9315,80 +9534,119 @@ Paina ”Seuraava” aloittaaksesi.</font> SongsPlugin.MediaItem - + Titles Nimi - + Lyrics Sanat - + CCLI License: CCLI Lisenssi - + Entire Song Nimi tai sanat - + Maintain the lists of authors, topics and books. Ylläpidä luetteloa tekijöistä, kappaleista ja laulukirjoista. - + copy For song cloning kopioi - + Search Titles... Hae nimellä... - + Search Entire Song... Hae nimellä tai sanoilla... - + Search Lyrics... Hae sanoilla... - + Search Authors... Hae tekijöitä... - - Are you sure you want to delete the "%d" selected song(s)? - Haluatko varmasti poistaa valitut laulut? -Valittuna poistettavaksi on: %d laulu/laulua - - - + Search Songbooks... Hae Laulukirjan mukaan... + + + Search Topics... + Hae Aiheita... + + + + Copyright + Tekijäinoikeudet + + + + Search Copyright... + Hae Tekijänoikeuksia... + + + + CCLI number + CCLI numero + + + + Search CCLI number... + Hae CCLI numerolla... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + Haluatko varmasti poistaa valitut laulut? + +"{items:d}" + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Ei voi avata MediaShout tietokantaa. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Ei voitu yhdistää OPS Pro tiedostokantaan. + + + + "{title}" could not be imported. {error} + "{title}" ei voitu tuoda. {error} + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Valittu tiedosto ei ole yhteensopiva OpenLP 2:n tietokanta @@ -9396,9 +9654,9 @@ Valittuna poistettavaksi on: %d laulu/laulua SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Tallennetaan "%s"... + + Exporting "{title}"... + Viedään "{title}"... @@ -9417,29 +9675,46 @@ Valittuna poistettavaksi on: %d laulu/laulua Ei lauluja tuotavaksi. - + Verses not found. Missing "PART" header. Jakeita ei löytynyt. Puuttuva "PART" tunniste. - No %s files found. - Ei %s tiedostoja löytynyt. + No {text} files found. + Tiedostoja {text} ei löytynyt. - Invalid %s file. Unexpected byte value. - Virheellinen %s tiedosto. Odottamaton tavun arvo. + Invalid {text} file. Unexpected byte value. + Tiedosto on virheellinen: +{text} + +Odottamaton tavun arvo. - Invalid %s file. Missing "TITLE" header. - Virheellinen %s tiedosto. "TITLE" tunniste puuttuu. + Invalid {text} file. Missing "TITLE" header. + Tiedosto on virheellinen: +{text} + +Puuttuva "TITLE" header. - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Virheellinen %s tiedosto. Puuttuva "COPYRIGHTLINE" tunniste. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Tiedosto on virheellinen: +{text} + +Puuttuva "COPYRIGHTLINE" header. + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + Tiedosto ei ole XML-muodossa, muita tiedostomuotoja ei tueta. @@ -9468,19 +9743,20 @@ Valittuna poistettavaksi on: %d laulu/laulua SongsPlugin.SongExportForm - + Your song export failed. Laulun vienti epäonnistui. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Valmista! Voit avata tiedoston toisessa asennuksessa <strong>OpenLyrics</strong> tuonnin avulla. - - Your song export failed because this error occurred: %s - Laulujen vienti epäonnistui, koska tämä virhe tapahtui: %s + + Your song export failed because this error occurred: {error} + Laulujen vienti epäonnistui. +Virhe: {error} @@ -9496,17 +9772,17 @@ Valittuna poistettavaksi on: %d laulu/laulua Seuraavia lauluja ei voi tuoda: - + Cannot access OpenOffice or LibreOffice OpenOffice tai LibreOffice -ohjelmistoa ei löydy. - + Unable to open file Ei voida avata tiedostoa - + File not found Tiedostoa ei löydy @@ -9514,109 +9790,118 @@ Valittuna poistettavaksi on: %d laulu/laulua SongsPlugin.SongMaintenanceForm - + Could not add your author. Tekijää ei voida lisätä. - + This author already exists. Tämä tekijä on jo olemassa. - + Could not add your topic. Aihetta ei voida lisätä. - + This topic already exists. Aihe on jo olemassa. - + Could not add your book. Kirjaa ei voida lisätä. - + This book already exists. Tämä kirja on jo olemassa. - + Could not save your changes. Muutoksia ei voida tallentaa. - + Could not save your modified author, because the author already exists. Ei voida tallentaa muokattua tekijää, koska tekijä on jo olemassa. - + Could not save your modified topic, because it already exists. Ei voida tallentaa muokattua aihetta, koska se on jo olemassa. - + Delete Author Poista tekijä - + Are you sure you want to delete the selected author? Oletko varma, että haluat poistaa valitun tekijän? - + This author cannot be deleted, they are currently assigned to at least one song. Tätä tekijää ei voida poistaa, koska sitä käytetään ainakin yhdessä laulussa. - + Delete Topic Poista aihe - + Are you sure you want to delete the selected topic? Oletko varma, että haluat poistaa valitun aiheen? - + This topic cannot be deleted, it is currently assigned to at least one song. Tätä aihetta ei voi poistaa, koska se on käytössä ainakin yhdessä laulussa. - + Delete Book Poista kirja - + Are you sure you want to delete the selected book? Haluatko varmasti poistaa valitun kirjan? - + This book cannot be deleted, it is currently assigned to at least one song. Tätä kirjaa ei voi poistaa, koska sitä käytetään ainakin yhdessä laulussa. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Tekijä %s on jo olemassa. Tahdotko muuttaa ne laulut, jotka on tehnyt %s käyttämään tekijänä %s. + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + Tekijä {original} on jo olemassa. +Haluatko käyttää {original} tekijää +uuden tekijän sijaan niissä lauluissa +joissa uusi tekijä {new} esiintyy? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Aihe %s on jo olemassa. Tahdotko muuttaa laulut aiheella %s käyttämään olemassa olevaa aihetta %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + Aihe {original} on jo olemassa. +Haluatko käyttää {original} aihetta +uuden aiheen sijaan niissä lauluissa +joissa uusi aihe {new} esiintyy? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Kirja %s on jo olemassa. Tahdotko muuttaa ne laulut, jotka kuuluvat kirjaan %s kuulumaan kirjaan %s. + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + Laulukirja {original} on jo olemassa. +Haluatko käyttää {original} kirjaa +uuden kirjan sijaan niissä lauluissa +joissa uusi kirja {new} esiintyy? @@ -9662,52 +9947,47 @@ Valittuna poistettavaksi on: %d laulu/laulua Etsi - - Found %s song(s) - Löytyi %s laulu(a) - - - + Logout Kirjaudu ulos - + View Näytä - + Title: Nimi: - + Author(s): Tekijä(t): - + Copyright: Tekijäinoikeudet: - + CCLI Number: CCLI numero: - + Lyrics: Sanoitus: - + Back Takaisin - + Import Tuo tiedosta… @@ -9747,7 +10027,7 @@ Valittuna poistettavaksi on: %d laulu/laulua Kirjautumisessa oli ongelmia, ehkä käyttäjätunnus tai salasana on virheellinen? - + Song Imported Laulu on tuotu @@ -9762,7 +10042,7 @@ Valittuna poistettavaksi on: %d laulu/laulua Tästä laulusta puuttuu osa tiedoista, kuten sanoitus ja sitä ei voi täten tuoda. - + Your song has been imported, would you like to import more songs? Laulusi on tuotu, haluaisitko tuoda lisää lauluja? @@ -9771,6 +10051,11 @@ Valittuna poistettavaksi on: %d laulu/laulua Stop Lopeta + + + Found {count:d} song(s) + {count:d} laulu(a) löydettiin + SongsPlugin.SongsTab @@ -9779,30 +10064,30 @@ Valittuna poistettavaksi on: %d laulu/laulua Songs Mode Laulut - - - Display verses on live tool bar - Näytä jakeet Esityksen-työkalurivillä - Update service from song edit Päivitä Lista laulun muokkauksesta - - - Import missing songs from service files - Tuo puuttuvat laulut Listatiedostoista - Display songbook in footer Näytä laulukirja alatunnisteessa + + + Enable "Go to verse" button in Live panel + Näytä "Valitse säe" Esityksen paneelissa + + + + Import missing songs from Service files + Tuo puuttuvat laulut Listatiedostoista + - Display "%s" symbol before copyright info - Näytä "%s" symboli ennen tekijäinoikeusinfoa. + Display "{symbol}" symbol before copyright info + Näytä "{symbol}" merkki tekijänoikeuksien edessä @@ -9826,37 +10111,37 @@ Valittuna poistettavaksi on: %d laulu/laulua SongsPlugin.VerseType - + Verse Säe - + Chorus Kertosäe - + Bridge Bridge (C-osa) - + Pre-Chorus Esi-kertosäe - + Intro Intro - + Ending Lopetus - + Other Muu @@ -9864,22 +10149,26 @@ Valittuna poistettavaksi on: %d laulu/laulua SongsPlugin.VideoPsalmImport - - Error: %s - Virhe: %s + + Error: {error} + Virhe: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Virheellinen Words of Worship tiedosto. Puuttuva "%s" otsikko.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + Words of Worship laulutiedosto on virheellinen. +Seuraavaa tunnistetta ei löydetty: +"{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Virheellinen Words of Worship tiedosto. Puuttuva "%s" merkkijono.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + Words of Worship laulutiedosto on virheellinen. +Seuraavaa tietoa ei löydetty: +"{text}" string. @@ -9890,30 +10179,31 @@ Valittuna poistettavaksi on: %d laulu/laulua Virhe luettaessa CSV-tiedostoa. - - Line %d: %s - Rivi %d. %s - - - - Decoding error: %s - Dekoodauksen virhe: %s - - - + File not valid WorshipAssistant CSV format. Tiedosto ei ole kelvollista WorshipAssistant CSV muotoa. - - Record %d - Tietue %d + + Line {number:d}: {error} + Rivi {number:d}: {error} + + + + Record {count:d} + Löytyi {count:d} kappaletta + + + + Decoding error: {error} + Virhe tiedoston lukemisessa: {error} +(decoding error) SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Yhdistäminen WorshipCenter Pro tietokantaan ei onnistu. @@ -9926,25 +10216,31 @@ Valittuna poistettavaksi on: %d laulu/laulua Virhe luettaessa CSV-tiedostoa. - + File not valid ZionWorx CSV format. Tiedosto ei ole kelvollista ZionWorx CSV -muotoa. - - Line %d: %s - Rivi %d. %s - - - - Decoding error: %s - Dekoodauksen virhe: %s - - - + Record %d Tietue %d + + + Line {number:d}: {error} + Rivi {number:d}: {virhe} + + + + Record {index} + Tietue {index} + + + + Decoding error: {error} + Virhe tiedoston lukemisessa: {error} +(decoding error) + Wizard @@ -9954,7 +10250,7 @@ Valittuna poistettavaksi on: %d laulu/laulua Avustaja - + 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. Tämä avustaja auttaa päällekkäisten laulujen löytämisessä. @@ -9962,34 +10258,955 @@ Avustaja hakee päällekkäisiä lauluja, voit itse valita poistatko ne vai et. Avustaja ei siis poista lauluja ilman hyväksyntääsi. - + Searching for duplicate songs. Etsitään päällekkäisiä lauluja... - + Please wait while your songs database is analyzed. Ole hyvä ja odota, kunnes laulutietokanta on analysoitu. - + Here you can decide which songs to remove and which ones to keep. Täällä voit päättää, mitkä laulut poistetaan ja mitkä säilytetään. - - Review duplicate songs (%s/%s) - Päällekkäisten laulujen tarkastelu (%s/%s) - - - + Information Tietoa - + No duplicate songs have been found in the database. Päällekkäisiä lauluja ei löytynyt. + + + Review duplicate songs ({current}/{total}) + Päällekkäisten laulujen tarkistus ({current}/{total}) + + + + common.languages + + + (Afan) Oromo + Language code: om + oromo + + + + Abkhazian + Language code: ab + abhaasi + + + + Afar + Language code: aa + afar + + + + Afrikaans + Language code: af + afrikaans + + + + Albanian + Language code: sq + Albania + + + + Amharic + Language code: am + amhara + + + + Amuzgo + Language code: amu + amuzgo + + + + Ancient Greek + Language code: grc + muinaiskreikka + + + + Arabic + Language code: ar + arabia + + + + Armenian + Language code: hy + armenia + + + + Assamese + Language code: as + assami + + + + Aymara + Language code: ay + aimara + + + + Azerbaijani + Language code: az + azerbaidžani + + + + Bashkir + Language code: ba + baškiiri + + + + Basque + Language code: eu + baski + + + + Bengali + Language code: bn + bengali + + + + Bhutani + Language code: dz + bhutan + + + + Bihari + Language code: bh + bihari + + + + Bislama + Language code: bi + bislama + + + + Breton + Language code: br + bretoni + + + + Bulgarian + Language code: bg + bulgaria + + + + Burmese + Language code: my + burma + + + + Byelorussian + Language code: be + valkovenäjä + + + + Cakchiquel + Language code: cak + caksiquel + + + + Cambodian + Language code: km + kambodza + + + + Catalan + Language code: ca + katalaani + + + + Chinese + Language code: zh + kiina + + + + Comaltepec Chinantec + Language code: cco + Comaltepec Chinantec + + + + Corsican + Language code: co + korsika + + + + Croatian + Language code: hr + kroatia + + + + Czech + Language code: cs + tšekki + + + + Danish + Language code: da + tanska + + + + Dutch + Language code: nl + hollanti + + + + English + Language code: en + Suomi + + + + Esperanto + Language code: eo + esperanto + + + + Estonian + Language code: et + viro + + + + Faeroese + Language code: fo + fääri + + + + Fiji + Language code: fj + fidži + + + + Finnish + Language code: fi + suomi + + + + French + Language code: fr + ranska + + + + Frisian + Language code: fy + friisi + + + + Galician + Language code: gl + gaeli + + + + Georgian + Language code: ka + georgia + + + + German + Language code: de + Saksa + + + + Greek + Language code: el + kreikka + + + + Greenlandic + Language code: kl + grönlanti + + + + Guarani + Language code: gn + guarani + + + + Gujarati + Language code: gu + gudžarati + + + + Haitian Creole + Language code: ht + haiti + + + + Hausa + Language code: ha + hausa + + + + Hebrew (former iw) + Language code: he + heprea + + + + Hiligaynon + Language code: hil + hiligaino + + + + Hindi + Language code: hi + hindi + + + + Hungarian + Language code: hu + Unkari + + + + Icelandic + Language code: is + islanti + + + + Indonesian (former in) + Language code: id + indonesia + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Interlingue + + + + Inuktitut (Eskimo) + Language code: iu + inuktitut + + + + Inupiak + Language code: ik + inupiatun + + + + Irish + Language code: ga + irlanti + + + + Italian + Language code: it + italia + + + + Jakalteko + Language code: jac + jakalteko + + + + Japanese + Language code: ja + japani + + + + Javanese + Language code: jw + jaava + + + + K'iche' + Language code: quc + k'iche' + + + + Kannada + Language code: kn + kannada + + + + Kashmiri + Language code: ks + kašmiri + + + + Kazakh + Language code: kk + kazakki + + + + Kekchí + Language code: kek + Kekchí + + + + Kinyarwanda + Language code: rw + ruanda + + + + Kirghiz + Language code: ky + Kirgiisi + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Korea + + + + Kurdish + Language code: ku + Kurdi + + + + Laothian + Language code: lo + Lao + + + + Latin + Language code: la + Latina + + + + Latvian, Lettish + Language code: lv + latvia + + + + Lingala + Language code: ln + Lingala + + + + Lithuanian + Language code: lt + Liettua + + + + Macedonian + Language code: mk + makedonia + + + + Malagasy + Language code: mg + Madagaskarin + + + + Malay + Language code: ms + Malaiji + + + + Malayalam + Language code: ml + Malajalam + + + + Maltese + Language code: mt + malta + + + + Mam + Language code: mam + Mam + + + + Maori + Language code: mi + maori + + + + Maori + Language code: mri + maori + + + + Marathi + Language code: mr + Marathi + + + + Moldavian + Language code: mo + moldova + + + + Mongolian + Language code: mn + mongolia + + + + Nahuatl + Language code: nah + Nahuatl + + + + Nauru + Language code: na + Nauru + + + + Nepali + Language code: ne + nepal + + + + Norwegian + Language code: no + norja + + + + Occitan + Language code: oc + oksitaani + + + + Oriya + Language code: or + Oriya + + + + Pashto, Pushto + Language code: ps + pashtu + + + + Persian + Language code: fa + persia + + + + Plautdietsch + Language code: pdt + Plautdietsch + + + + Polish + Language code: pl + puola + + + + Portuguese + Language code: pt + portugali + + + + Punjabi + Language code: pa + punjabi + + + + Quechua + Language code: qu + Quechua + + + + Rhaeto-Romance + Language code: rm + rheto-romania + + + + Romanian + Language code: ro + romania + + + + Russian + Language code: ru + venäjä + + + + Samoan + Language code: sm + samoa + + + + Sangro + Language code: sg + Sangro + + + + Sanskrit + Language code: sa + sanskriitti + + + + Scots Gaelic + Language code: gd + Gaeli + + + + Serbian + Language code: sr + serbia + + + + Serbo-Croatian + Language code: sh + Serbokroaatti + + + + Sesotho + Language code: st + Sesotho + + + + Setswana + Language code: tn + Setswana + + + + Shona + Language code: sn + Shona + + + + Sindhi + Language code: sd + Sindhi + + + + Singhalese + Language code: si + Sinhalese + + + + Siswati + Language code: ss + Swati + + + + Slovak + Language code: sk + slovakia + + + + Slovenian + Language code: sl + Slovenia + + + + Somali + Language code: so + somalia + + + + Spanish + Language code: es + espanja + + + + Sudanese + Language code: su + sudan + + + + Swahili + Language code: sw + swahili + + + + Swedish + Language code: sv + ruotsi + + + + Tagalog + Language code: tl + Tagalog + + + + Tajik + Language code: tg + Tadžikki + + + + Tamil + Language code: ta + Tamili + + + + Tatar + Language code: tt + tataari + + + + Tegulu + Language code: te + Tegulu + + + + Thai + Language code: th + thai + + + + Tibetan + Language code: bo + tiibet + + + + Tigrinya + Language code: ti + Tigrinya + + + + Tonga + Language code: to + Tonga + + + + Tsonga + Language code: ts + Tsonga + + + + Turkish + Language code: tr + turkki + + + + Turkmen + Language code: tk + turkmen + + + + Twi + Language code: tw + Twi + + + + Uigur + Language code: ug + Uiguuri + + + + Ukrainian + Language code: uk + ukraina + + + + Urdu + Language code: ur + urdu + + + + Uspanteco + Language code: usp + Uspanteco + + + + Uzbek + Language code: uz + uzbek + + + + Vietnamese + Language code: vi + vietnam + + + + Volapuk + Language code: vo + Volapük + + + + Welch + Language code: cy + Welch + + + + Wolof + Language code: wo + Wolof + + + + Xhosa + Language code: xh + Xhosa + + + + Yiddish (former ji) + Language code: yi + Jiddiš (ennen ji) + + + + Yoruba + Language code: yo + Joruba + + + + Zhuang + Language code: za + Zhuang + + + + Zulu + Language code: zu + zulu + \ No newline at end of file diff --git a/resources/i18n/fr.ts b/resources/i18n/fr.ts index 30d4f0fdc..afeaeaaa7 100644 --- a/resources/i18n/fr.ts +++ b/resources/i18n/fr.ts @@ -120,32 +120,27 @@ Veuillez entrer votre message puis cliquer sur Nouveau. AlertsPlugin.AlertsTab - + Font Police - + Font name: Nom de la police : - + Font color: Couleur de la police : - - Background color: - Couleur de fond : - - - + Font size: Taille de la police : - + Alert timeout: Temps d'alerte : @@ -153,88 +148,78 @@ Veuillez entrer votre message puis cliquer sur Nouveau. 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. Importer 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évisualiser 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. - Genesis @@ -739,160 +724,107 @@ Veuillez entrer votre message puis cliquer sur Nouveau. Cette Bible existe déjà. Veuillez importer une autre Bible ou supprimer la Bible existante. - - You need to specify a book name for "%s". - Vous devez spécifier un nom de livre pour "%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. - Le nom du livre "%s" est incorrect. -Les nombres peuvent être utilisés uniquement au début et doivent être suivis par un ou plusieurs caractères non numériques. - - - + Duplicate Book Name Dupliquer le nom du livre - - The Book Name "%s" has been entered more than once. - Le nom du livre "%s" a été entré plus d'une fois. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + 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 + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Votre référence biblique n'est pas supportée par OpenLP ou est invalide. Veuillez vous assurer que votre référence est conforme à l'un des motifs ci-dessous ou consultez le manuel d'utilisation :⏎ -⏎ -Livre Chapitre⏎ -Livre Chapitre%(range)sChapitre⏎ -Livre Chapitre%(verse)sVerset%(range)sVerset⏎ -Livre Chapitre%(verse)sVerset%(range)sVerset%(list)sVerset%(range)sVerset⏎ -Livre Chapitre%(verse)sVerset%(range)sVerset%(list)sChapitre%(verse)sVerset%(range)sVerset⏎ -Livre Chapitre%(verse)sVerset%(range)sChapitre%(verse)sVerset +This means that the currently used Bible +or Second Bible is installed as Web Bible. + +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Affichage de versets - + Only show new chapter numbers Afficher uniquement les nouveaux numéros de chapitre - + Bible theme: Thème : - + No Brackets Pas de parenthèses - + ( And ) ( et ) - + { And } { et } - + [ And ] [ et ] - - Note: -Changes do not affect verses already in the service. - Remarque : -Les modifications ne s'appliquent pas aux versets déjà dans le service. - - - + Display second Bible verses Afficher les versets de la seconde Bible - + Custom Scripture References Références bibliques personnalisées - - Verse Separator: - Séparateur de verset : - - - - Range Separator: - Séparateur d'intervalle : - - - - List Separator: - Séparateur de liste : - - - - End Mark: - Marque de fin : - - - + 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. @@ -901,37 +833,83 @@ Ils doivent être séparés par la barre verticale "|".⏎ Veuillez supprimer cette ligne pour utiliser la valeur par défaut. - + English Français - + Default Bible Language Langue de la bible par défaut - + Book name language in search field, search results and on display: Langue du livre dans le champ de recherche, résultats de recherche et à l'affichage : - + Bible Language Langue de la bible - + Application Language Langue de l'application - + Show verse numbers Voir les numéros de versets + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -987,70 +965,76 @@ résultats de recherche et à l'affichage : BiblesPlugin.CSVBible - - Importing books... %s - Import des livres... %s - - - + Importing verses... done. Import des versets... terminé. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + BiblesPlugin.EditBibleForm - + Bible Editor Éditeur de bible - + License Details Détails de la licence - + Version name: Nom de la version : - + Copyright: Droits d'auteur : - + Permissions: Autorisations : - + Default Bible Language Langue de la bible par défaut - + Book name language in search field, search results and on display: Langue du livre dans le champ de recherche, résultats de recherche et à l'affichage : - + Global Settings Paramètres généraux - + Bible Language Langue de la bible - + Application Language Langue de l'application - + English Français @@ -1070,225 +1054,260 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. Bible enregistrée. Veuillez noter que les versets seront téléchargés à la demande, par conséquent une connexion Internet sera nécessaire. - + Click to download bible list Cliquer pour télécharger la liste des bibles - + Download bible list Télécharge la liste des bibles - + Error during download Erreur durant le téléchargement - + An error occurred while downloading the list of bibles from %s. Une erreur est survenue lors du téléchargement de la liste des bibles depuis %s. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1319,114 +1338,130 @@ Ce n'est pas possible de personnaliser le nom des livres. BiblesPlugin.MediaItem - - Quick - Rapide - - - + Find: Recherche : - + Book: Carnet de chants : - + Chapter: Chapitre : - + Verse: Verset : - + From: De : - + To: A : - + Text Search Recherche de texte - + Second: Deuxième : - + Scripture Reference Référence biblique - + Toggle to keep or clear the previous results. Cocher pour garder ou effacer le résultat précédent. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Vous ne pouvez pas combiner les résultats de recherche pour les versets bibliques simples et doubles. Voulez-vous effacer les résultats et effectuer une nouvelle recherche ? - + Bible not fully loaded. Bible partiellement chargée. - + Information 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. - La seconde Bible ne contient pas tous les versets présents dans la Bible principale. Seulement les versets trouvés dans les deux Bibles seront affichés. %d versets n'ont pas été inclus dans les résultats. - - - + Search Scripture Reference... Recherche de référence biblique... - + Search Text... Recherche dans le texte... - - Are you sure you want to completely delete "%s" Bible from OpenLP? - -You will need to re-import this Bible to use it again. - Êtes-vous sûrs de vouloir complètement supprimer la Bible "%s" d'OpenLP? - -Vous devrez réimporter cette Bible avant de pouvoir l'utiliser de nouveau. + + Search + Recherche - - Advanced - Avancé + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Fichier Bible incorrect. Les Bibles OpenSong peuvent être compressées. Vous devez les décompresser avant de les importer. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. Fichier Bible incorrect. Ca ressemble à une bible au format Zefania XML, veuillez utiliser les options d'import Zefania. @@ -1434,178 +1469,51 @@ 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... + + Importing {name} {chapter}... + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Retirer les balises inutilisées (cela peut prendre quelques minutes)... - + Importing %(bookname)s %(chapter)s... Import de %(bookname)s %(chapter)s... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Sélectionner un répertoire de sauvegarde + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Assistant de mise a jours des Bibles - - - - 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. - Cet assistant vous permet de mettre à jour vos Bibles de version antérieures à OpenLP 2. Cliquer sur le bouton suivant ci-dessous afin de commencer le processus de mise a jour. - - - - Select Backup Directory - Sélectionner un répertoire de sauvegarde - - - - Please select a backup directory for your Bibles - Veuillez sélectionner un répertoire de sauvegarde pour vos 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>. - Les versions précédentes d'OpenLP 2.0 ne sont pas capables d'utiliser les Bibles mises à jour. Une sauvegarde de vos Bibles va être effectuée de sorte que vous puissiez simplement copier ces fichiers vers votre répertoire de données d'OpenLP si vous avez besoin de revenir à une version précédente de OpenLP. La procédure de restauration des fichiers est disponible dans notre <a href="http://wiki.openlp.org/faq">Foire aux questions</ a>. - - - - Please select a backup location for your Bibles. - Veuillez sélectionner un répertoire de sauvegarde pour vos Bibles. - - - - Backup Directory: - Répertoire de sauvegarde : - - - - There is no need to backup my Bibles - Il n'est pas nécessaire de sauvegarder mes Bibles - - - - Select Bibles - Sélectionner des Bibles - - - - Please select the Bibles to upgrade - Veuillez sélectionner les Bibles à mettre à jour - - - - Upgrading - Mise à jour - - - - Please wait while your Bibles are upgraded. - Merci de patienter durant la mise à jour de vos Bibles. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - La sauvegarde à échouée. -Pour sauvegarder vos Bibles vous devez disposer des droits en écriture sur le répertoire donné. - - - - Upgrading Bible %s of %s: "%s" -Failed - Mise à jour de la Bible %s sur %s : "%s" -Échouée - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Mise a jour de la Bible %s sur %s : "%s" -Mise à jour ... - - - - Download Error - Erreur de téléchargement - - - - To upgrade your Web Bibles an Internet connection is required. - Pour mettre à jour vos Bibles Web, une connexion à Internet est nécessaire. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Mise a jour de la Bible %s sur %s : "%s" -Mise à jour %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Mise a jour de la Bible %s sur %s : "%s" -Terminée - - - - , %s failed - , %s échouée - - - - Upgrading Bible(s): %s successful%s - Mise à jour de(s) (la) Bible(s) : %s avec succès%s - - - - Upgrade failed. - La mise à jour a échouée. - - - - You need to specify a backup directory for your Bibles. - Vous devez spécifier un répertoire de sauvegarde pour vos Bibles. - - - - Starting upgrade... - Démarrage de la mise à jour... - - - - There are no Bibles that need to be upgraded. - Il n'y a pas de Bibles à mettre à jour. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Mise a jour de(s) (la) Bible(s) : %(success)d avec succès%(failed_text)s -Veuillez noter que les versets des Bibles Web seront téléchargés à la demande, par conséquent une connexion Internet sera nécessaire. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Fichier Bible incorrecte. Les bibles Zefania peuvent être compressées. Vous devez les décompresser avant de les importer. @@ -1613,9 +1521,9 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Import de %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1730,7 +1638,7 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand Édite toutes les diapositives en une. - + Split a slide into two by inserting a slide splitter. Sépare la diapositive en deux en insérant un séparateur de diapositive. @@ -1745,7 +1653,7 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand &Crédits : - + You need to type in a title. Vous devez spécifier un titre. @@ -1755,12 +1663,12 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand Édite &tous - + Insert Slide Insère une diapositive - + You need to add at least one slide. Vous devez ajouter au moins une diapositive. @@ -1768,7 +1676,7 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand CustomPlugin.EditVerseForm - + Edit Slide Éditer la diapo @@ -1776,9 +1684,9 @@ 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 "%d" selected custom slide(s)? - Etes-vous sur de vouloir supprimer les "%d" diapositive(s) personnalisée(s) sélectionnée(s) ? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1806,11 +1714,6 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand container title Images - - - Load a new image. - Charge une nouvelle image. - Add a new image. @@ -1841,6 +1744,16 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand Add the selected image to the service. Ajoute l'image sélectionnée au service. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1865,12 +1778,12 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand Vous devez entrer un nom de groupe. - + Could not add the new group. Impossible d'ajouter un nouveau groupe. - + This group already exists. Ce groupe existe déjà. @@ -1906,7 +1819,7 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand ImagePlugin.ExceptionDialog - + Select Attachment Sélectionner un objet @@ -1914,39 +1827,22 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand ImagePlugin.MediaItem - + Select Image(s) Sélectionner 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. @@ -1956,25 +1852,41 @@ Voulez-vous ajouter les autres images malgré tout ? -- Groupe principal -- - + You must select an image or group to delete. Vous devez sélectionner une image ou un groupe à supprimer. - + Remove group Retirer un groupe - - Are you sure you want to remove "%s" and everything in it? - Etes-vous sûr de vouloir supprimer %s et tout ce qu'il contient ? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Fond d'écran visible pour les images avec un ratio différent de celui de l'écran. @@ -1982,27 +1894,27 @@ Voulez-vous ajouter les autres images malgré tout ? Media.player - + Audio Audio - + Video Vidéo - + VLC is an external player which supports a number of different formats. VLC est un lecteur externe qui supporte de nombreux formats différents. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit est un lecteur de médias embarqué dans un navigateur. Ce lecteur permet l'affichage de texte sur de la vidéo. - + This media player uses your operating system to provide media capabilities. Ce lecteur multimédia s'appuie sur les capacités de votre système d'exploitation. @@ -2010,60 +1922,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évisualiser 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. @@ -2179,47 +2091,47 @@ Voulez-vous ajouter les autres images malgré tout ? VLC player n'arrive pas à lire le média - + CD not loaded correctly CD incorrectement chargé - + The CD was not loaded correctly, please re-load and try again. Le CD ne s'est pas correctement chargé, merci de le recharger. - + DVD not loaded correctly DVD incorrectement chargé - + The DVD was not loaded correctly, please re-load and try again. Le DVD ne s'est pas correctement chargé, merci de le recharger. - + Set name of mediaclip Nommer le clip multimédia - + Name of mediaclip: Nom du clip multimédia : - + Enter a valid name or cancel Entrer un nom valide ou annuler - + Invalid character Caractère invalide - + The name of the mediaclip must not contain the character ":" Le nom du clip multimédia ne soit pas contenir de caractère ":" @@ -2227,90 +2139,100 @@ Voulez-vous ajouter les autres images malgré tout ? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Fichier non supporté - + Use Player: Utiliser le lecteur : - + VLC player required Lecteur VLC requis - + VLC player required for playback of optical devices Lecteur VLC requis pour lire les périphériques optiques - + Load CD/DVD Charger CD/DVD - - Load CD/DVD - only supported when VLC is installed and enabled - Charger CD/DVD - seulement supporté si VLC est installé et activé - - - - The optical disc %s is no longer available. - Le disque optique %s n'est plus disponible. - - - + Mediaclip already saved Clip multimédia déjà sauvegardé - + This mediaclip has already been saved Ce clip multimédia a déjà été sauvegardé + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2321,41 +2243,19 @@ Voulez-vous ajouter les autres images malgré tout ? - Start Live items automatically - Démarrer les articles du live automatiquement - - - - OPenLP.MainWindow - - - &Projector Manager - Gestionnaire de &projecteurs + Start new Live media automatically + OpenLP - + Image Files Fichiers image - - Information - Information - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Le format de Bible à changé. -Vous devez mettre à jour vos Bibles existantes. -Voulez-vous que OpenLP effectue la mise à jour maintenant ? - - - + Backup Sauvegarde @@ -2370,15 +2270,20 @@ Voulez-vous que OpenLP effectue la mise à jour maintenant ? Sauvegarde du répertoire des données échoué ! - - A backup of the data folder has been created at %s - Une sauvegarde du répertoire des données a été créée à %s - - - + Open Ouvrir + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2388,15 +2293,10 @@ Voulez-vous que OpenLP effectue la mise à jour maintenant ? Crédits - + License Licence - - - build %s - révision %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. @@ -2425,7 +2325,7 @@ Apprenez-en plus au sujet d'OpenLP: http://openlp.org OpenLP est développé et maintenu par des bénévoles. Si vous souhaitez voir développer d'autres logiciels libres chrétiens, envisagez de devenir bénévole en cliquant le bouton ci-dessous. - + Volunteer Aidez-nous @@ -2610,332 +2510,237 @@ OpenLP est développé et maintenu par des bénévoles. Si vous souhaitez voir d Le crédit final revient à Dieu notre père pour avoir envoyé son fils mourir sur la croix afin de nous délivrer du péché. Nous mettons ce logiciel à votre disposition gratuitement parce qu'il nous a donné gratuitement. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} + OpenLP.AdvancedTab - + UI Settings Propriétés de l'interface utilisateur - - - Number of recent files to display: - Nombre de fichiers récents à afficher : - - Remember active media manager tab on startup - Se souvenir de l'onglet actif du gestionnaire de média au démarrage - - - - Double-click to send items straight to live - Double-cliquer pour envoyer les éléments directement au live - - - Expand new service items on creation Étendre les nouveaux éléments du service à la création - + Enable application exit confirmation Demander une confirmation avant de quitter l'application - + Mouse Cursor Curseur de la souris - + Hide mouse cursor when over display window Cacher le curseur de la souris quand elle se trouve sur l'écran live - - Default Image - Image par défaut - - - - Background color: - Couleur de fond : - - - - Image file: - Fichier image : - - - + Open File Ouvrir un fichier - + Advanced Avancé - - - Preview items when clicked in Media Manager - Prévisualiser l’élément cliqué du gestionnaire de média - - Browse for an image file to display. - Parcoure pour trouver une image à afficher. - - - - Revert to the default OpenLP logo. - Retour au logo OpenLP par défaut. - - - Default Service Name Nom de service par défaut - + Enable default service name Activer le nom de service par défaut - + Date and Time: Date et Heure : - + Monday Lundi - + Tuesday Mardi - + Wednesday Mercredi - + Friday Vendredi - + Saturday Samedi - + Sunday Dimanche - + Now Maintenant - + Time when usual service starts. Heure de début du service habituelle. - + Name: Nom : - + Consult the OpenLP manual for usage. Veuillez consulter le manuel d'OpenLP. - - Revert to the default service name "%s". - Restaurer le nom du service par défaut "%s". - - - + Example: Exemple : - + Bypass X11 Window Manager Contourner le gestionnaire de fenêtres X11 - + Syntax error. Erreur de syntaxe. - + Data Location Emplacement des données - + Current path: Chemin courant : - + Custom path: Chemin personnalisé : - + Browse for new data file location. Sélectionnez un nouvel emplacement pour le fichier de données. - + Set the data location to the default. Définir cet emplacement pour les données comme emplacement par défaut. - + Cancel Annuler - + Cancel OpenLP data directory location change. Annuler le changement d'emplacement du dossier de données d'OpenLP. - + Copy data to new location. Copier les données vers un nouvel emplacement. - + Copy the OpenLP data files to the new location. Copier les fichiers de données d'OpenLP vers le nouvel emplacement. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>ATTENTION:</strong> Le nouveau dossier de données contient des fichiers de données OpenLP. Ces fichiers seront remplacés pendant la copie. - + Data Directory Error Erreur du dossier de données - + Select Data Directory Location Sélectionnez un emplacement pour le dossier de données - + Confirm Data Directory Change Confirmez le changement de dossier de données - + Reset Data Directory Remise à zéro du dossier de données - + Overwrite Existing Data Écraser les données existantes - - 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. - Le répertoire de données d'OpenLP est introuvable: - -%s - -Ce répertoire de données a été changé de l'emplacement par défaut. Si le nouvel emplacement est sur un support amovible, ce support doit être rendu disponible. - -Cliquez "non" pour arreter le chargement d'OpenLP. Vous pourrez alors corriger le problème. - -Cliquez "oui" pour réinitialiser le répertoire de données à son emplacement par défaut. - - - - 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. - Êtes-vous sûrs de vouloir changer l'emplacement du répertoire de données d'OpenLP? Le nouveau répertoire sera: -%s - -Le répertoire de données changera lorsque vous fermerez OpenLP. - - - + Thursday Jeudi - + Display Workarounds Afficher contournements - + Use alternating row colours in lists Utiliser une couleur de ligne alternative dans la liste - - 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? - AVERTISSEMENT: - -L'emplacement que vous avez sélectionné - -%s - -contient apparemment des fichiers de données OpenLP. Voulez-vous remplacer ces fichiers avec les fichiers de données courants? - - - + Restart Required Redémarrage requis - + This change will only take effect once OpenLP has been restarted. Cette modification ne prendra effet qu'une fois OpenLP redémarré. - + 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. @@ -2943,11 +2748,155 @@ This location will be used after OpenLP is closed. Cet emplacement sera utilisé après avoir fermé OpenLP. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatique + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Clique pour sélectionner une couleur. @@ -2955,252 +2904,252 @@ Cet emplacement sera utilisé après avoir fermé OpenLP. OpenLP.DB - + 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 - + Digital 1 Numérique 1 - + Digital 2 Numérique 2 - + Digital 3 Numérique 3 - + Digital 4 Numérique 4 - + Digital 5 Numérique 5 - + Digital 6 Numérique 6 - + Digital 7 Numérique 7 - + Digital 8 Numérique 8 - + Digital 9 Numérique 9 - + 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 @@ -3208,62 +3157,74 @@ Cet emplacement sera utilisé après avoir fermé OpenLP. OpenLP.ExceptionDialog - + Error Occurred Erreur survenue - + Send E-Mail Envoyer un courriel - + Save to File Enregistre dans un fichier - + Attach File Attacher un fichier - - - Description characters to enter : %s - Description : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Veuillez entrer une description de ce que vous faisiez au moment de l'erreur. Écrivez si possible en anglais. -(Minimum 20 caractères) - - 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. Also attach any files that triggered the problem. - Oups! OpenLP a rencontré un problème et ne peut pas continuer à s'exécuter. Le texte dans le champ ci-dessous contient des informations qui pourraient être utiles aux développeurs d'OpenLP, veuillez s'il vous plaît envoyer un courriel à bugs@openlp.org, avec une description détaillée de ce que vous faisiez lorsque le problème est survenu. Veuillez joindre également les fichiers qui ont provoqués l'erreur. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation + OpenLP.ExceptionForm - - Platform: %s - - Plateforme : %s - - - - + Save Crash Report Enregistrer le rapport d'erreur - + Text files (*.txt *.log *.text) Fichiers texte (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3304,268 +3265,259 @@ Cet emplacement sera utilisé après avoir fermé OpenLP. 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... Activer 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électionner et télécharger des chants du domaine public. - + Sample Bibles Bibles d'exemple - + Select and download free Bibles. Sélectionner et télécharger des Bibles gratuites. - + Sample Themes Exemple de Thèmes - + Select and download sample themes. Sélectionner et télécharger 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électionner 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. - Aucune connexion internet trouvée. L'assistant de démarrage a besoin d'une connexion internet afin de télécharger les examplaires de chansons, de Bibles, et de thèmes. Cliquez sur Finir pour démarrer OpenLP avec la configuration par défaut sans données exemplaires. - -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. Il y a eu un problème de connexion durant le téléchargement, les prochains téléchargements seront ignorés. Esasyez de ré-executer l'Assistant de Premier Démarrage plus tard. - - Download complete. Click the %s button to return to OpenLP. - Téléchargement terminé. Cliquez sur le bouton %s pour revenir à OpenLP. - - - - Download complete. Click the %s button to start OpenLP. - Téléchargement terminé. Cliquez sur le bouton %s pour démarrer OpenLP. - - - - Click the %s button to return to OpenLP. - Cliquez sur le bouton %s pour revenir à OpenLP. - - - - Click the %s button to start OpenLP. - Cliquez sur le bouton %s pour démarrer OpenLP. - - - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Il y a eu un problème de connexion durant le téléchargement, les prochains téléchargements seront ignorés. Esasyez de ré-executer l'Assistant de Premier Démarrage plus tard. - - This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - Cet assistant vous permet de configurer OpenLP pour sa première utilisation. Cliquez sur le bouton %s pour démarrer. - - - - - -To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - - -Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliquez sur le bouton %s maintenant. - - - + Downloading Resource Index Téléchargement de l'index des ressources - + Please wait while the resource index is downloaded. Merci de patienter durant le téléchargement de l'index des ressources. - + Please wait while OpenLP downloads the resource index file... Merci de patienter pendant qu'OpenLP télécharge le fichier d'index des ressources... - + Downloading and Configuring Téléchargement et configuration en cours - + Please wait while resources are downloaded and OpenLP is configured. Merci de patienter pendant le téléchargement des ressources et la configuration d'OpenLP. - + Network Error Erreur réseau - + There was a network error attempting to connect to retrieve initial configuration information Il y a eu une erreur réseau durant la connexion pour la récupération des informations de configuration initiales - - Cancel - Annuler - - - + Unable to download some files Impossible de télécharger certains fichiers + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3608,44 +3560,49 @@ Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliqu OpenLP.FormattingTagForm - + <HTML here> <HTML ici> - + Validation Error Erreur de validation - + Description is missing La description est manquante - + Tag is missing La balise est manquante - Tag %s already defined. - Balise %s déjà définie. + Tag {tag} already defined. + - Description %s already defined. - Description %s déjà définie. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Balise ouvrante %s n'est pas valide au format HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Baliste fermante %(end)s ne correspond pas à la fermeture pour la balise ouvrante %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3734,170 +3691,200 @@ Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliqu OpenLP.GeneralTab - + General Général - + Monitors Moniteurs - + Select monitor for output display: Sélectionner l’écran pour la sortie d'affichage live : - + Display if a single screen Afficher si il n'y a qu'un écran - + Application Startup Démarrage de l'application - + Show blank screen warning Afficher un avertissement d'écran vide - - Automatically open the last service - Ouvrir automatiquement le dernier service - - - + Show the splash screen Afficher l'écran de démarrage - + Application Settings Préférence de l'application - + Prompt to save before starting a new service Demander d'enregistrer avant de commencer un nouveau service - - Automatically preview next item in service - Prévisualiser automatiquement l'élément suivant du service - - - + sec sec - + CCLI Details CCLI détails - + SongSelect username: Nom d'utilisateur SongSelect : - + SongSelect password: Mot de passe SongSelect : - + X X - + Y Y - + Height Hauteur - + Width Largeur - + Check for updates to OpenLP Vérifie si des mises à jours d'OpenLP sont disponibles - - Unblank display when adding new live item - Retirer l'écran noir lors de l'ajout de nouveaux éléments au direct - - - + Timed slide interval: Intervalle de temps entre les diapositives : - + Background Audio Audio en fond - + Start background audio paused Démarrer le son de fond en pause - + Service Item Slide Limits Limites des éléments de service - + Override display position: Surcharger la position d'affichage : - + Repeat track list Répéter la liste des pistes - + Behavior of next/previous on the last/first slide: Comportement suivant/précédent sur la dernière/première diapositive : - + &Remain on Slide &Rester sur la diapositive - + &Wrap around &Retour à la ligne automatique - + &Move to next/previous service item &Déplacer l'élément du service vers suivant/précédent + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Parcoure pour trouver une image à afficher. + + + + Revert to the default OpenLP logo. + Retour au logo OpenLP par défaut. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Langage - + Please restart OpenLP to use your new language setting. Veuillez redémarrer OpenLP pour utiliser votre nouveau paramétrage de langue. @@ -3905,7 +3892,7 @@ Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliqu OpenLP.MainDisplay - + OpenLP Display Affichage OpenLP @@ -3932,11 +3919,6 @@ Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliqu &View &Visualiser - - - M&ode - M&ode - &Tools @@ -3957,16 +3939,6 @@ Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliqu &Help &Aide - - - Service Manager - Gestionnaire de services - - - - Theme Manager - Gestionnaire de thèmes - Open an existing service. @@ -3992,11 +3964,6 @@ Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliqu E&xit &Quitter - - - Quit OpenLP - Quitter OpenLP - &Theme @@ -4008,191 +3975,67 @@ Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliqu &Configuration d'OpenLP... - - &Media Manager - Gestionnaire de &médias - - - - Toggle Media Manager - Gestionnaire de Média - - - - Toggle the visibility of the media manager. - Change la visibilité du gestionnaire de média. - - - - &Theme Manager - Gestionnaire de &thèmes - - - - Toggle Theme Manager - Gestionnaire de Thème - - - - Toggle the visibility of the theme manager. - Change la visibilité du gestionnaire de tème. - - - - &Service Manager - Gestionnaire de &services - - - - Toggle Service Manager - Gestionnaire de service - - - - Toggle the visibility of the service manager. - Change la visibilité du gestionnaire de service. - - - - &Preview Panel - Panneau de &prévisualisation - - - - Toggle Preview Panel - Panneau de prévisualisation - - - - Toggle the visibility of the preview panel. - Change la visibilité du panel de prévisualisation. - - - - &Live Panel - Panneau du &direct - - - - Toggle Live Panel - Panneau du direct - - - - Toggle the visibility of the live panel. - Change la visibilité du directe. - - - - List the Plugins - Liste des modules - - - + &User Guide &Guide utilisateur - + &About À &propos - - More information about OpenLP - Plus d'information sur OpenLP - - - + &Online Help &Aide en ligne - + &Web Site Site &Web - + Use the system language, if available. Utilise le langage système, si disponible. - - Set the interface language to %s - Défini la langue de l'interface à %s - - - + Add &Tool... Ajoute un &outils... - + Add an application to the list of tools. Ajoute une application à la liste des outils. - - &Default - &Défaut - - - - Set the view mode back to the default. - Redéfini le mode vue comme par défaut. - - - + &Setup &Configuration - - Set the view mode to Setup. - Mode vue Configuration. - - - + &Live &Direct - - Set the view mode to Live. - Mode vue Direct. - - - - 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 version %s d'OpenLP est maintenant disponible au téléchargement (vous utiliser actuellement la version %s). - -Vous pouvez télécharger la dernière version à partir de http://openlp.org/. - - - + OpenLP Version Updated Version d'OpenLP mis à jour - + OpenLP Main Display Blanked OpenLP affichage principal noirci - + The Main Display has been blanked out L'affichage principal a été noirci - - Default Theme: %s - Thème par défaut : %s - - - + English Please add the name of your language here Français @@ -4203,27 +4046,27 @@ Vous pouvez télécharger la dernière version à partir de http://openlp.org/.< Personnalisation des &raccourcis... - + Open &Data Folder... &Ouvrir le répertoire de données... - + Open the folder where songs, bibles and other data resides. Ouvrir le répertoire où se trouve les chants, bibles et autres données. - + &Autodetect &Détecter automatiquement - + Update Theme Images Mettre à jour les images de thèmes - + Update the preview images for all themes. Mettre à jour les images de tous les thèmes. @@ -4233,32 +4076,22 @@ Vous pouvez télécharger la dernière version à partir de http://openlp.org/.< Imprimer le service courant. - - L&ock Panels - &Verrouille les panneaux - - - - Prevent the panels being moved. - Empêcher les panneaux d'être déplacé. - - - + Re-run First Time Wizard Re-démarrer l'assistant de démarrage - + Re-run the First Time Wizard, importing songs, Bibles and themes. Re-démarrer l'assistant de démarrage, importer les chants, Bibles et thèmes. - + Re-run First Time Wizard? Re-démarrer l'assistant de démarrage ? - + 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. @@ -4267,13 +4100,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. @@ -4282,75 +4115,36 @@ Re-démarrer cet assistant peut apporter des modifications à votre configuratio Configure &Formatting Tags... Configurer les &balises de formatage... - - - Export OpenLP settings to a specified *.config file - Exporte la configuration d'OpenLP vers un fichier *.config spécifié - Settings Paramètres - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importe la configuration d'OpenLP à partir d'un fichier *.config précédemment exporté depuis un autre ordinateur. - - - + Import settings? Import de la configuration ? - - Open File - Ouvrir un fichier - - - - OpenLP Export Settings Files (*.conf) - Fichier de configuration OpenLP (*.conf) - - - + Import settings Import de la configuration - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP va se terminer maintenant. La Configuration importée va être appliquée au prochain démarrage. - + Export Settings File Export de la configuration - - OpenLP Export Settings File (*.conf) - 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 - La copie du répertoire de données OpenLP a échoué - -%s - General @@ -4362,12 +4156,12 @@ Re-démarrer cet assistant peut apporter des modifications à votre configuratio Bibliothèque - + Jump to the search box of the current active plugin. Aller au champ de recherche du plugin actif actuel. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4380,7 +4174,7 @@ Importer la configuration va changer de façon permanente votre configuration d& Importer une configuration incorrect peut provoquer des comportements imprévisible d'OpenLP et le fermer anormalement. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4389,35 +4183,10 @@ Processing has terminated and no changes have been made. L'opération est terminée et aucun changement n'a été fait. - - Projector Manager - Gestionnaire de projecteurs - - - - Toggle Projector Manager - Afficher/Masquer le gestionnaire de projecteurs - - - - Toggle the visibility of the Projector Manager - Change la visibilité du manageur de projecteurs - - - + Export setting error Erreur de configuration des exports - - - The key "%s" does not have a default value so it will be skipped in this export. - La clé "%s" n'a pas de valeur par défaut, elle ne sera donc pas exportée. - - - - An error occurred while exporting the settings: %s - Une erreur est survenue lors de l'export des paramètres : %s - &Recent Services @@ -4449,131 +4218,340 @@ L'opération est terminée et aucun changement n'a été fait.&Gestion des extensions - + Exit OpenLP Quitter OpenLP - + Are you sure you want to exit OpenLP? Êtes vous sur de vouloir quitter OpenLP ? - + &Exit OpenLP &Quitter OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Service + + + + Themes + Thèmes + + + + Projectors + Projecteurs + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 - La base de données utilisée a été créé avec une version plus récente d'OpenLP. La base de données est en version %d, tandis que OpenLP attend la version %d. La base de données ne peux pas être chargée. - -Base de données: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP ne peut pas charger votre base de données. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Base de données: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Aucun éléments sélectionnés - + &Add to selected Service Item &Ajoute à l'élément sélectionné du service - + You must select one or more items to preview. Vous devez sélectionner un ou plusieurs éléments à prévisualiser. - + You must select one or more items to send live. Vous devez sélectionner un ou plusieurs éléments pour les envoyer au direct. - + You must select one or more items. Vous devez sélectionner un ou plusieurs éléments. - + You must select an existing service item to add to. Vous devez sélectionner un élément existant du service pour l'ajouter. - + Invalid Service Item Élément du service invalide - - You must select a %s service item. - Vous devez sélectionner un %s élément du service. - - - + You must select one or more items to add. Vous devez sélectionner un ou plusieurs éléments à ajouter. - + No Search Results Aucun résultat de recherche - + Invalid File Type Type de fichier invalide - - Invalid File %s. -Suffix not supported - Fichier invalide %s. -Extension non supportée - - - + &Clone &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. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. La balise <lyrics> est manquante. - + <verse> tag is missing. La balise <verse> est manquante. @@ -4581,22 +4559,22 @@ Extension non supportée OpenLP.PJLink1 - + Unknown status Status inconnu - + No message Pas de message - + Error while sending data to projector Erreur lors de l'envoi de données au projecteur - + Undefined command: Commande indéfinie : @@ -4604,32 +4582,32 @@ Extension non supportée OpenLP.PlayerTab - + Players Lecteurs - + Available Media Players Lecteurs de Média disponibles - + Player Search Order Ordre de recherche du lecteur - + Visible background for videos with aspect ratio different to screen. Fond d'écran visible pour les vidéos avec un ratio différent de celui de l'écran. - + %s (unavailable) %s (non disponible) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" REMARQUE: Pour utiliser VLC vous devez installer la version %s @@ -4638,55 +4616,50 @@ Extension non supportée OpenLP.PluginForm - + Plugin Details Détails du module - + Status: État : - + Active Actif - - Inactive - Inactif - - - - %s (Inactive) - %s (Inactif) - - - - %s (Active) - %s (Actif) + + Manage Plugins + Gestion des extensions - %s (Disabled) - %s (Désactivé) + {name} (Disabled) + - - Manage Plugins - Gestion des extensions + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Ajuster à la page - + Fit Width Ajuster à la largeur @@ -4694,77 +4667,77 @@ Extension non supportée OpenLP.PrintServiceForm - + Options Options - + Copy Copier - + Copy as HTML Copier comme de l'HTML - + Zoom In Zoom avant - + Zoom Out Zoom arrière - + Zoom Original Zoom d'origine - + Other Options Autres options - + Include slide text if available Inclure le texte des diapositives si disponible - + Include service item notes Inclure les notes des éléments du service - + Include play length of media items Inclure la durée des éléments média - + Add page break before each text item Ajoute des sauts de page entre chaque éléments - + Service Sheet Feuille de service - + Print Imprimer - + Title: Titre : - + Custom Footer Text: Texte de pied de page personnalisé : @@ -4772,257 +4745,257 @@ Extension non supportée OpenLP.ProjectorConstants - + OK OK - + General projector error Erreur générale de projecteur - + Not connected error Erreur de connexion - + Lamp error Erreur d'ampoule - + Fan error Erreur de ventilateur - + High temperature detected Détection de température élevée - + Cover open detected Détection d'ouverture du couvercle - + Check filter Vérifiez le filtre - + Authentication Error Erreur d'identification - + Undefined Command Commande indéfinie - + Invalid Parameter Paramètre invalide - + Projector Busy Projecteur occupé - + Projector/Display Error Erreur de projecteur / affichage - + Invalid packet received Paquets reçus invalides - + Warning condition detected Alertes détectées - + Error condition detected Erreurs détectées - + PJLink class not supported Classe PJLink non supportée - + Invalid prefix character Caractère de préfixe invalide - + The connection was refused by the peer (or timed out) La connexion est refusée par le pair (ou délai dépassé) - + The remote host closed the connection L'hôte distant a fermé la connexion - + The host address was not found L'adresse de l'hôte n'est pas trouvée - + The socket operation failed because the application lacked the required privileges L'opération de connection a échoué parce que l'application n'a pas les droits nécessaires - + The local system ran out of resources (e.g., too many sockets) Le sytème local n'a plus de ressources (ex : trop de connexions) - + The socket operation timed out L'opération de connexion est dépassée - + The datagram was larger than the operating system's limit La trame réseau est plus longue que ne l'autorise le système d'exploitation - + An error occurred with the network (Possibly someone pulled the plug?) Une erreur réseau est survenue (Quelqu'un a débranché le câble ?) - + The address specified with socket.bind() is already in use and was set to be exclusive L'adresse spécifiée avec socket.bind() est déjà utilisée et est à usage exclusive. - + The address specified to socket.bind() does not belong to the host L'adresse donnée à socket.bind() n'appartient à l'hôte - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) L'opération de connexion n'est pas supportée par le système d'exploitation (ex : IPv6 non supporté) - + The socket is using a proxy, and the proxy requires authentication La connexion utilise un proxy qui demande une authentification - + The SSL/TLS handshake failed La validation SSL/TLS a échouée - + The last operation attempted has not finished yet (still in progress in the background) La dernière tentative n'est pas encore finie (toujours en cours en arrière plan) - + Could not contact the proxy server because the connection to that server was denied Ne peut pas joindre le serveur proxy car la connexion au serveur est refusée - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) La connexion au serveur proxy s'est coupée inopinément (avant que la connexion au destinataire final soit établie) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. La délai de la connexion au serveur proxy est dépassé ou le serveur proxy ne répond plus durant la phase d'identification. - + The proxy address set with setProxy() was not found L'adresse proxy configuré avec setProxy() n'est pas trouvée - + An unidentified error occurred Une erreur non identifiée est survenue - + Not connected Non connecté - + Connecting En cours de connexion - + Connected Connecté - + Getting status Récupération du status - + Off Eteind - + Initialize in progress Initialisation en cours - + Power in standby Alimentation en veille - + Warmup in progress Préchauffage en cours - + Power is on Alimentation démarrée - + Cooldown in progress Refroidissement en cours - + Projector Information available Informations du projecteur disponibles - + Sending data Envoi de données - + Received data Réception de données - + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood La négociation de la connexion avec le serveur proxy a échoué car la réponse du serveur n'est pas compréhensible @@ -5030,17 +5003,17 @@ Extension non supportée OpenLP.ProjectorEdit - + Name Not Set Nom non défini - + You must enter a name for this entry.<br />Please enter a new name for this entry. Vous devez saisir un nom pour cette entrée.<br />Merci de saisir un nouveau nom pour cette entrée. - + Duplicate Name Nom dupliqué @@ -5048,52 +5021,52 @@ Extension non supportée OpenLP.ProjectorEditForm - + Add New Projector Ajouter nouveau projecteur - + Edit Projector Modifier projecteur - + IP Address Adresse IP - + Port Number Numéro de port - + PIN NIP - + Name Nom - + Location Localisation - + Notes Notes - + Database Error Erreur de base de données - + There was an error saving projector information. See the log for the error Erreur lors de la sauvegarde des informations du projecteur. Voir le journal pour l'erreur @@ -5101,305 +5074,360 @@ Extension non supportée OpenLP.ProjectorManager - + Add Projector Ajouter projecteur - - Add a new projector - Ajouter un nouveau projecteur - - - + Edit Projector Modifier projecteur - - Edit selected projector - Editer projecteur sélectionné - - - + Delete Projector Supprimer projecteur - - Delete selected projector - Supprimer projecteur sélectionné - - - + Select Input Source Choisir la source en entrée - - Choose input source on selected projector - Choisir la source en entrée pour le projecteur sélectionné - - - + View Projector Voir projecteur - - View selected projector information - Voir les informations du projecteur sélectionné - - - - Connect to selected projector - Connecter le projecteur sélectionné - - - + Connect to selected projectors Connecter les projecteurs sélectionnés - + Disconnect from selected projectors Déconnecter les projecteurs sélectionnés - + Disconnect from selected projector Déconnecter le projecteur sélectionné - + Power on selected projector Allumer le projecteur sélectionné - + Standby selected projector Mettre en veille le projecteur sélectionné - - Put selected projector in standby - Mettre le projecteur sélectionné en veille - - - + Blank selected projector screen Obscurcir le projecteur sélectionner - + Show selected projector screen Voir l'écran des projecteurs sélectionnés - + &View Projector Information &Voir projecteur informations - + &Edit Projector Modifi&er projecteur - + &Connect Projector &Connecter le projecteur - + D&isconnect Projector Déconnect&er le projecteur - + Power &On Projector Allumer projecteur - + Power O&ff Projector Eteindre projecteur - + Select &Input Cho&isir entrée - + Edit Input Source Modifier la source d'entrée - + &Blank Projector Screen Masquer l'écran du projecteur - + &Show Projector Screen Afficher l'écran du projecteur - + &Delete Projector Supprimer le projecteur - + Name Nom - + IP IP - + Port Port - + Notes Notes - + Projector information not available at this time. Informations du projecteur indisponibles pour l'instant. - + Projector Name Nom du projecteur - + Manufacturer Constructeur - + Model Modèle - + Other info Autres infos - + Power status Status de l'alimentation - + Shutter is Le cache est - + Closed Fermé - + Current source input is Entrée actuelle est - + Lamp Ampoule - - On - Allumé - - - - Off - Eteind - - - + Hours Heures - + No current errors or warnings Pas d'erreurs ou alertes actuellement - + Current errors/warnings Erreurs/alertes en cours - + Projector Information Information du projecteur - + No message Pas de message - + Not Implemented Yet Pas encore implémenté - - Delete projector (%s) %s? - Supprimer le projecteur (%s) %s ? - - - + Are you sure you want to delete this projector? Êtes-vous sûr de bien vouloir supprimer ce projecteur ? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Erreur d'identification + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Ventilateur - + Lamp Ampoule - + Temperature Température - + Cover Couvercle - + Filter Filtre - + Other Autre @@ -5445,17 +5473,17 @@ Extension non supportée OpenLP.ProjectorWizard - + Duplicate IP Address Adresse IP dupliquée - + Invalid IP Address Adresse IP invalide - + Invalid Port Number Numéro de port invalide @@ -5468,27 +5496,27 @@ Extension non supportée Écran - + primary primaire OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Début</strong> : %s - - - - <strong>Length</strong>: %s - <strong>Longueur</strong> : %s - - [slide %d] - [diapo %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5552,52 +5580,52 @@ Extension non supportée Retirer l'élément sélectionné du service. - + &Add New Item &Ajoute un nouvel élément - + &Add to Selected Item &Ajoute à l'élément sélectionné - + &Edit Item &Édite l'élément - + &Reorder Item &Réordonne l'élément - + &Notes &Notes - + &Change Item Theme &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é @@ -5622,7 +5650,7 @@ Extension non supportée Réduit tous les éléments du service. - + Open File Ouvrir un fichier @@ -5652,22 +5680,22 @@ Extension non supportée Afficher l'élément sélectionné en direct. - + &Start Time Temps de &début - + Show &Preview Afficher en &prévisualisation - + Modified Service Service modifié - + The current service has been modified. Would you like to save this service? Le service courant à été modifié. Voulez-vous l'enregistrer ? @@ -5687,27 +5715,27 @@ Extension non supportée Durée du service : - + Untitled Service 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 @@ -5727,147 +5755,145 @@ Extension non supportée Sélectionner 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. - + Service File(s) Missing Fichier(s) service manquant - + &Rename... &Renommer - + Create New &Custom Slide &Créer nouvelle diapositive personnalisée - + &Auto play slides Jouer les diapositives &automatiquement - + Auto play slides &Loop Jouer les diapositives automatiquement en &boucle - + Auto play slides &Once Jouer les diapositives automatiquement une &seule fois - + &Delay between slides Intervalle entre les diapositives - + OpenLP Service Files (*.osz *.oszl) Fichier service OpenLP (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) Fichier service OpenLP (*.osz);; Fichier service OpenLP - lite (*.oszl) - + OpenLP Service Files (*.osz);; Fichier service OpenLP (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Le fichier n'est pas un fichier de service valide. Le contenu n'est pas de l'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. Le fichier service que vous tentez d'ouvrir est dans un ancien format. Merci de l'enregistrer sous OpenLP 2.0.2 ou supérieur. - + This file is either corrupt or it is not an OpenLP 2 service file. Ce fichier est sois corrompu ou n'est pas un fichier de service OpenLP 2. - + &Auto Start - inactive Démarrage &auto - inactif - + &Auto Start - active Démarrage &auto - actif - + Input delay Retard de l'entrée - + Delay between slides in seconds. Intervalle entre les diapositives en secondes. - + Rename item title Renommer titre article - + Title: Titre : - - An error occurred while writing the service file: %s - Une erreur est survenue lors de l'écriture dans le fichier du service : %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Les fichiers suivants sont absents du service : %s - -Ces fichiers seront supprimés si vous continuez la sauvegarde. + + + + + An error occurred while writing the service file: {error} + @@ -5899,15 +5925,10 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Raccourci - + Duplicate Shortcut Raccourci dupliqué - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Le raccourci "%s" est déjà assigné à une autre action, veuillez utiliser un autre raccourci. - Alternate @@ -5953,219 +5974,234 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Configure Shortcuts Configurer les raccourcis + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Cacher - + Go To Aller à - + Blank Screen Écran noir - + Blank to Theme Thème vide - + Show Desktop Afficher le bureau - + Previous Service Service précédent - + Next Service Service suivant - + Escape Item Élément d'échappement - + Move to previous. Déplace au précédant. - + Move to next. Déplace au suivant. - + Play Slides Joue les diapositives - + Delay between slides in seconds. Intervalle entre les diapositives en secondes. - + Move to live. Déplacer sur le direct. - + Add to Service. Ajoute au service. - + Edit and reload song preview. Édite et recharge la prévisualisation du chant. - + Start playing media. Joue le média. - + Pause audio. Mettre en pause la lecture audio. - + Pause playing media. Mettre en pause la lecture. - + Stop playing media. Arrêter la lecture. - + Video position. Position vidéo. - + Audio Volume. Volume sonore. - + Go to "Verse" Aller au "Couplet" - + Go to "Chorus" Aller au "Refrain" - + Go to "Bridge" Aller au "Pont" - + Go to "Pre-Chorus" Aller au "Pré-Refrain" - + Go to "Intro" Aller à "Intro" - + Go to "Ending" Aller à "Fin" - + Go to "Other" Aller à "Autre" - + Previous Slide Diapositive précédente - + Next Slide Diapositive suivante - + Pause Audio Pause Audio - + Background Audio Audio en fond - + Go to next audio track. Aller à la piste audio suivante. - + Tracks Pistes + + + Loop playing media. + + + + + Video timer. + + OpenLP.SourceSelectForm - + Select Projector Source Choisir la source du projecteur - + Edit Projector Source Text Modifier le texte de la source du projecteur - + Ignoring current changes and return to OpenLP Ignorer les changements actuels et retourner à OpenLP - + Delete all user-defined text and revert to PJLink default text Supprimer le texte personnalisé et recharger le texte par défaut de PJLink - + Discard changes and reset to previous user-defined text Annuler les modifications et recharger le texte personnalisé précédent - + Save changes and return to OpenLP Sauvegarder les changements et retourner à OpenLP - + Delete entries for this projector Supprimer les entrées pour ce projecteur - + Are you sure you want to delete ALL user-defined source input text for this projector? Êtes-vous sûr de bien vouloir supprimer tout le texte d'entrée source de ce projecteur ? @@ -6173,17 +6209,17 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. OpenLP.SpellTextEdit - + Spelling Suggestions Suggestions orthographiques - + Formatting Tags Tags de formatage - + Language: Langue : @@ -6262,7 +6298,7 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. OpenLP.ThemeForm - + (approximately %d lines per slide) (environ %d lignes par diapo) @@ -6270,523 +6306,531 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. OpenLP.ThemeManager - + Create a new theme. Crée un nouveau thème. - + Edit Theme Édite le thème - + Edit a theme. Édite un thème. - + Delete Theme Supprime le thème - + Delete a theme. Supprime un thème. - + Import Theme Import le thème - + Import a theme. Import un thème. - + Export Theme Export le thème - + Export a theme. Export un thème. - + &Edit Theme &Édite le thème - + &Delete Theme &Supprime le thème - + Set As &Global Default Définir comme défaut &Global - - %s (default) - %s (défaut) - - - + You must select a theme to edit. 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. - + 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é - + 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. - + &Copy Theme &Copie le thème - + &Rename Theme &Renomme le thème - + &Export Theme &Exporte le thème - + You must select a theme to rename. Vous devez sélectionner un thème à renommer. - + Rename Confirmation Confirme le renommage - + Rename %s theme? Renomme le thème %s ? - + You must select a theme to delete. Vous devez sélectionner un thème à supprimer. - + Delete Confirmation Confirmation de suppression - + Delete %s theme? 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. - - Copy of %s - Copy of <theme name> - 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 - L'export du thème a échoué car cette erreur est survenue : %s - - - + OpenLP Themes (*.otz) Thèmes OpenLP (*.otz) - - %s time(s) by %s - %s fois par %s - - - + Unable to delete theme Impossible de supprimer le thème + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Le thème est actuellement utilisé - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Assistant de thème - + Welcome to the Theme Wizard Bienvenue dans l'assistant de thème - + Set Up Background Choisir le font - + Set up your theme's background according to the parameters below. Choisir le fond de votre thème à l'aide des paramètres ci-dessous. - + Background type: Type de fond : - + Gradient Dégradé - + Gradient: Dégradé : - + Horizontal Horizontal - + Vertical Vertical - + Circular Circulaire - + Top Left - Bottom Right Haut gauche - Bas droite - + Bottom Left - Top Right Bas gauche - Haut droite - + Main Area Font Details Détails de la police de la zone principale - + Define the font and display characteristics for the Display text Définir la police et les caractéristique d'affichage de ce texte - + Font: Police : - + Size: Taille : - + Line Spacing: Espace entre les lignes : - + &Outline: &Contour : - + &Shadow: &Ombre : - + Bold Gras - + Italic Italique - + Footer Area Font Details Détails de la police de la zone du pied de page - + Define the font and display characteristics for the Footer text Définir la police et les caractéristiques d'affichage du texte de pied de page - + Text Formatting Details Détails de formatage du texte - + Allows additional display formatting information to be defined Permet de définir des paramètres d'affichage supplémentaires - + Horizontal Align: Alignement horizontal : - + Left Gauche - + Right Droite - + Center Centré - + Output Area Locations Emplacement de la zone d'affichage - + &Main Area Zone &principale - + &Use default location &Utilise l'emplacement par défaut - + X position: Position x : - + px px - + Y position: Position y : - + Width: Largeur : - + Height: Hauteur : - + Use default location Utilise l'emplacement par défaut - + Theme name: Nom du thème : - - Edit Theme - %s - Édite le thème - %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. Cet assistant vous permet de créer et d'éditer vos thèmes. Cliquer sur le bouton suivant pour démarrer le processus en choisissant votre fond. - + Transitions: Transitions : - + &Footer Area Zone de &pied de page - + Starting color: Couleur de début : - + Ending color: Couleur de fin : - + Background color: Couleur de fond : - + Justify Justifier - + Layout Preview Prévisualiser la mise en page - + Transparent Transparent - + Preview and Save Prévisualiser et Sauvegarder - + Preview the theme and save it. Prévisualiser le thème et le sauvegarder. - + Background Image Empty L'image de fond est vide - + Select Image Sélectionnez une image - + Theme Name Missing Nom du thème manquant - + There is no name for this theme. Please enter one. Ce thème n'a pas de nom. Veuillez en saisir un. - + Theme Name Invalid Nom du thème invalide - + Invalid theme name. Please enter one. Nom du thème invalide. Veuillez en saisir un. - + Solid color Couleur unie - + color: couleur : - + Allows you to change and move the Main and Footer areas. Permet de déplacer les zones principale et de pied de page. - + You have not selected a background image. Please select one before continuing. Vous n'avez pas sélectionné une image de fond. Veuillez en sélectionner une avant de continuer. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6869,73 +6913,73 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Alignement &vertical : - + Finished import. Import terminé. - + Format: Format : - + Importing Import en cours - + Importing "%s"... Importation de "%s"... - + Select Import Source Sélectionnez la source à importer - + Select the import format and the location to import from. Sélectionner le format d'import et le chemin du fichier à importer. - + Open %s File Ouvrir le fichier %s - + %p% %p% - + Ready. Prêt. - + Starting import... Démarrage de l'import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong 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 - + Welcome to the Song Export Wizard Bienvenue dans l'assistant d'export de Chant - + Welcome to the Song Import Wizard Bienvenue dans l'assistant d'import de Chant @@ -6985,39 +7029,34 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Erreur de syntaxe XML - - Welcome to the Bible Upgrade Wizard - Bienvenue dans l'assistant de mise à jour de Bible - - - + Open %s Folder Ouvrir le dossier %s - + You need to specify one %s file to import from. A file type e.g. OpenSong Vous devez spécifier un fichier %s à importer. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Vous devez spécifier un dossier %s à importer. - + Importing Songs Import de chansons en cours - + Welcome to the Duplicate Song Removal Wizard Bienvenue dans l'assistant de suppression des chants en double - + Written by Ecrit par @@ -7027,502 +7066,490 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Auteur inconnu - + About A propos de - + &Add &Ajoute - + Add group Ajouter un groupe - + Advanced Avancé - + All Files Tous les Fichiers - + Automatic Automatique - + Background Color Couleur de fond - + Bottom Bas - + Browse... Parcourir... - + Cancel Annuler - + CCLI number: Numéro CCLI : - + Create a new service. Crée un nouveau service. - + Confirm Delete Confirme la suppression - + Continuous Continu - + Default Défaut - + Default Color: Couleur par défaut : - + 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. Service %Y-%m-%d %H-%M - + &Delete &Supprime - + Display style: Style d'affichage : - + Duplicate Error Erreur de duplication - + &Edit &Édite - + Empty Field Champ vide - + Error Erreur - + Export Export - + File Fichier - + File Not Found Fichier non trouvé - - File %s not found. -Please try selecting it individually. - Fichier %s non trouvé. -Essayez de le sélectionner à part. - - - + pt Abbreviated font pointsize unit pt - + Help Aide - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Dossier sélectionné invalide - + Invalid File Selected Singular Fichier sélectionné invalide - + Invalid Files Selected Plural Fichiers sélectionnés invalides - + Image Image - + Import - Importer + Import - + Layout style: Type de disposition : - + Live Direct - + Live Background Error Erreur de fond du direct - + Live Toolbar Bar d'outils direct - + Load Charge - + Manufacturer Singular Constructeur - + Manufacturers Plural Constructeurs - + Model Singular Modèle - + Models Plural Modèles - + m The abbreviated unit for minutes m - + Middle Milieu - + New Nouveau - + New Service Nouveau service - + New Theme Nouveau thème - + Next Track Piste suivante - + No Folder Selected Singular Aucun dossier sélectionné - + No File Selected Singular Pas de fichier sélectionné - + No Files Selected Plural Aucun fichiers sélectionnés - + No Item Selected Singular Aucun élément sélectionné - + No Items Selected Plural Aucun éléments sélectionnés - + OpenLP is already running. Do you wish to continue? OpenLP est déjà en cours d'utilisation. Voulez-vous continuer ? - + Open service. Ouvrir le service. - + Play Slides in Loop Afficher les diapositives en boucle - + Play Slides to End Afficher les diapositives jusqu’à la fin - + Preview Prévisualisation - + Print Service Imprimer le service - + Projector Singular Projecteur - + Projectors Plural Projecteurs - + 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 Enregistrer && prévisualiser - + 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 Afficher - + View Mode Mode d'affichage - + CCLI song number: Numéro de chant CCLI : - + Preview Toolbar Prévisualiser barre d'outils - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. @@ -7538,29 +7565,100 @@ Essayez de le sélectionner à part. Plural + + + Background color: + Couleur de fond : + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Vidéo + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Aucune Bible disponible + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Couplet + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s et %s - + %s, and %s Locale list separator: end %s, et %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7643,47 +7741,47 @@ Essayez de le sélectionner à part. Actuellement utilisé : - + File Exists Ce fichier existe - + A presentation with that filename already exists. Une présentation utilise déjà ce nom de fichier. - + This type of presentation is not supported. Ce type de présentation n'est pas supporté. - - Presentations (%s) - 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. + + Presentations ({text}) + - - The presentation %s no longer exists. - La présentation %s n'existe plus. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + PresentationPlugin.PowerpointDocument - - An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - Un erreur s'est produite lors de l'intégration de Powerpoint et la présentation va être arrêtée. Veuillez relancer la relancer si nécessaire. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7693,11 +7791,6 @@ Essayez de le sélectionner à part. Available Controllers Logiciels de présentation disponibles - - - %s (unavailable) - %s (non disponible) - Allow presentation application to be overridden @@ -7714,12 +7807,12 @@ Essayez de le sélectionner à part. Utilisez le chemin fourni pour mudraw ou l'exécutable de ghostscript : - + Select mudraw or ghostscript binary. Sélectionnez mudraw ou l'exécutable ghostscript. - + The program is not ghostscript or mudraw which is required. Le programme qui a été fourni n'est pas mudraw ni ghostscript. @@ -7730,13 +7823,19 @@ Essayez de le sélectionner à part. - Clicking on a selected slide in the slidecontroller advances to next effect. - En cliquant sur une diapositive sélectionnée dans le contrôleur de diapositives permet de passer à l'effet suivant. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Laisser PowerPoint contrôler la taille et la position de la fenêtre de présentation (contournement du problème de mise à l'échelle de Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7778,127 +7877,127 @@ Essayez de le sélectionner à part. 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 - + Remote Contrôle à distance - + Stage View Prompteur - + Live View Vue du direct @@ -7906,79 +8005,89 @@ Essayez de le sélectionner à part. RemotePlugin.RemoteTab - + Serve on IP address: Ecoute sur l'adresse IP : - + Port number: Numéro de port : - + Server Settings Configuration du serveur - + Remote URL: URL du contrôle à distance : - + Stage view URL: URL du Prompteur : - + Display stage time in 12h format Affiche l'heure du prompteur au format 12h - + Android App Application Android - + Live view URL: URL du direct : - + HTTPS Server Serveur 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. Ne peut pas trouver de certificat SSL. Le serveur HTTPS ne sera pas disponible sans certificat SSL. Merci de vous reporter au manuel pour plus d'informations. - + User Authentication Indentification utilisateur - + User id: ID utilisateur : - + Password: Mot de passe : - + Show thumbnails of non-text slides in remote and stage view. Afficher les miniatures des diapositives sans texte sur la vue distante et le prompteur. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Scannez le QR code ou cliquez sur <a href="%s">télécharger</a> pour installer l'application Android à partir de Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8019,50 +8128,50 @@ Essayez de le sélectionner à part. Activer/Désactiver 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é @@ -8130,24 +8239,10 @@ Toutes les données enregistrées avant cette date seront définitivement suppri 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. - Le rapport -%s -à été crée avec succès. - Output Path Not Selected @@ -8161,45 +8256,57 @@ Please select an existing path on your computer. Veuillez sélectionner un répertoire existant sur votre ordinateur. - + Report Creation Failed Création du rapport en échec - - An error occurred while creating the report: %s - Une erreur est survenue lors de la création du rapport : %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + SongsPlugin - + &Song &Chant - + Import songs using the import wizard. Importer 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... @@ -8295,80 +8402,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évisualiser 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 CCLI SongSelect - + Import songs from CCLI's SongSelect service. Importer les chants à partir du service SongSelect CCLI. - + Find &Duplicate Songs Trouver chants &dupliqués - + Find and remove duplicate songs in the song database. Trouve et supprime les doublons dans la base des chants. @@ -8457,62 +8564,67 @@ L'encodage permet un affichage correct des caractères. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administré par %s - - - - "%s" could not be imported. %s - "%s" ne peut pas être importé. %s - - - + Unexpected data formatting. Format de fichier inattendu. - + No song text found. Aucun chant n'a été trouvé. - + [above are Song Tags with notes imported from EasyWorship] [ci-dessus les balises des chants avec des notes importées de EasyWorship] - + This file does not exist. Ce fichier n'existe pas. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Ne trouve pas le fichier "Songs.MB". Il doit être dans le même dossier que le fichier "Songs.DB". - + This file is not a valid EasyWorship database. Ce fichier n'est pas une base EasyWorship valide. - + Could not retrieve encoding. Impossible de trouver l'encodage. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Méta données - + Custom Book Names Noms de livres personnalisés @@ -8595,57 +8707,57 @@ L'encodage permet un affichage correct des caractères. Thème, copyright && commentaires - + Add Author Ajoute un auteur - + This author does not exist, do you want to add them? Cet auteur n'existe pas, voulez-vous l'ajouter ? - + This author is already in the list. Cet auteur ce trouve déjà dans la liste. - + 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. Vous n'avez pas sélectionné un auteur valide. Vous pouvez sélectionner un auteur dans la liste, ou entrer le nom d'un nouvel auteur et cliquez sur "Ajouter un auteur au Chant". - + Add Topic Ajoute un sujet - + This topic does not exist, do you want to add it? Ce sujet n'existe pas voulez-vous l'ajouter ? - + This topic is already in the list. Ce sujet ce trouve déjà dans la liste. - + 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. Vous n'avez pas sélectionné de sujet valide. Vous pouvez sélectionner un sujet dans la liste, ou entrer le nom d'un nouveau sujet et cliquez sur "Ajouter un sujet au Chant". - + You need to type in a song title. Vous devez entrer un titre pour ce chant. - + You need to type in at least one verse. Vous devez entrer au moins un paragraphe. - + You need to have an author for this song. Vous devez entrer un auteur pour ce chant. @@ -8670,7 +8782,7 @@ L'encodage permet un affichage correct des caractères. Supprime &tout - + Open File(s) Ouvrir un(des) fichier(s) @@ -8685,14 +8797,7 @@ L'encodage permet un affichage correct des caractères. <strong>Attention :</strong> Vous n'avez pas entré d'ordre de verset. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Il n'y a pas de strophe correspondant à "%(invalid)s". Les valeurs possibles sont %(valid)s. -Veuillez entrer les strophes séparées par des espaces. - - - + Invalid Verse Order Ordre des paragraphes invalides @@ -8702,22 +8807,15 @@ Veuillez entrer les strophes séparées par des espaces. &Modifier le type d'auteur - + Edit Author Type Modifier le type d'auteur - + Choose type for this author Choisir un type pour cet auteur - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Il n'y a pas de strophe correspondant à "%(invalid)s". Les valeurs possibles sont %(valid)s. -Veuillez entrer les strophes séparées par des espaces. - &Manage Authors, Topics, Songbooks @@ -8739,45 +8837,71 @@ Veuillez entrer les strophes séparées par des espaces. - + Add Songbook - + This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Édite le paragraphe - + &Verse type: &Type de paragraphe : - + &Insert &Insère - + Split a slide into two by inserting a verse splitter. Divise une diapositive en deux en insérant un séparateur de paragraphe. @@ -8790,77 +8914,77 @@ Veuillez entrer les strophes séparées par des espaces. Assistant d'export de chant - + Select Songs Sélectionner des chants - + Check the songs you want to export. Coche les chants que vous voulez exporter. - + Uncheck All Décoche tous - + Check All Coche tous - + Select Directory Sélectionner un répertoire - + Directory: Répertoire : - + Exporting Exportation - + Please wait while your songs are exported. Merci d'attendre que vos chants soient exportés. - + You need to add at least one Song to export. Vous devez exporter au moins un chant. - + No Save Location specified Aucun emplacement de sauvegarde défini - + Starting export... Démarre l'export... - + You need to specify a directory. Vous devez spécifier un répertoire. - + Select Destination Folder Sélectionner le répertoire de destination - + Select the directory where you want the songs to be saved. Sélectionner le répertoire où vous voulez enregistrer vos chants. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Cet assistant vous aide à exporter vos chants au format de chants de louange libre et gratuit <strong>OpenLyrics</strong>. @@ -8868,7 +8992,7 @@ Veuillez entrer les strophes séparées par des espaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Fichier Foilpresenter invalide. Pas de couplet trouvé. @@ -8876,7 +9000,7 @@ Veuillez entrer les strophes séparées par des espaces. SongsPlugin.GeneralTab - + Enable search as you type Activer la recherche à la frappe @@ -8884,7 +9008,7 @@ Veuillez entrer les strophes séparées par des espaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Sélectionner les fichiers Document/Présentation @@ -8894,237 +9018,252 @@ Veuillez entrer les strophes séparées par des espaces. Assistant d'import de Chant - + 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. Cet assistant vous permet d'importer des chants de divers formats. Cliquez sur le bouton suivant ci-dessous pour démarrer le processus en sélectionnant le format à importer. - + Generic Document/Presentation Document/Présentation générique - + Add Files... Ajoute des fichiers... - + Remove File(s) Supprime un(des) fichier(s) - + Please wait while your songs are imported. Veuillez patienter pendant l'import de vos chants. - + Words Of Worship Song Files Fichiers Chant Words Of Worship - + Songs Of Fellowship Song Files Fichiers Chant Songs Of Fellowship - + SongBeamer Files Fichiers SongBeamer - + SongShow Plus Song Files Fichiers Chant SongShow Plus - + Foilpresenter Song Files Fichiers Chant Foilpresenter - + Copy Copier - + Save to File Enregistre dans un fichier - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. L'import de chants Fellowship a été désactivé car OpenLP ne peut accéder à OpenOffice ou LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. L'import générique de document/présentation a été désactivé car OpenLP ne peut accéder à OpenOffice ou LibreOffice. - + OpenLyrics Files Fichiers OpenLyrics - + CCLI SongSelect Files CCLI Song Sélectionner Fichiers - + EasySlides XML File Fichier XML EasySlides - + EasyWorship Song Database Base de données de chants d'EasyWorship - + DreamBeam Song Files Fichiers chants DreamBeam - + You need to specify a valid PowerSong 1.0 database folder. Vous devez spécifier un dossier de données PowerSong 1.0 valide. - + 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>. D'abord, convertissez votre base de données ZionWorx à un fichier texte CSV, comme c'est expliqué dans le <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">manuel utilisateur</a>. - + SundayPlus Song Files Fichier chants SundayPlus - + This importer has been disabled. Cet importeur a été désactivé. - + MediaShout Database Base de données 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. L'importeur MediaShout n'est supporté que sous Windows. Il a été désactivé à cause d'un module Python manquant. Si vous voulez utiliser cet importeur, vous devez installer le module "pyodbc". - + SongPro Text Files Fichiers texte SongPro - + SongPro (Export File) SongPro (Fichiers exportés) - + In SongPro, export your songs using the File -> Export menu Dans SongPro, exportez vos chansons en utilisant le menu Fichier -> Exporter - + EasyWorship Service File Fichier de service EasyWorship - + WorshipCenter Pro Song Files Fichier 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. L'import WorshipCenter Pro ne fonctionne que sous Windows. Il a été désactivé à cause d'un module Python manquant. Si vous voulez importer, vous devez installer le module "pyodbc". - + PowerPraise Song Files Fichiers PowerPraise - + PresentationManager Song Files Fichiers PresentationManager - - ProPresenter 4 Song Files - Fichiers ProPresenter 4 - - - + Worship Assistant Files Fichiers Worship Assistant - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. À partir de Worship Assistant, exportez votre base en fichier CSV. - + OpenLyrics or OpenLP 2 Exported Song Chant exporté en OpenLyrics ou OpenLP 2.0 - + OpenLP 2 Databases Base de données OpenLP 2 - + LyriX Files Fichiers LyriX - + LyriX (Exported TXT-files) LyriX (Fichiers TXT exportés) - + VideoPsalm Files Fichiers VideoPsalm - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Les carnets de chants de VideoPsalm se trouvent en général dans %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Erreur: %s + File {name} + + + + + Error: {error} + @@ -9143,79 +9282,117 @@ Veuillez entrer les strophes séparées par des espaces. SongsPlugin.MediaItem - + Titles Titres - + Lyrics Paroles - + CCLI License: Licence CCLI : - + Entire Song Chant entier - + Maintain the lists of authors, topics and books. Maintenir la liste des auteurs, sujets et carnets de chants. - + copy For song cloning copier - + Search Titles... Recherche dans les titres... - + Search Entire Song... Recherche dans le chant entier... - + Search Lyrics... Recherche dans les paroles... - + Search Authors... Recherche dans les auteurs... - - Are you sure you want to delete the "%d" selected song(s)? - Etes-vous sur de vouloir supprimer les "%d" chant(s) sélectionné(s) ? + + Search Songbooks... + - - Search Songbooks... + + Search Topics... + + + + + Copyright + Copyright + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Impossible d'ouvrir la base de données MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Base de données de chant OpenLP 2 invalide. @@ -9223,9 +9400,9 @@ Veuillez entrer les strophes séparées par des espaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportation "%s"... + + Exporting "{title}"... + @@ -9244,29 +9421,37 @@ Veuillez entrer les strophes séparées par des espaces. Aucun chant à importer. - + Verses not found. Missing "PART" header. Versets non trouvé. Entête "PART" manquante. - No %s files found. - Aucun fichier %s trouvé. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Fichier %s invalide. Octet inattendu. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Fichier %s invalide. Entête "TITLE" manquant. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Fichier %s invalide. Entête "COPYRIGHTLINE" manquant. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9295,19 +9480,19 @@ Veuillez entrer les strophes séparées par des espaces. 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 - L'export du chant a échoué car cette erreur est survenue : %s + + Your song export failed because this error occurred: {error} + @@ -9323,17 +9508,17 @@ Veuillez entrer les strophes séparées par des espaces. Les chants suivants ne peuvent être importé : - + Cannot access OpenOffice or LibreOffice Impossible d’accéder à OpenOffice ou LibreOffice - + Unable to open file Impossible d'ouvrir le fichier - + File not found Fichier non trouvé @@ -9341,109 +9526,109 @@ Veuillez entrer les strophes séparées par des espaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Impossible d'ajouter votre auteur. - + This author already exists. Cet auteur existe déjà. - + Could not add your topic. Impossible d'ajouter votre sujet. - + This topic already exists. Ce sujet existe déjà. - + Could not add your book. Impossible d'ajouter votre carnet de chants. - + This book already exists. Ce carnet de chants existe déjà. - + Could not save your changes. Impossible d'enregistrer vos modifications. - + Could not save your modified author, because the author already exists. Impossible d'enregistrer vos modifications de l'auteur, car l'auteur existe déjà. - + Could not save your modified topic, because it already exists. Impossible d'enregistrer vos modifications du sujet, car le sujet existe déjà. - + Delete Author Supprime l'auteur - + Are you sure you want to delete the selected author? Êtes-vous sûr de bien vouloir supprimer l'auteur sélectionné ? - + This author cannot be deleted, they are currently assigned to at least one song. Cet auteur ne peut être supprimé, il est actuellement utilisé par au moins un chant. - + Delete Topic Supprime le sujet - + Are you sure you want to delete the selected topic? Êtes-vous sûr de bien vouloir supprimer le sujet sélectionné ? - + This topic cannot be deleted, it is currently assigned to at least one song. Ce sujet ne peut être supprimé, il est actuellement utilisé par au moins un chant. - + Delete Book Supprime le carnet de chants - + Are you sure you want to delete the selected book? Êtes-vous sûr de bien vouloir supprimer le carnet de chants sélectionné ? - + This book cannot be deleted, it is currently assigned to at least one song. Ce carnet de chants ne peut être supprimé, il est actuellement utilisé par au moins un chant. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - L'auteur %s existe déjà. Voulez-vous faire en sorte que les chants avec l'auteur %s utilise l'auteur existant %s ? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Le sujet %s existe déjà. Voulez-vous faire en sorte que les chants avec le sujet %s utilise le sujet existant %s ? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Le carnet de chants %s existe déjà. Voulez-vous faire en sorte que les chants du carnet de chants %s utilisent le carnet de chants existant %s ? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9489,52 +9674,47 @@ Veuillez entrer les strophes séparées par des espaces. Recherche - - Found %s song(s) - %s chant(s) trouvé(s) - - - + Logout Déconnexion - + View - Affiche + Afficher - + Title: Titre : - + Author(s): Auteur(s): - + Copyright: Droits d'auteur : - + CCLI Number: Numéro CCLI : - + Lyrics: Paroles : - + Back Arrière - + Import Import @@ -9575,7 +9755,7 @@ Veuillez affiner votre recherche. Il y a eu une erreur de connexion, peut-être un compte ou mot de passe incorrect ? - + Song Imported Chant importé @@ -9590,7 +9770,7 @@ Veuillez affiner votre recherche. Il manque des informations à ce chant, comme des paroles, il ne peut pas être importé. - + Your song has been imported, would you like to import more songs? Votre chant a été importé, voulez-vous importer plus de chants ? @@ -9599,6 +9779,11 @@ Veuillez affiner votre recherche. Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9607,30 +9792,30 @@ Veuillez affiner votre recherche. Songs Mode Options de Chants - - - Display verses on live tool bar - Affiche les paragraphes dans la barre d'outils du direct - Update service from song edit Mettre à jour le service après une modification de chant - - - Import missing songs from service files - Importer les chants manquant des fichiers du service - Display songbook in footer Affiche le recueil dans le pied de page + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Afficher le symbole "%s" avant l'information de copyright + Display "{symbol}" symbol before copyright info + @@ -9654,37 +9839,37 @@ Veuillez affiner votre recherche. SongsPlugin.VerseType - + Verse Couplet - + Chorus Refrain - + Bridge Pont - + Pre-Chorus F-Pré-refrain - + Intro Introduction - + Ending Fin - + Other Autre @@ -9692,22 +9877,22 @@ Veuillez affiner votre recherche. SongsPlugin.VideoPsalmImport - - Error: %s - Erreur: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Fichier Words of Worship invalide. Entête "%s" manquante. + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Fichier Words of Worship invalide. Chaine "%s" string.CSongDoc::CBlock manquante. + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9718,30 +9903,30 @@ Veuillez affiner votre recherche. Impossible de lire le fichier CSV. - - Line %d: %s - Ligne %d: %s - - - - Decoding error: %s - Erreur de décodage: %s - - - + File not valid WorshipAssistant CSV format. Format de fichier CSV WorshipAssistant invalide. - - Record %d - Entrée %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Impossible de connecter la base WorshipCenter Pro. @@ -9754,25 +9939,30 @@ Veuillez affiner votre recherche. Impossible de lire le fichier CSV. - + File not valid ZionWorx CSV format. Format de fichier CSV ZionWorx invalide. - - Line %d: %s - Ligne %d: %s - - - - Decoding error: %s - Erreur de décodage: %s - - - + Record %d Entrée %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9782,39 +9972,960 @@ Veuillez affiner votre recherche. Assistant - + 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. Cet assistant va vous permettre de supprimer tous les chants en double. Vous pourrez les vérifier uns par uns avant qu'ils ne soient supprimés. - + Searching for duplicate songs. Recherche des chants dupliqués. - + Please wait while your songs database is analyzed. Veuillez patienter durant l'analyse de la base des chants. - + Here you can decide which songs to remove and which ones to keep. Vous pouvez choisir ici quels chants supprimer et lesquels garder. - - Review duplicate songs (%s/%s) - Examine les chants en double (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. Pas de chants en double trouvé dans la base de données. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Français + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/hu.ts b/resources/i18n/hu.ts index 739663afc..064bca7e2 100644 --- a/resources/i18n/hu.ts +++ b/resources/i18n/hu.ts @@ -92,7 +92,7 @@ Folytatható? No Placeholder Found - Nem található a helyjelölő + Nem található a helykitöltő @@ -106,7 +106,7 @@ Folytatható? You haven't specified any text for your alert. Please type in some text before clicking New. A riasztás szövege nincs megadva. -Adj meg valamilyen szöveget az Új gombra való kattintás előtt. +Meg kell adni valamilyen szöveget az Új gombra való kattintás előtt. @@ -120,32 +120,27 @@ Adj meg valamilyen szöveget az Új gombra való kattintás előtt. AlertsPlugin.AlertsTab - + Font Betűkészlet - + Font name: Betűkészlet neve: - + Font color: Betűszín: - - Background color: - Háttérszín: - - - + Font size: Betűméret: - + Alert timeout: Riasztás időtartama: @@ -153,88 +148,78 @@ 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. + A kért könyv nem található ebben a Bibliában. A könyv neve helyesen lett írva? - + 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. - Genesis @@ -726,7 +711,7 @@ Adj meg valamilyen szöveget az Új gombra való kattintás előtt. 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. + Meg kell adni a Biblia szerzői jogait. A közkincs Bibliákat meg kell jelölni. @@ -736,203 +721,206 @@ Adj meg valamilyen szöveget az Új gombra való kattintás előtt. 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. + Ez a Biblia már létezik. Egy másik Biblia importálható vagy előbb a meglévőt szükséges törölni. - - You need to specify a book name for "%s". - Meg kell adni a könyv nevét: %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. - A könyv neve nem megfelelő: %s. -Szám csak az elején lehet és ezt követni kell - néhány nem numerikus karakternek. - - - + Duplicate Book Name Azonos könyvnév - - The Book Name "%s" has been entered more than once. - E könyvnév többször lett megadva: %s. + + You need to specify a book name for "{text}". + Meg kell adni a könyv nevét: „{text}”. + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + A könyv neve nem megfelelő: „{name}”. +Szám csak az elején lehet és ezt követni kell +néhány nem numerikus karakternek. + + + + The Book Name "{name}" has been entered more than once. + E könyvnév többször lett megadva: „{name}”. BiblesPlugin.BibleManager - + Scripture Reference Error Igehely-hivatkozási hiba - - Web Bible cannot be used - Online Biblia nem használható + + Web Bible cannot be used in Text Search + Az online bibliában nem lehet szöveget keresni - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Ezt az igehely-hivatkozást nem támogatja az OpenLP vagy nem helyes. Kérlek, ellenőrizd, hogy a hivatkozás megfelel-e az egyik alábbi mintának, illetve segítségért tekints meg a kézikönyvet. +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Könyv fejezet -Könyv fejezet%(range)sfejezet -Könyv fejezet%(verse)svers%(range)svers -Könyv fejezet%(verse)svers%(range)svers%(list)svers%(range)svers -Könyv fejezet%(verse)svers%(range)svers%(list)sfejezet%(verse)svers%(range)svers -Könyv fejezet%(verse)svers%(range)sfejezet%(verse)svers +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + A szövegkeresés funkció nem érhető el a online bibliákon. +Az igehely-alapú keresés viszont működik. + +Ez azt is jelenti, hogy az aktuális vagy a második biblia +online bibliaként lett telepítve. + +Ha a keresés mégis igehely-alapú volt a kombinált keresésben, +akkor a hivatkozás érvénytelen. + + + + Nothing found + Semmi sem található. BiblesPlugin.BiblesTab - + Verse Display Versek megjelenítés - + Only show new chapter numbers Csak az új fejezetszámok megjelenítése - + Bible theme: - Biblia téma: + Biblia-téma: - + No Brackets - Nincsenek zárójelek + Zárójelek nélkül - + ( And ) ( és ) - + { And } { és } - + [ And ] [ és ] - - Note: -Changes do not affect verses already in the service. - Megjegyzés: -A módosítások nem érintik a már a szolgálati sorrendben lévő verseket. - - - + Display second Bible verses Második Biblia verseinek megjelenítése - + Custom Scripture References Egyedi szentírási hivatkozások - - Verse Separator: - Versek elválasztása: - - - - Range Separator: - Tartományok elválasztása: - - - - List Separator: - Felsorolások elválasztása: - - - - End Mark: - Vég jelölése: - - - + 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. - Több alternatív versszak elválasztó definiálható. + Több alternatív versszakelválasztó definiálható. Egy függőleges vonal („|”) szolgál az elválasztásukra. Üresen hagyva az alapértelmezett érték áll helyre. - + English - Magyar + angol - + Default Bible Language Alapértelmezett bibliai nyelv - + Book name language in search field, search results and on display: A keresési mezőben, a találati sorrendben és a képernyőn megjelenő könyvnevek alapértelmezett nyelve: - + Bible Language Biblia nyelve - + Application Language Alkalmazás nyelve - + Show verse numbers Versszakok számának megjelenítése + + + Note: Changes do not affect verses in the Service + Megjegyzés: +A módosítások nem érintik a szolgálati sorrendben lévő verseket. + + + + Verse separator: + Versek elválasztása: + + + + Range separator: + Tartományok elválasztása: + + + + List separator: + Felsorolások elválasztása: + + + + End mark: + Vég jelölése: + + + + Quick Search Settings + Gyorskeresési beállítások + + + + Reset search type to "Text or Scripture Reference" on startup + Indításkor a keresés típusa „szöveg vagy igehely” állapotba áll + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Hibajelzés mellőzése találat hiányában „Szöveg vagy igehely” állapotban + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Gépelés közbeni automatikus keresés (teljesítménybeli okok miatt +a keresett szöveg minimum {count} karaktert és egy üres karaktert kell tartalmazzon) + BiblesPlugin.BookNameDialog @@ -974,7 +962,7 @@ megjelenő könyvnevek alapértelmezett nyelve: The following book name cannot be matched up internally. Please select the corresponding name from the list. - A következő könyvnév nem ismerhető fel. Jelölj ki egy helyes nevet a következő listából. + A következő könyvnév nem ismerhető fel. A helyes név a következő listában jelölhető ki. @@ -988,78 +976,84 @@ 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. + + + Importing books... {book} + Könyvek importálása… {book} + + + + Importing verses from {book}... + Importing verses from <book name>... + Versek importálása ebből a könyvből: {book}… + BiblesPlugin.EditBibleForm - + Bible Editor - Biblia szerkesztő + Biblia-szerkesztő - + License Details Licenc részletei - + Version name: Verziónév: - + Copyright: Szerzői jog: - + Permissions: Engedélyek: - + Default Bible Language Alapértelmezett bibliai nyelv - + Book name language in search field, search results and on display: A keresési mezőben, a találati sorrendben és a képernyőn megjelenő könyvnevek alapértelmezett nyelve: - + Global Settings Globális beállítások - + Bible Language Biblia nyelve - + Application Language Alkalmazás nyelve - + English - Magyar + angol This is a Web Download Bible. It is not possible to customize the Book Names. - Ez egy webről letöltött Biblia. + Ez egy a webről letöltött Biblia. Nincs lehetőség a könyvnevek módosítására. @@ -1071,224 +1065,259 @@ 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. + Probléma történt a kijelölt versek letöltésekor. Javasolt az internetkapcsolat ellenőrzése, továbbá, ha a hiba nem oldódik meg, a hiba bejelentése. - + 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. + Probléma történt a kijelölt versek kicsomagolásakor. Ha a hiba nem oldódik meg, javasolt a hiba bejelentése. + + + + Importing {book}... + Importing <book name>... + Könyvek importálása… {book} 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. + A tündér segít a különféle formátumú bibliák importálásában. Az alábbi „Következő” gombbal indítható a folyamat első lépése, a formátum kiválasztása. - + Web Download 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. + Meg kell adni a Biblia licencének 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. + Türelem, 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. + Meg kell adni a Biblia szerzői jogait. A közkincs Bibliákat meg kell jelölni. - + 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. + Ez a Biblia már létezik. Egy másik Biblia importálható vagy előbb a meglévőt szükséges törölni. - + 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. + Biblia regisztrálva. Megjegyzés: a versek csak kérésre lesznek letöltve és akkor is internetkapcsolat 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. + + + Bibles: + Bibliák: + + + + SWORD data folder: + SWORD adatmappa: + + + + SWORD zip-file: + SWORD zip-fájl: + + + + Defaults to the standard SWORD data folder + Visszatérés az alapértelmezett SWORD adatmappához + + + + Import from folder + Importálás mappából + + + + Import from Zip-file + Importálás zip-fájlból + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + A SWORD bibliák importálásához a pysword python modult telepíteni kell. Az útmutató tartalmaz további instrukciókat. + BiblesPlugin.LanguageDialog @@ -1300,7 +1329,7 @@ Nincs lehetőség a könyvnevek módosítására. OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. - Az OpenLP nem képes megállapítani a bibliafordítás nyelvét. Kérem, válassz nyelvet az alábbi listából. + Az OpenLP nem képes megállapítani a bibliafordítás nyelvét. A kívánt nyelvet az alábbi listából lehet kiválasztani. @@ -1319,293 +1348,189 @@ Nincs lehetőség a könyvnevek módosítására. BiblesPlugin.MediaItem - - Quick - Gyors - - - + Find: Keresés: - + Book: Könyv: - + Chapter: Fejezet: - + Verse: Vers: - + From: Innentől: - + To: Idáig: - + Text Search Szöveg keresése - + Second: Második: - + Scripture Reference Igehely-hivatkozás - + Toggle to keep or clear the previous results. Átváltás az előző eredmény megőrzése, ill. törlése között. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - Az egyes és a kettőzött bibliaversek nem kombinálhatók. Töröljük a keresési eredményt és kezdjünk egy újabbat? + Az egyes és a kettőzött bibliaversek nem kombinálhatók. Törölhető a keresési eredmény egy újabb keresés érdekében? - + Bible not fully loaded. A Biblia nem töltődött be teljesen. - + Information Információ - - 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. - A második Biblia nem tartalmaz minden verset, ami az elsőben megtalálható. Csak a mindkét Bibliában fellelhető versek fognak megjelenni. Ezek a versek nem lesznek megtalálhatóak: %d. - - - + Search Scripture Reference... Igehely keresése… - + Search Text... Szöveg keresése… - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Keresés + + + + Select + Kijelölés + + + + Clear the search results. + Találatok törlése. + + + + Text or Reference + Szöveg vagy hivatkozás + + + + Text or Reference... + Szöveg vagy hivatkozás… + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Valóban teljes egészében törölhető ez a Biblia az OpenLP-ből: %s? + Valóban teljes egészében törölhető ez a Biblia az OpenLP-ből: „{bible}”? Az esetleges újbóli alkalmazásához újra be kell majd importálni. - - Advanced - Haladó + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + A második biblia nem tartalmaz minden verset, ami az elsőben megtalálható. +Csak a mindkét bibliában fellelhető versek fognak megjelenni. + +Ezek a versek nem lesznek megtalálhatóak: {count:d}. BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. A megadott Biblia-fájl hibás. Az OpenSong Bibliák lehet, hogy tömörítve vannak. Ki kell tömöríteni őket importálás előtt. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - 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. + A megadott Biblia-fájl hibás. Úgy tűnik, ez egy Zefania XML biblia, melyet Zefania importálási beállításokkal lehet importálni. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importálás: %(bookname) %(chapter) fejezet + + Importing {name} {chapter}... + Importálás: {name}, {chapter}. fejezet 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... Importálás: %(bookname) %(chapter) fejezet + + + The file is not a valid OSIS-XML file: +{text} + A fájl nem érvényes OSIS-XML fájl: +{text} + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Jelölj ki egy mappát a biztonsági mentésnek + + Importing {name}... + Importálás: {name}… + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Bibliafrissítő tündér - - - - 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. - A tündér segít az OpenLP 2 korábbi verzióiból származó bibliák frissítésében. Kattints az alábbi Következő gombra a folyamat indításhoz. - - - - Select Backup Directory - Biztonsági mentés mappája - - - - Please select a backup directory for your Bibles - Jelölj ki egy mappát a bibliáid biztonsági mentésének - - - - 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>. - Az OpenLP 2.0 előző verziói nem képesek a frissített bibliákat alkalmazni. Ez a tündér segít biztonsági mentést készíteni a jelenlegi bibliákról, így ha vissza kell térni az OpenLP egy régebbi verziójára, akkor ezeket csak be kell majd másolni az OpenLP adatmappájába. A helyreállítási tudnivalók a <a href="http://wiki.openlp.org/faq">Gyakran ismételt kérdések</a> között találhatók. - - - - Please select a backup location for your Bibles. - Jelölj ki egy helyet a bibliáid biztonsági mentésének. - - - - Backup Directory: - Biztonsági mentés helye: - - - - There is no need to backup my Bibles - Nincs szükség biztonsági másolatra - - - - Select Bibles - Bibliák kijelölése - - - - Please select the Bibles to upgrade - Jelöld ki a frissítendő bibliákat - - - - Upgrading - Frissítés - - - - Please wait while your Bibles are upgraded. - Kérlek, várj, míg a bibliák frissítés alatt állnak. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - A biztonsági mentés nem volt sikeres. -A bibliák biztonsági mentéséhez írási jogosultság szükséges a megadott mappára. - - - - Upgrading Bible %s of %s: "%s" -Failed - Biblia frissítése: %s/%s: „%s” -Sikertelen - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Biblia frissítése: %s/%s: „%s” -Frissítés… - - - - Download Error - Letöltési hiba - - - - To upgrade your Web Bibles an Internet connection is required. - A webes bibliák frissítéséhez internet kapcsolat szükséges. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Biblia frissítése: %s/%s: „%s” -Frissítés: %s … - - - - Upgrading Bible %s of %s: "%s" -Complete - Biblia frissítése: %s/%s: „%s” -Kész - - - - , %s failed - , %s sikertelen - - - - Upgrading Bible(s): %s successful%s - Biblia frissítése: %s teljesítve %s - - - - Upgrade failed. - A frissítés nem sikerült. - - - - You need to specify a backup directory for your Bibles. - Meg kell adni egy könyvtárat a bibliák biztonsági mentéséhez. - - - - Starting upgrade... - Frissítés indítása… - - - - There are no Bibles that need to be upgraded. - Nincsenek frissítésre szoruló bibliák. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Bibliák frissítése: %(success)d teljesítve %(failed_text)s. -Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor is internet kapcsolat szükségeltetik. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + Nem várt hiba történt a SWORD biblia importálása közben. Javasolt a hiba jelentése az OpenLP fejlesztőinek. +{error} 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. @@ -1613,9 +1538,9 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importálás: %(bookname) %(chapter) fejezet + + Importing {book} {chapter}... + Importálás: {book}, {chapter}. fejezet @@ -1730,9 +1655,9 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor Minden kijelölt dia szerkesztése egyszerre. - + Split a slide into two by inserting a slide splitter. - Dia ketté vágása egy diaelválasztó beszúrásával. + Dia kettévágása egy diaelválasztó beszúrásával. @@ -1745,9 +1670,9 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor &Közreműködők: - + You need to type in a title. - Meg kell adnod a címet. + Meg kell adni a címet. @@ -1755,12 +1680,12 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor &Összes szerkesztése - + Insert Slide Dia beszúrása - + You need to add at least one slide. Meg kell adni legalább egy diát. @@ -1768,7 +1693,7 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor CustomPlugin.EditVerseForm - + Edit Slide Dia szerkesztése @@ -1776,9 +1701,9 @@ 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 "%d" selected custom slide(s)? - Valóban törölhető a kijelölt „%d” speciális dia? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Valóban törölhető a kijelölt „{items:d}” speciális dia? @@ -1786,7 +1711,7 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor <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. + <strong>Kép bővítmény</strong><br />A kép 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. @@ -1806,11 +1731,6 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor container title Képek - - - Load a new image. - Új kép betöltése. - Add a new image. @@ -1841,6 +1761,16 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor Add the selected image to the service. A kijelölt kép hozzáadása a szolgálati sorrendhez. + + + Add new image(s). + Új kép(ek) hozzáadása. + + + + Add new image(s) + Új kép(ek) hozzáadása + ImagePlugin.AddGroupForm @@ -1865,12 +1795,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. @@ -1906,7 +1836,7 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor ImagePlugin.ExceptionDialog - + Select Attachment Melléklet kijelölése @@ -1914,67 +1844,67 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor ImagePlugin.MediaItem - + Select Image(s) 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. -- Top-level group -- - -- Legfelsőbb szintű csoport -- + ‒ 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? + + Are you sure you want to remove "{name}" and everything in it? + Valóban törölhető a teljes tartalmával együtt: „{name}”? + + + + The following image(s) no longer exist: {names} + A következő képek nem léteznek: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + A következő képek már nem léteznek: {names} +Más képekkel kellene helyettesíteni ezeket? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Probléma történt a háttér cseréje során, a kép nem létezik: „{name}”. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. A kép mögött látható háttér eltérő képernyőarány esetén. @@ -1982,88 +1912,88 @@ Szeretnél más képeket megadni? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. - Ez egy médialejátszó, amely együttműködik az operációs rendszerrel a média képességek érdekében. + Ez egy médialejátszó, amely együttműködik az operációs rendszerrel a médiaképességek érdekében. 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. @@ -2088,7 +2018,7 @@ Szeretnél más képeket megadni? Select drive from list - Jelöld ki a meghajtót a listából + Ki kell jelölni a meghajtót a listából @@ -2179,47 +2109,47 @@ Szeretnél más képeket megadni? A VLC nem tudta lejátszani a médiát - + CD not loaded correctly A CD nem töltődött be helyesen - + The CD was not loaded correctly, please re-load and try again. A CD nem töltődött be helyesen, meg kell próbálni újra betölteni. - + DVD not loaded correctly A DVD nem töltődött be helyesen - + The DVD was not loaded correctly, please re-load and try again. A DVD nem töltődött be helyesen, meg kell próbálni újra betölteni. - + Set name of mediaclip Klip nevének módosítása - + Name of mediaclip: Klip neve: - + Enter a valid name or cancel - Érvényes nevet kell megadni vagy elvetni + Érvényes nevet kell megadni vagy inkább elvetni - + Invalid character Érvénytelen karakter - + The name of the mediaclip must not contain the character ":" A médiaklip neve nem tartalmazhat „:” karaktert @@ -2227,90 +2157,100 @@ Szeretnél más képeket megadni? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Nem támogatott fájl - + Use Player: Lejátszó alkalmazása: - + VLC player required VLC lejátszó szükséges - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + %s fájlt nem támogatja a lejátszó: %s + + + + Unsupported Media File + Nem támogatott médiafájl + + + + CD/DVD playback is only supported if VLC is installed and enabled. + CD/DVD lejátszás csak telepített és engedélyezett VLC esetén támogatott + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Probléma történt a háttér cseréje során, médiafájl nem létezik: „{name}”. + + + + The optical disc {name} is no longer available. + Az optikai lemez már nem elérhető: {name} + + + + The file {name} no longer exists. + A fájl nem létezik: {name} + + + + Videos ({video});;Audio ({audio});;{files} (*) + Videók ({video});;Hang ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2321,41 +2261,19 @@ Szeretnél más képeket megadni? - Start Live items automatically - Élő adásban lévő elemek automatikus indítása - - - - OPenLP.MainWindow - - - &Projector Manager - &Projektorkezelő + Start new Live media automatically + Élő adásban küldött média automatikus indítása OpenLP - + Image Files Képfájlok - - Information - Információ - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - A bibliák formátuma megváltozott, -ezért frissíteni kell a már meglévő bibliákat. -Frissítheti most az OpenLP? - - - + Backup Biztonsági mentés @@ -2370,15 +2288,20 @@ Frissítheti most az OpenLP? Az adatmappa biztonsági mentése nem sikerült! - - A backup of the data folder has been created at %s - Az adatmappa biztonsági mentése létrehozva ide: %s - - - + Open Megnyitás + + + A backup of the data folder has been createdat {text} + Az adatmappa biztonsági mentése létrehozva ide: {text} + + + + Video Files + Videofájlok + OpenLP.AboutForm @@ -2388,15 +2311,10 @@ Frissítheti most az OpenLP? Közreműködők - + License Licenc - - - build %s - %s. build - 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. @@ -2418,16 +2336,16 @@ 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> – Nyílt forrású dalszöveg vetítő -Az OpenLP egy templomi/gyülekezeti bemutató, ill. dalszöveg vetítő szabad szoftver, mely használható énekek, bibliai versek, videók, képek és bemutatók (ha az Impress, a PowerPoint vagy a PowerPoint Viewer telepítve van) vetítésére a gyülekezeti dicsőítés alatt egy számítógép és egy projektor segítségével. +Az OpenLP egy templomi/gyülekezeti bemutató, ill. dalszövegvetítő szabad szoftver, mely használható énekek, bibliai versek, videók, képek és bemutatók (ha az Impress, a PowerPoint vagy a PowerPoint Viewer telepítve van) vetítésére a gyülekezeti dicsőítés alatt egy számítógép és egy projektor segítségével. Többet az OpenLP-ről: http://openlp.org/ -Az OpenLP-t önkéntesek készítették és tartják karban. Ha szeretnél több keresztény számítógépes programot, az alábbi gombbal vedd fontolóra az önkéntes részvételt. +Az OpenLP-t önkéntesek készítették és tartják karban. A projekt örömmel veszi további önkéntesek csatlakozását, hogy még több keresztény számítógépes program legyen. - + Volunteer - Önkéntesség + Önkéntes részvétel @@ -2462,112 +2380,112 @@ Az OpenLP-t önkéntesek készítették és tartják karban. Ha szeretnél több Afrikaans (af) - Búr (af) + búr (af) Czech (cs) - Cseh (cs) + cseh (cs) Danish (da) - Dán (da) + dán (da) German (de) - Német (de) + német (de) Greek (el) - Görög (el) + görög (el) English, United Kingdom (en_GB) - Angol, Egyesült Királyság (en_GB) + angol, Egyesült Királyság (en_GB) English, South Africa (en_ZA) - Angol, Dél-Afrikai Köztársaság (en_ZA) + angol, Dél-Afrikai Köztársaság (en_ZA) Spanish (es) - Spanyol (es) + spanyol (es) Estonian (et) - Észt (et) + észt (et) Finnish (fi) - Finn (fi) + finn (fi) French (fr) - Francia (fr) + francia (fr) Hungarian (hu) - Magyar (hu) + magyar (hu) Indonesian (id) - Indonéz (id) + indonéz (id) Japanese (ja) - Japán (ja) + japán (ja) Norwegian Bokmål (nb) - Norvég bokmål (nb) + norvég bokmål (nb) Dutch (nl) - Holland (nl) + holland (nl) Polish (pl) - Lengyel (pl) + lengyel (pl) Portuguese, Brazil (pt_BR) - Brazíliai portugál (pt_BR) + brazíliai portugál (pt_BR) Russian (ru) - Orosz (ru) + orosz (ru) Swedish (sv) - Svéd (sv) + svéd (sv) Tamil(Sri-Lanka) (ta_LK) - Tamil (Srí Lanka) (ta_LK) + tamil (Srí Lanka) (ta_LK) Chinese(China) (zh_CN) - Kínai (Kína) (zh_CN) + kínai (Kína) (zh_CN) @@ -2617,260 +2535,363 @@ szabadnak és ingyenesnek készítettük, mert Ő tett minket szabaddá. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Szerzői jog © 2004-2016 %s -Részleges szerzői jog © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + Szerzői jog © 2004-2016 {cr} + +Részleges szerzői jog © 2004-2016 {others} + + + + build {version} + {version}. build OpenLP.AdvancedTab - + UI Settings Felhasználói felület beállításai - - - Number of recent files to display: - Előzmények megjelenítésének hossza: - - Remember active media manager tab on startup - Újraindításkor az aktív médiakezelő fülek visszaállítása - - - - Double-click to send items straight to live - Dupla kattintással az elemek azonnali élő adásba küldése - - - Expand new service items on creation Sorrendbe kerülő elemek kibontása létrehozásukkor - + Enable application exit confirmation Kilépési megerősítés engedélyezése - + Mouse Cursor Egérmutató - + Hide mouse cursor when over display window Egérmutató elrejtése a vetítési ablak felett - - Default Image - Alapértelmezett kép - - - - Background color: - Háttérszín: - - - - Image file: - Képfájl: - - - + Open File Fájl megnyitása - + Advanced Haladó - - - Preview items when clicked in Media Manager - Elem előnézete a médiakezelőben való kattintáskor - - Browse for an image file to display. - Tallózd be a megjelenítendő képfájlt. - - - - Revert to the default OpenLP logo. - Az eredeti OpenLP logó visszaállítása. - - - Default Service Name Alapértelmezett szolgálati sorrend neve - + Enable default service name Alapértelmezett szolgálati sorrendnév - + Date and Time: Dátum és idő: - + Monday Hétfő - + Tuesday Kedd - + Wednesday Szerda - + Friday Péntek - + Saturday Szombat - + Sunday Vasárnap - + Now Most - + Time when usual service starts. A szolgálat szokásos kezdete. - + Name: Név: - + Consult the OpenLP manual for usage. Segítség az OpenLP kézikönyvben. - - Revert to the default service name "%s". - Alapértelmezett név helyreállítása: %s. - - - + Example: Példa: - + Bypass X11 Window Manager X11 ablakkezelő megkerülése - + Syntax error. Szintaktikai hiba. - + Data Location Adatok helye - + Current path: Jelenlegi útvonal: - + Custom path: Egyedi útvonal: - + Browse for new data file location. - Tallózd be az adatállományok helyét. + Be kell tallózni az adatállományok helyét. - + Set the data location to the default. Eredeti adathely visszaállítása. - + Cancel Mégsem - + Cancel OpenLP data directory location change. Az OpenLP adathely-modósításának visszavonása. - + Copy data to new location. Adatok másolása az új helyre. - + Copy the OpenLP data files to the new location. Az OpenLP adatállományainak az új helyre való másolása. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. - <strong>FIGYELMEZTETÉS:</strong> Az új mappa már tartalmaz OpenLP adatállományokat, melyek felül lesznek írva másoláskor. + <strong>FIGYELMEZTETÉS:</strong> Az új mappa már tartalmaz OpenLP adatállományokat, melyek másoláskor felül lesznek írva. - + Data Directory Error - Adatmappa hiba + Adatmappahiba - + Select Data Directory Location Adatmappa helyének kijelölése - + Confirm Data Directory Change Adatmappa változásának megerősítése - + Reset Data Directory Adatmappa visszaállítása - + Overwrite Existing Data Meglévő adatok felülírása - + + Thursday + Csütörtök + + + + Display Workarounds + Megkerülő megjelenítési megoldások + + + + Use alternating row colours in lists + Váltakozó színek alkalmazása a felrosolásokban + + + + Restart Required + Újraindítás szükséges + + + + This change will only take effect once OpenLP has been restarted. + Az OpenLP újraindítása során jut érvényre a változás. + + + + 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. + Valóban visszaállítható az OpenLP adatmappa az eredeti helyre? + +Az OpenLP bezárása után jut érvényre a változás. + + + + Max height for non-text slides +in slide controller: + A nem szövegalapú diák maximális +magassága a diakezelőben: + + + + Disabled + Letiltva + + + + When changing slides: + Diák módosításakor: + + + + Do not auto-scroll + Ne legyen automatikus görgetés + + + + Auto-scroll the previous slide into view + Az előző dia automatikus görgetése a látképbe + + + + Auto-scroll the previous slide to top + Az előző dia automatikus görgetése felülre + + + + Auto-scroll the previous slide to middle + Az előző dia automatikus görgetése középre + + + + Auto-scroll the current slide into view + Az aktuális dia automatikus görgetése a látképbe + + + + Auto-scroll the current slide to top + Az aktuális dia automatikus görgetése felülre + + + + Auto-scroll the current slide to middle + Az aktuális dia automatikus görgetése középre + + + + Auto-scroll the current slide to bottom + Az aktuális dia automatikus görgetése alulra + + + + Auto-scroll the next slide into view + A következő dia automatikus görgetése a látképbe + + + + Auto-scroll the next slide to top + A következő dia automatikus görgetése felülre + + + + Auto-scroll the next slide to middle + A következő dia automatikus görgetése középre + + + + Auto-scroll the next slide to bottom + A következő dia automatikus görgetése alulra + + + + Number of recent service files to display: + Megjelenített szolgálati előzmények hossza: + + + + Open the last used Library tab on startup + Indításkor az utoljára használt könyvtár-fül megnyitása + + + + Double-click to send items straight to Live + Dupla kattintással az elemek azonnali élő adásba küldése + + + + Preview items when clicked in Library + Elem előnézete a könyvtár való kattintáskor + + + + Preview items when clicked in Service + Elem előnézete a sorrendben való kattintáskor + + + + Automatic + Automatikus + + + + Revert to the default service name "{name}". + Alapértelmezett név helyreállítása: „{name}”. + + + OpenLP data directory was not found -%s +{path} 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. @@ -2879,7 +2900,7 @@ Click "No" to stop loading OpenLP. allowing you to fix the the problem Click "Yes" to reset the data directory to the default location. Az OpenLP adatmappa nem található -%s +{path} Az OpenLP alapértelmezett mappája előzőleg meg lett változtatva. Ha ez az új hely egy cserélhető adathordozón volt, azt újra elérhetővé kell tenni. @@ -2888,327 +2909,293 @@ A „Nem” gomb megszakítja az OpenLP betöltését, lehetőséget adva a hiba Az „Igen” gomb helyreállítja az adatmappát az alapértelmezett helyre. - + Are you sure you want to change the location of the OpenLP data directory to: -%s +{path} The data directory will be changed when OpenLP is closed. - Valóban szeretnéd az OpenLP adatmappa helyét megváltoztatni erre a helyre? + Valóban megváltoztatható az OpenLP adatmappájának helye erre? -%s +{path} Az OpenLP bezárása után jut érvényre a változás. - - Thursday - Csütörtök - - - - Display Workarounds - Megkerülő megjelenítési megoldások - - - - Use alternating row colours in lists - Váltakozó színek alkalmazása a felrosolásokban - - - + WARNING: The location you have selected -%s +{path} appears to contain OpenLP data files. Do you wish to replace these files with the current data files? FIGYELMEZTETÉS: A kijelölt -%s +{path} mappa már tartalmaz OpenLP adatállományokat. Valóban felülírhatók ezek a fájlok az aktuális adatfájlokkal? - - - Restart Required - Újraindítás szükséges - - - - This change will only take effect once OpenLP has been restarted. - Az OpenLP újraindítása során jut érvényre a változás. - - - - 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. - Valóban visszaállítható az OpenLP adatmappa az eredeti helyre? - -Az OpenLP bezárása után jut érvényre a változás. - OpenLP.ColorButton - + Click to select a color. - Kattints a szín kijelöléséhez. + A színválasztó kattintásra jelenik meg. OpenLP.DB - + RGB RGB - + Video Videó - + Digital Digitális - + Storage Tároló - + Network Hálózat - + 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 Videó 1 - + Video 2 Videó 2 - + Video 3 Videó 3 - + Video 4 Videó 4 - + Video 5 Videó 5 - + Video 6 Videó 6 - + Video 7 Videó 7 - + Video 8 Videó 8 - + Video 9 Videó 9 - + Digital 1 Digitális 1 - + Digital 2 Digitális 2 - + Digital 3 Digitális 3 - + Digital 4 Digitális 4 - + Digital 5 Digitális 5 - + Digital 6 Digitális 6 - + Digital 7 Digitális 7 - + Digital 8 Digitális 8 - + Digital 9 Digitális 9 - + Storage 1 Tároló 1 - + Storage 2 Tároló 2 - + Storage 3 Tároló 3 - + Storage 4 Tároló 4 - + Storage 5 Tároló 5 - + Storage 6 Tároló 6 - + Storage 7 Tároló 7 - + Storage 8 Tároló 8 - + Storage 9 Tároló 9 - + Network 1 Hálózat 1 - + Network 2 Hálózat 2 - + Network 3 Hálózat 3 - + Network 4 Hálózat 4 - + Network 5 Hálózat 5 - + Network 6 Hálózat 6 - + Network 7 Hálózat 7 - + Network 8 Hálózat 8 - + Network 9 Hálózat 9 @@ -3216,62 +3203,75 @@ Az OpenLP bezárása után jut érvényre a változás. OpenLP.ExceptionDialog - + Error Occurred Hiba történt - + Send E-Mail E-mail küldése - + Save to File Mentés fájlba - + Attach File Fájl csatolása - - - Description characters to enter : %s - Leírás: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Írd le mit tettél, ami a hibához vezetett. Lehetőség szerint angolul. -(minimum 20 karakter) - - 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. Also attach any files that triggered the problem. - Hoppá! Az OpenLP hibába ütközött, és nem tudta lekezelni. Az alsó szövegdoboz olyan információkat tartalmaz, amelyek hasznosak lehetnek az OpenLP fejlesztői számára, tehát kérjük, küld el a bugs@openlp.org email címre egy részletes leírás mellett, amely tartalmazza, hogy éppen hol és mit tettél, amikor a hiba történt. Csatolj minden olyan állományt, amely a hibához vezetett. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Le kell írni a hibához vezető eseményeket.</strong> Lehetőség szerint angolul. + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + <strong>Hoppá! Az OpenLP hibába ütközött, és nem tudta lekezelni.</strong> <br><br> Az OpenLP fejlesztők örülnének és <strong>segítség</strong> lenne számukra ha hibajelentést kapnának erről, hogy <strong>megoldják</strong>. Javasolt a hibajelentés elküldése erre a címre: {email}{newlines} + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + {first_part}<strong>Nincs e-mail program? </strong> Az információ <strong>lementhető fájlba</strong> és elküldhető böngészős levelezőből is <strong>csatolmányként</strong><br><br><strong>Köszönet a hibajelentésért<strong> és hogy ezáltal az OpenLP jobb lesz!<br> + + + + <strong>Thank you for your description!</strong> + <strong>Köszönet a hiba leírásáért!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Mi vezetett a hibához? Mi történt előtte?</strong> + + + + <strong>Please enter a more detailed description of the situation + <strong>A szituáció részéles leírására van szükség OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Összeomlási jelentés mentése - + Text files (*.txt *.log *.text) Szövegfájlok (*.txt *.log *.text) + + + Platform: {platform} + + Platform: {platform} + + OpenLP.FileRenameForm @@ -3301,7 +3301,7 @@ Az OpenLP bezárása után jut érvényre a változás. Choose the translation you'd like to use in OpenLP. - Válassz egy fordítást, amit használni szeretnél az OpenLP-ben. + Ki kell választani egy fordítást az OpenLP számára. @@ -3312,268 +3312,263 @@ Az OpenLP bezárása után jut érvényre a változá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 + Nincs internetkapcsolat - + Unable to detect an Internet connection. - Nem sikerült internet kapcsolatot észlelni. + Nem sikerült internetkapcsolatot é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. + Türelem, 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. - Nem sikerült internetkapcsolatot találni. Az Első indítás tündérnek internetkapcsolatra van szüksége ahhoz, hogy a példa dalokat, bibliákat és témákat le lehessen letölteni. A Befejezés gombra való kattintással az OpenLP alapértelmezett beállításokkal és a példaadatok nélkül indul el. - -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. - - -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 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. + Türelem, 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… + Türelem, 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. + Türelem, 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 + 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. + + + Select parts of the program you wish to use + Válasszuk ki a program szükséges részeit + + + + You can also change these settings after the Wizard. + A beállítások a tündér bezárása után is is módosíthatóak. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Speciális diák ‒ Könnyebben kezelhetőek, mint a dalok és van saját dialistájuk + + + + Bibles – Import and show Bibles + Bibliák ‒ Bibliák importálása és megjelenítése + + + + Images – Show images or replace background with them + Képek ‒ Képek megjelenítése vagy háttérképek cseréje + + + + Presentations – Show .ppt, .odp and .pdf files + Bemutatók ‒ .ppt, .odp és .pdf fájlok megjelenítése + + + + Media – Playback of Audio and Video files + Média ‒ Hang- és videofájlok lejátszása + + + + Remote – Control OpenLP via browser or smartphone app + Távirányító ‒ OpenLP vezérlése böngészőből vagy okostelefonos applikációval + + + + Song Usage Monitor + Dalstatisztika-figyelő + + + + Alerts – Display informative messages while showing other slides + Riasztások ‒ Vetítés közben informatív üzenetek megjelenítése + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projektorok ‒ PJLink kompatibilis hálózati projektorok kezelése az OpenLP-ből + + + + Downloading {name}... + Letöltés: {name}… + + + + Download complete. Click the {button} button to return to OpenLP. + A letöltés befejeződött. Visszatérés az OpeLP-be az alábbi „{button}” gombbal. + + + + Download complete. Click the {button} button to start OpenLP. + A letöltés befejeződött. Az OpeLP indítása az alábbi „{button}” gombbal. + + + + Click the {button} button to return to OpenLP. + Visszatérés az OpenLP-be az alábbi „{button}” gombbal. + + + + Click the {button} button to start OpenLP. + Az OpenLP indítása az alábbi „{button}” gombbal. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + A tündér segít elkezdeni az OpenLP használatát. Az alábbi „{button}” gombbal indítható a folyamat. + + + + 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 {button} 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. + Nem sikerült internetkapcsolatot találni. Az Első indítás tündérnek internetkapcsolatra van szüksége ahhoz, hogy a példa dalokat, bibliákat és témákat le lehessen letölteni. A „{button}” gombra való kattintással az OpenLP alapértelmezett beállításokkal és a példaadatok nélkül indul el. + +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őrizni kell az internetkapcsolatot, majd ismét futtatni ezt a tündért az OpenLP „Eszközök → Első indítás tündér” menüpontjával. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +A tündér az alábbi „{button}” gombbal állítható le teljesen (és zárható be ezzel az OpenLP). + OpenLP.FormattingTagDialog @@ -3616,44 +3611,49 @@ A tündér teljes leállításához (és az OpenLP bezárásához) kattints az a OpenLP.FormattingTagForm - + <HTML here> <HTML-t ide> - + Validation Error Érvényességi hiba - + Description is missing Hiányzik a leírás - + Tag is missing Hiányzik a címke - Tag %s already defined. - A címke már létezik: %s. + Tag {tag} already defined. + A címke már létezik: {tag}. - Description %s already defined. - A leírás már létezik: %s. + Description {tag} already defined. + A leírás már létezik: {tag}. - - Start tag %s is not valid HTML - A kezdő %s címke nem érvényes HTML + + Start tag {tag} is not valid HTML + A kezdő {tag} címke nem érvényes HTML - - End tag %(end)s does not match end tag for start tag %(start)s - A záró %(end)s címke nem egyezik a %(start)s kezdő címkével. + + End tag {end} does not match end tag for start tag {start} + A záró {end} címke nem egyezik a kezdő {start} címkével. + + + + New Tag {row:d} + Új címke: {row:d} @@ -3742,170 +3742,200 @@ A tündér teljes leállításához (és az OpenLP bezárásához) kattints az a OpenLP.GeneralTab - + General Általános - + Monitors Kijelzők - + Select monitor for output display: Vetítési képernyő kijelölése: - + Display if a single screen Megjelenítés egy képernyő esetén - + Application Startup Alkalmazásindítás - + Show blank screen warning Figyelmeztetés megjelenítése az elsötétített képernyőről - - Automatically open the last service - Utolsó sorrend automatikus megnyitása - - - + Show the splash screen Indítóképernyő megjelenítése - + Application Settings Alkalmazásbeállítások - + Prompt to save before starting a new service Rákérdezés mentésre új sorrend létrehozása előtt - - Automatically preview next item in service - Következő elem automatikus előnézete a sorrendben - - - + sec mp - + CCLI Details CCLI részletek - + SongSelect username: SongSelect felhasználói név: - + SongSelect password: SongSelect jelszó: - + X X - + Y Y - + Height Magasság - + Width Szélesség - + Check for updates to OpenLP Frissítés keresése az OpenLP-hez - - Unblank display when adding new live item - Képernyő elsötétítésének visszavonása új elem élő adásba küldésekor - - - + Timed slide interval: Időzített dia intervalluma: - + Background Audio Háttérzene - + Start background audio paused Leállított háttérzene indítása - + Service Item Slide Limits Sorrendben lévő diák határai - + Override display position: Megjelenítési pozíció felülbírálása: - + Repeat track list Zenei számok ismétlése - + Behavior of next/previous on the last/first slide: A következő/előző gombok viselkedése az első és az utolsó diánál: - + &Remain on Slide &Maradjon a dián - + &Wrap around &Kezdje elölről - + &Move to next/previous service item &Ugorjon a következő/előző sorrendben lévő elemre + + + Logo + mongo + + + + Logo file: + Logó fájl: + + + + Browse for an image file to display. + Be kell tallózni a megjelenítendő képfájlt. + + + + Revert to the default OpenLP logo. + Az eredeti OpenLP logó visszaállítása. + + + + Don't show logo on startup + Indításkor ne jelenjen meg a logó + + + + Automatically open the previous service file + Előző sorrend-fájl automatikus megnyitása + + + + Unblank display when changing slide in Live + Képernyő elsötétítésének visszavonása dia módosításakor az élő adásban + + + + Unblank display when sending items to Live + Képernyő elsötétítésének visszavonása új elem élő adásba küldésekor + + + + Automatically preview the next item in service + Következő elem automatikus előnézete a sorrendben + OpenLP.LanguageManager - + Language Nyelv - + Please restart OpenLP to use your new language setting. A nyelvi beállítások az OpenLP újraindítása után lépnek érvénybe. @@ -3913,7 +3943,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 @@ -3940,11 +3970,6 @@ A tündér teljes leállításához (és az OpenLP bezárásához) kattints az a &View &Nézet - - - M&ode - &Mód - &Tools @@ -3965,16 +3990,6 @@ A tündér teljes leállításához (és az OpenLP bezárásához) kattints az a &Help &Súgó - - - Service Manager - Sorrendkezelő - - - - Theme Manager - Témakezelő - Open an existing service. @@ -4000,11 +4015,6 @@ A tündér teljes leállításához (és az OpenLP bezárásához) kattints az a E&xit &Kilépés - - - Quit OpenLP - OpenLP bezárása - &Theme @@ -4016,194 +4026,70 @@ A tündér teljes leállításához (és az OpenLP bezárásához) kattints az a OpenLP &beállítása… - - &Media Manager - &Médiakezelő - - - - Toggle Media Manager - Médiakezelő átváltása - - - - Toggle the visibility of the media manager. - A médiakezelő láthatóságának átváltása. - - - - &Theme Manager - &Témakezelő - - - - Toggle Theme Manager - Témakezelő átváltása - - - - Toggle the visibility of the theme manager. - A témakezelő láthatóságának átváltása. - - - - &Service Manager - &Sorrendkezelő - - - - Toggle Service Manager - Sorrendkezelő átváltása - - - - Toggle the visibility of the service manager. - A sorrendkezelő láthatóságának átváltása. - - - - &Preview Panel - &Előnézet panel - - - - Toggle Preview Panel - Előnézet panel átváltása - - - - Toggle the visibility of the preview panel. - Az előnézet panel láthatóságának átváltása. - - - - &Live Panel - &Élő adás panel - - - - Toggle Live Panel - Élő adás panel átváltása - - - - Toggle the visibility of the live panel. - Az élő adás panel láthatóságának átváltása. - - - - List the Plugins - Bővítmények listája - - - + &User Guide &Felhasználói kézikönyv - + &About &Névjegy - - More information about OpenLP - További információk az OpenLP-ről - - - + &Online Help &Online súgó - + &Web Site &Weboldal - + Use the system language, if available. Rendszernyelv használata, ha elérhető. - - Set the interface language to %s - A felhasználói felület nyelvének átváltása erre: %s - - - + Add &Tool... &Eszköz hozzáadása… - + Add an application to the list of tools. Egy alkalmazás hozzáadása az eszközök listához. - - &Default - &Alapértelmezett - - - - Set the view mode back to the default. - Nézetmód visszaállítása az alapértelmezettre. - - - + &Setup &Szerkesztés - - Set the view mode to Setup. - Nézetmód váltása a Beállítás módra. - - - + &Live &Élő adás - - Set the view mode to Live. - Nézetmód váltása az Élő módra. - - - - 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/. - Már letölthető az OpenLP %s verziója (jelenleg a %s verzió fut). - -A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be. - - - + OpenLP Version Updated OpenLP verziófrissítés - + OpenLP Main Display Blanked Elsötétített OpenLP fő képernyő - + The Main Display has been blanked out A fő képernyő el lett sötétítve - - Default Theme: %s - Alapértelmezett téma: %s - - - + English Please add the name of your language here - Magyar + magyar @@ -4211,27 +4097,27 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.&Gyorsbillentyűk beállítása… - + Open &Data Folder... &Adatmappa megnyitása… - + Open the folder where songs, bibles and other data resides. A dalokat, bibliákat és egyéb adatokat tartalmazó mappa megnyitása. - + &Autodetect &Automatikus felismerés - + Update Theme Images Témaképek frissítése - + Update the preview images for all themes. Összes téma előnézeti képének frissítése. @@ -4241,32 +4127,22 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.Az aktuális sorrend nyomtatása. - - L&ock Panels - Panelek &zárolása - - - - Prevent the panels being moved. - Megakadályozza a panelek mozgatását. - - - + Re-run First Time Wizard Első indítás tündér - + Re-run the First Time Wizard, importing songs, Bibles and themes. Első indítás tündér újbóli futtatása dalok, bibliák, témák importálásához. - + Re-run First Time Wizard? Újra futtatható az Első indítás tündér? - + 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. @@ -4275,13 +4151,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. @@ -4290,74 +4166,35 @@ A tündér újbóli futtatása során megváltozhatnak az OpenLP aktuális beál Configure &Formatting Tags... Formázó &címkék beállítása… - - - Export OpenLP settings to a specified *.config file - OpenLP beállításainak mentése egy specifikus *.config fájlba - Settings Beállítások - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Az OpenLP beállításainak betöltése egy előzőleg ezen vagy egy másik gépen exportált specifikus *.config fájlból - - - + Import settings? Beállítások betöltése? - - Open File - Fájl megnyitása - - - - OpenLP Export Settings Files (*.conf) - OpenLP exportált beállító fájlok (*.conf) - - - + Import settings Importálási beállítások - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. Az OpenLP most leáll. Az importált beállítások az OpenLP következő indításakor lépnek érvénybe. - + Export Settings File - Exportált beállító fájl + Exportált beállítófájl - - OpenLP Export Settings File (*.conf) - 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 - Az OpenLP adatmappa másolása nem sikerül - -%s + Új adatmappahiba @@ -4370,12 +4207,12 @@ A tündér újbóli futtatása során megváltozhatnak az OpenLP aktuális beál Könyvtár - + Jump to the search box of the current active plugin. Ugrás az aktuális bővítmény keresési mezőjére. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4388,7 +4225,7 @@ A beállítások betöltése tartós változásokat okoz a OpenLP jelenlegi beá Hibás beállítások betöltése rendellenes működést okozhat, vagy akár az OpenLP abnormális megszakadását is. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4397,35 +4234,10 @@ Processing has terminated and no changes have been made. A folyamat megszakad és a változások nem lesznek elmentve. - - Projector Manager - Projektorkezelő - - - - Toggle Projector Manager - Projektorkezelő átváltása - - - - Toggle the visibility of the Projector Manager - Projektorkezelő láthatóságának átváltása. - - - + Export setting error Exportbeállítási hiba - - - 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 - &Recent Services @@ -4439,7 +4251,7 @@ A folyamat megszakad és a változások nem lesznek elmentve. &Open Service - Sorrend &megnyitása. + Sorrend &megnyitása @@ -4457,131 +4269,349 @@ A folyamat megszakad és a változások nem lesznek elmentve. &Beépülők kezelése - + Exit OpenLP OpenLP bezárása - + Are you sure you want to exit OpenLP? Valóban bezárható az OpenLP? - + &Exit OpenLP OpenLP be&zárása + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Már letölthető az OpenLP {new} verziója (jelenleg a {current} verzió fut). + +A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be. + + + + The key "{key}" 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: „{key}”. + + + + An error occurred while exporting the settings: {err} + Hiba történt a beállítás exportálása közben: {err} + + + + Default Theme: {theme} + Alapértelmezett téma: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Az OpenLP adatok új helyre való másolása folyamatban ‒ {path} ‒ Türelem a folyamat befejeződéséig + + + + OpenLP Data directory copy failed + +{err} + Az OpenLP adatmappa másolása nem sikerül + +{err} + + + + &Layout Presets + Elrendezések + + + + Service + Sorrend + + + + Themes + Témák + + + + Projectors + Projektorok + + + + Close OpenLP - Shut down the program. + OpenLP bezárása ‒ a program kikapcsolása. + + + + Export settings to a *.config file. + Beállítások mentése egy *.config fájlba. + + + + Import settings from a *.config file previously exported from this or another machine. + A beállítások betöltése egy előzőleg ezen vagy egy másik gépen exportált *.config fájlból. + + + + &Projectors + &Projektorok + + + + Hide or show Projectors. + Projektorok megjelenítése vagy elrejtése + + + + Toggle visibility of the Projectors. + Projektorok láthatóságának átváltása. + + + + L&ibrary + &Könyvtár + + + + Hide or show the Library. + Könyvtár megjelenítése vagy elrejtése. + + + + Toggle the visibility of the Library. + Könyvtár láthatóságának átváltása. + + + + &Themes + &Témák + + + + Hide or show themes + Témák megjelenítése vagy elrejtése. + + + + Toggle visibility of the Themes. + Témák láthatóságának átváltása. + + + + &Service + &Sorrend + + + + Hide or show Service. + Sorrend megjelenítése vagy elrejtése. + + + + Toggle visibility of the Service. + Sorrend láthatóságának átváltása. + + + + &Preview + &Előnézet + + + + Hide or show Preview. + Előnézet megjelenítése vagy elrejtése. + + + + Toggle visibility of the Preview. + Előnézet láthatóságának átváltása. + + + + Li&ve + Élő adás + + + + Hide or show Live + Élő adás megjelenítése vagy elrejtése. + + + + L&ock visibility of the panels + Panelek láthatóságának zárolása + + + + Lock visibility of the panels. + Panelek láthatóságának &zárolása + + + + Toggle visibility of the Live. + Élő adás láthatóságának átváltása. + + + + You can enable and disable plugins from here. + A beépülőket lehet engedélyezni vagy letiltani itt. + + + + More information about OpenLP. + További információ az OpenLP-ről + + + + Set the interface language to {name} + A felhasználói felület nyelvének átváltása erre: {name} + + + + &Show all + &Minden megjelenítése + + + + Reset the interface back to the default layout and show all the panels. + A felület alapállapotba állítása és minden panel megjelenítése. + + + + Use layout that focuses on setting up the Service. + Olyan megjelenés, amely a sorrend összeállítására fókuszál. + + + + Use layout that focuses on Live. + Olyan megjelenés, amely az élő adásra fókuszál. + + + + OpenLP Settings (*.conf) + OpenLP beállítások (*.conf) + OpenLP.Manager - + Database Error - Adatbázis hiba + Adatbázishiba - - 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 - A betöltés alatt álló adatbázis az OpenLP egy frissebb változatával készült. Az adatbázis verziószáma: %d, míg az OpenLP %d verziót vár el. Az adatbázis nem lesz betöltve. - -Adatbázis: %s - - - + OpenLP cannot load your database. -Database: %s +Database: {db} Az OpenLP nem képes beolvasni az adatbázist. -Adatbázis: %s +Adatbázis: {db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + A betöltés alatt álló adatbázis az OpenLP egy frissebb változatával készült. Az adatbázis verziószáma {db_ver}, míg az OpenLP {db_up} verziót vár el. Az adatbázis nem lesz betöltve. + +Adatbázis: {db_name} OpenLP.MediaManagerItem - + No Items Selected Nincsenek kijelölt elemek - + &Add to selected Service Item &Hozzáadás a kijelölt sorrendelemhez - + You must select one or more items to preview. Ki kell jelölni egy elemet az előnézethez. - + You must select one or more items to send live. Ki kell jelölni egy élő adásba küldendő elemet. - + You must select one or more items. Ki kell jelölni egy vagy több elemet. - + You must select an existing service item to add to. - Ki kell jelölni egy sorrendelemet, amihez hozzá szeretnél adni. + Ki kell jelölni egy hozzáadni kívánt sorrendelemet. - + Invalid Service Item Érvénytelen sorrendelem - - You must select a %s service item. - Ki kell jelölni egy %s sorrendelemet. - - - + You must select one or more items to add. Ki kell jelölni egy vagy több elemet a hozzáadáshoz. - + No Search Results Nincs találat - + Invalid File Type Érvénytelen fájltípus - - Invalid File %s. -Suffix not supported - Érvénytelen fájl: %s. -Az utótag nem támogatott - - - + &Clone &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. + + + Invalid File {name}. +Suffix not supported + Érvénytelen fájl: {name}. +Az utótag nem támogatott + + + + You must select a {title} service item. + Ki kell jelölni egy {title} sorrend elemet. + + + + Search is too short to be used in: "Search while typing" + A kifejezés túl rövid a gépelés közbeni kereséshez. + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. A <lyrics> címke hiányzik. - + <verse> tag is missing. A <verse> címke hiányzik. @@ -4589,22 +4619,22 @@ Az utótag nem támogatott OpenLP.PJLink1 - + Unknown status Ismeretlen állapot - + No message Nincs üzenet - + Error while sending data to projector Hiba az adat projektorhoz való továbbításában - + Undefined command: Definiálatlan parancs: @@ -4612,89 +4642,84 @@ Az utótag nem támogatott OpenLP.PlayerTab - + Players Lejátszók - + Available Media Players Elérhető médialejátszók - + Player Search Order Lejátszók keresési sorrendje - + Visible background for videos with aspect ratio different to screen. A videó mögött látható háttér eltérő képernyőarány esetén. - + %s (unavailable) %s (elérhetetlen) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - MEGJEGYZÉS: A VLC használatához ezt a verziót szükséges telepíteni: %s version + MEGJEGYZÉS: A VLC használatához ezt a verziót szükséges telepíteni: %s verzió OpenLP.PluginForm - + Plugin Details Bővítmény részletei - + Status: Állapot: - + Active Aktív - - Inactive - Inaktív - - - - %s (Inactive) - %s (inaktív) - - - - %s (Active) - %s (aktív) + + Manage Plugins + Beépülők kezelése - %s (Disabled) - %s (letiltott) + {name} (Disabled) + {name} (letiltott) - - Manage Plugins - Beépülők kezelése + + {name} (Active) + {name} (aktív) + + + + {name} (Inactive) + {name} (inaktív) OpenLP.PrintServiceDialog - + Fit Page Oldal kitöltése - + Fit Width Szélesség kitöltése @@ -4702,335 +4727,335 @@ Az utótag nem támogatott OpenLP.PrintServiceForm - + Options Beállítások - + Copy Másolás - + Copy as HTML Másolás HTML-ként - + Zoom In Nagyítás - + Zoom Out Kicsinyítés - + Zoom Original Eredeti nagyítás - + Other Options További beállítások - + Include slide text if available Dia szövegének beillesztése, ha elérhető - + Include service item notes Sorrendelem megjegyzéseinek beillesztése - + Include play length of media items Sorrendelem lejátszási hosszának beillesztése - + Add page break before each text item Oldaltörés hozzáadása minden szöveg elé - + Service Sheet Szolgálati adatlap - + Print Nyomtatás - + Title: Cím: - + Custom Footer Text: - Egyedi lábjegyzet szöveg: + Egyedi lábjegyzetszöveg: OpenLP.ProjectorConstants - + OK OK - + General projector error - Általános projektor hiba + Általános projektorhiba - + Not connected error - Nem csatlakozik hiba + „Nincs csatlakozás”-hiba - + Lamp error - Lámpa hiba + Lámpahiba - + Fan error - Ventilátor hiba + Ventilátorhiba - + High temperature detected Magas hőmérséglet észlelve - + Cover open detected Nyitott fedél észlelve - + Check filter Ellenőrizni kell a szűrőt - + Authentication Error Azonosítási hiba - + Undefined Command Definiálatlan parancs - + Invalid Parameter Érvénytelen paraméter - + Projector Busy A projektor foglalt - + Projector/Display Error Projektor/Képernyő hiba - + Invalid packet received Érvénytelen fogadott csomag - + Warning condition detected Figyelmeztető állapot észlelve - + Error condition detected - Hiba állapot észlelve + Hibaállapot észlelve - + PJLink class not supported - A PJLink osztály nem támogatott + A PJLink-osztály nem támogatott - + Invalid prefix character Érvénytelen előtag karakter - + The connection was refused by the peer (or timed out) A kapcsolatot a partner elutasította (vagy lejárt) - + The remote host closed the connection A távoli gép lezárta a kapcsolatot - + The host address was not found A gép címe nem található - + The socket operation failed because the application lacked the required privileges A foglalatművelet hibába ütközött, mivel az alkalmazás nem rendelkezik megfelelő jogosultságokkal - + The local system ran out of resources (e.g., too many sockets) A helyi rendszer erőforrási elfogytak (pl. túl sok foglalat) - + The socket operation timed out A foglalatművelet időtúllépés miatt megszakadt - + The datagram was larger than the operating system's limit A datagram nagyobb az operációs rendszer által kezeltnél - + An error occurred with the network (Possibly someone pulled the plug?) Hiba a hálózatban (Valaki esetleg kihúzta a csatlakozót?) - + The address specified with socket.bind() is already in use and was set to be exclusive A socket.bind() által meghatározott cím már használatban van és kizárólagosnak lett jelölve - + The address specified to socket.bind() does not belong to the host A socket.bind() által meghatározott cím nem tartozik a géphez - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) A kért foglalatműveletet nem támogatja a helyi operációs rendszer (pl. hiányzik az IPv6 támogatás) - + The socket is using a proxy, and the proxy requires authentication A foglalat proxyt használ és a proxy felhasználói azonosítást igényel - + The SSL/TLS handshake failed Az SSL/TLS kézfogás meghiúsult - + The last operation attempted has not finished yet (still in progress in the background) Az utolsó művelet nem fejeződött be (még fut a háttérben) - + Could not contact the proxy server because the connection to that server was denied Nem lehet csatlakozni a proxy szerverhez, mivel a kapcsolatot a szerver elutasította - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) A proxy szerverhez való kapcsolódás váratlanul lezárult (mielőtt a végső partnerrel kiépült volna) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. A proxy szerverhez való kapcsolódás időtúllépés miatt megszakadt vagy a proxy szerver válasza megállt felhasználói azonosítás fázisban. - + The proxy address set with setProxy() was not found A setProxy() által megadott proxy cím nem található - + An unidentified error occurred Nem definiált hiba történt - + Not connected - Nem csatlakozik hiba + Nem csatlakozik - + Connecting Kapcsolódás - + Connected Kapcsolódva - + Getting status Állapot lekérdezése - + Off Kikapcsolva - + Initialize in progress Előkészítés folyamatban - + Power in standby Energiatakarékos állapotban - + Warmup in progress Bemelegítés folyamatban - + Power is on Bekapcsolva - + Cooldown in progress Lehűtés folyamatban - + Projector Information available Projektorinformációk elérhetők - + Sending data Adatok küldése - + 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 @@ -5038,17 +5063,17 @@ Az utótag nem támogatott OpenLP.ProjectorEdit - + Name Not Set - Név nincs beállítva + Nincs név beállítva - + You must enter a name for this entry.<br />Please enter a new name for this entry. Meg kell adni egy új nevet a bejegyzéshez. - + Duplicate Name Duplikált név @@ -5056,52 +5081,52 @@ Az utótag nem támogatott OpenLP.ProjectorEditForm - + Add New Projector Új projektor hozzáadása - + Edit Projector Projektor szerkesztése - + IP Address IP cím - + Port Number Portszám - + PIN PIN - + Name Név - + Location Hely - + Notes Jegyzetek - + Database Error - Adatbázis hiba + Adatbázishiba - + There was an error saving projector information. See the log for the error Hiba a projektorinformációk mentése közben. További információk a naplóban. @@ -5109,307 +5134,362 @@ Az utótag nem támogatott OpenLP.ProjectorManager - + Add Projector Projektor hozzáadása - - Add a new projector - Új projektor hozzáadása - - - + Edit Projector Projektor szerkesztése - - Edit selected projector - A kijelölt projektor szerkesztése - - - + Delete Projector Projektor törlése - - Delete selected projector - A kijelölt projektor törlése - - - + Select Input Source Bemeneti forrás kijelölése - - Choose input source on selected projector - Adj meg egy bemeneti forrást a kijelölt projektor számára - - - + View Projector Projektor megtekintése - - View selected projector information - Kijelölt projektorinformáció megtekintése - - - - Connect to selected projector - Kapcsolódás a kijelölt projektorhoz - - - + Connect to selected projectors Kapcsolódás a kijelölt projektorokhoz - + Disconnect from selected projectors Lekapcsolódás a kijelölt projektorról - + Disconnect from selected projector Lekapcsolódás a kijelölt projektorokról - + Power on selected projector Kijelölt projektor bekapcsolása - + Standby selected projector Kijelölt projektor takarékba - - Put selected projector in standby - Kijelölt projektor energiatakarékos állapotba küldése - - - + Blank selected projector screen Kijelölt projektor elsötítése - + Show selected projector screen Kijelölt projektor képének felkapcsolása - + &View Projector Information Projektorinformációk &megtekintése - + &Edit Projector - Projektor &szerkesztése + Projektor sz&erkesztése - + &Connect Projector &Kapcsolódás a projektorhoz - + D&isconnect Projector &Lekapcsolódás a projektorról - + Power &On Projector Projektor &bekapcsolása - + Power O&ff Projector Projektor &kikapcsolása - + Select &Input &Bemenet kijelölése - + Edit Input Source Bemeneti forrás szerkesztése - + &Blank Projector Screen Projektor &elsötítése - + &Show Projector Screen Projektor &kivilágítása - + &Delete Projector Projektor &törlése - + Name Név - + IP IP - + Port Portszám - + Notes Jegyzetek - + Projector information not available at this time. - Projektorinformációk jelenleg nem állnak rendelkezésre. + A projektorinformációk jelenleg nem állnak rendelkezésre. - + Projector Name Projektor neve - + Manufacturer Gyártó - + Model Modell - + Other info További információ - + Power status Üzemállapot - + Shutter is Zár… - + Closed Bezárva - + Current source input is Aktuális bemenet: - + Lamp Lámpa - - On - Bekapcsolva - - - - Off - Kikapcsolva - - - + Hours Óra - + No current errors or warnings Nincsenek hibák vagy figyelmeztetések - + Current errors/warnings Aktuális hibák és figyelmeztetések - + Projector Information Projektorinformációk - + No message Nincs üzenet - + Not Implemented Yet Nincs megvalósítva még - - Delete projector (%s) %s? - Törölhető a projektor: (%s) %s? - - - + Are you sure you want to delete this projector? Valóban törölhető a projektor? + + + Add a new projector. + Új projektor hozzáadása. + + + + Edit selected projector. + A kijelölt projektor szerkesztése. + + + + Delete selected projector. + A kijelölt projektor törlése. + + + + Choose input source on selected projector. + Adj meg egy bemeneti forrást a kijelölt projektor számára. + + + + View selected projector information. + Kijelölt projektorinformáció megtekintése. + + + + Connect to selected projector. + Kapcsolódás a kijelölt projektorhoz. + + + + Connect to selected projectors. + Kapcsolódás a kijelölt projektorokhoz. + + + + Disconnect from selected projector. + Lekapcsolódás a kijelölt projektorról. + + + + Disconnect from selected projectors. + Lekapcsolódás a kijelölt projektorokról. + + + + Power on selected projector. + Kijelölt projektor bekapcsolása. + + + + Power on selected projectors. + Kijelölt projektorok bekapcsolása. + + + + Put selected projector in standby. + Kijelölt projektor energiatakarékos állapotba küldése. + + + + Put selected projectors in standby. + Kijelölt projektorok energiatakarékos állapotba küldése. + + + + Blank selected projectors screen + Kijelölt projektorok elsötétítése + + + + Blank selected projectors screen. + Kijelölt projektorok elsötétítése. + + + + Show selected projector screen. + Kijelölt projektor képének felkapcsolása. + + + + Show selected projectors screen. + Kijelölt projektorok képének felkapcsolása. + + + + is on + bekapcsolva + + + + is off + kikapcsolva + + + + Authentication Error + Azonosítási hiba + + + + No Authentication Error + Nincs azonosítási hiba + OpenLP.ProjectorPJLink - + Fan Hűtő - + Lamp Lámpa - + Temperature Hőmérséglet - + Cover Fedő - + Filter Szűrő - + Other - Más + Egyéb @@ -5453,17 +5533,17 @@ Az utótag nem támogatott OpenLP.ProjectorWizard - + Duplicate IP Address Duplikált IP cím - + Invalid IP Address Érvénytelen IP cím - + Invalid Port Number Érvénytelen portszám @@ -5476,27 +5556,27 @@ Az utótag nem támogatott Képernyő - + primary elsődleges OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Kezdés</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Hossz</strong>: %s - - [slide %d] - [%d dia] + [slide {frame:d}] + [{frame:d} dia] + + + + <strong>Start</strong>: {start} + <strong>Kezdés</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Hossz</strong>: {length} @@ -5560,52 +5640,52 @@ Az utótag nem támogatott Kijelölt elem törlése a sorrendből. - + &Add New Item Új elem &hozzáadása - + &Add to Selected Item &Hozzáadás a kijelölt elemhez - + &Edit Item &Elem szerkesztése - + &Reorder Item Elem újra&rendezése - + &Notes &Jegyzetek - + &Change Item Theme 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 @@ -5630,7 +5710,7 @@ Az utótag nem támogatott Minden sorrendben lévő elem összecsukása. - + Open File Fájl megnyitása @@ -5660,24 +5740,24 @@ Az utótag nem támogatott A kijelölt elem élő adásba küldése. - + &Start Time &Kezdő időpont - + Show &Preview &Előnézet megjelenítése - + Modified Service Módosított sorrend - + The current service has been modified. Would you like to save this service? - Az aktuális sorrend módosult. Szeretnéd elmenteni? + Az aktuális sorrend módosult. Legyen elmentve? @@ -5695,27 +5775,27 @@ Az utótag nem támogatott Lejátszási idő: - + Untitled Service 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 @@ -5732,151 +5812,151 @@ Az utótag nem támogatott Select a theme for the service. - Jelöljön ki egy témát a sorrendhez. + Ki kell jelölni 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. - + Service File(s) Missing Hiányzó sorrendfájl - + &Rename... Át&nevezés - + Create New &Custom Slide Új &speciális dia létrehozása - + &Auto play slides Automatikus diavetítés - + Auto play slides &Loop Automatikus &ismétlődő diavetítés - + Auto play slides &Once Automatikus &egyszeri diavetítés - + &Delay between slides &Diák közötti késleltetés - + OpenLP Service Files (*.osz *.oszl) 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 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 + &Automatikus indítás ‒ inaktív - + &Auto Start - active - &Automatikus indítás - aktív + &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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - A következő fájlok hiányoznak a sorrendből: %s + A következő fájlok hiányoznak a sorrendből: {name} Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. + + + An error occurred while writing the service file: {error} + Hiba történt a szolgálati sorrendfájl mentése közben: {error} + OpenLP.ServiceNoteForm @@ -5907,15 +5987,10 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. Gyorsbillentyű - + Duplicate Shortcut Azonos gyorsbillentyű - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - A gyorsbillentyű már foglalt: %s - Alternate @@ -5924,7 +5999,7 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. - Jelölj ki egy parancsot és kattints egyenként az egyik alul található gombra az elsődleges vagy alternatív gyorsbillentyű elfogásához. + Egy parancs kijelölése után az alul található két gomb egyikére való kattintással lehet elkapni az elsődleges vagy alternatív gyorsbillentyűt. @@ -5961,219 +6036,234 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. Configure Shortcuts Gyorsbillentyűk beállítása + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + A gyorsbillentyű már foglalt: „{key}”. Másikat kellene használni. + OpenLP.SlideController - + Hide Elrejtés - + Go To Ugrás - + Blank Screen Képernyő elsötétítése - + Blank to Theme Elsötétítés a témára - + Show Desktop Asztal megjelenítése - + Previous Service Előző sorrend - + Next Service Következő sorrend - + Escape Item Kilépés az elemből - + Move to previous. Mozgatás az előzőre. - + Move to next. Mozgatás a következőre. - + Play Slides Diák vetítése - + Delay between slides in seconds. Diák közötti késleltetés másodpercben. - + Move to live. Élő adásba küldés. - + Add to Service. Hozzáadás a sorrendhez. - + Edit and reload song preview. Szerkesztés és az dal előnézetének újraolvasása. - + Start playing media. Médialejátszás indítása. - + Pause audio. Hang szüneteltetése. - + Pause playing media. Médialejátszás leállítása. - + Stop playing media. Médialejátszás szüneteltetése. - + Video position. Videó pozíciója. - + Audio Volume. Hangerő. - + Go to "Verse" Ugrás a „versszakra” - + Go to "Chorus" Ugrás a „refrénre” - + Go to "Bridge" Ugrás a „hídra” - + Go to "Pre-Chorus" Ugrás az „előrefrénre” - + Go to "Intro" Ugrás a „bevezetésre” - + Go to "Ending" Ugrás a „lezárásra” - + Go to "Other" Ugrás a „másra” - + Previous Slide Előző dia - + Next Slide Következő dia - + Pause Audio Hang szüneteltetése - + Background Audio Háttérzene - + Go to next audio track. Ugrás a következő zenei számra. - + Tracks Zenei számok + + + Loop playing media. + Lejátszott média ismétlése. + + + + Video timer. + Videó időzítő. + OpenLP.SourceSelectForm - + Select Projector Source - Projektor forrás kijelölése + 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 - + 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? @@ -6181,17 +6271,17 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. OpenLP.SpellTextEdit - + Spelling Suggestions Helyesírási javaslatok - + Formatting Tags Formázó címkék - + Language: Nyelv: @@ -6270,7 +6360,7 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. OpenLP.ThemeForm - + (approximately %d lines per slide) (kb. %d sor diánként) @@ -6278,523 +6368,533 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. OpenLP.ThemeManager - + Create a new theme. Új téma létrehozása. - + Edit Theme Téma szerkesztése - + Edit a theme. Egy téma szerkesztése. - + Delete Theme Téma törlése - + Delete a theme. Egy téma törlése. - + Import Theme Téma importálása - + Import a theme. Egy téma importálása. - + Export Theme Téma exportálása - + Export a theme. Egy téma exportálása. - + &Edit Theme Téma sz&erkesztése - + &Delete Theme Téma &törlése - + Set As &Global Default Beállítás &globális alapértelmezetté - - %s (default) - %s (alapértelmezett) - - - + You must select a theme to edit. 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. - + 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 - + 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. - + &Copy Theme Téma &másolása - + &Rename Theme Téma át&nevezése - + &Export Theme Téma e&xportálása - + You must select a theme to rename. Ki kell jelölni egy témát az átnevezéséhez. - + Rename Confirmation Átnevezési megerősítés - + Rename %s theme? A téma átnevezhető: %s? - + You must select a theme to delete. Ki kell jelölni egy témát a törléshez. - + Delete Confirmation Törlés megerősítése - + Delete %s theme? 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. - - Copy of %s - Copy of <theme name> - %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) - - %s time(s) by %s - Idő: %s/%s - - - + Unable to delete theme A témát nem lehet törölni. + + + {text} (default) + {text} (alapértelmezett) + + + + Copy of {name} + Copy of <theme name> + {name} másolata + + + + Save Theme - ({name}) + Téma mentése – ({name}) + + + + The theme export failed because this error occurred: {err} + A téma exportja sikertelen a következő hiba miatt: {err} + + + + {name} (default) + {name} (alapértelmezett) + + + + Theme {name} already exists. Do you want to replace it? + Ez a téma már létezik: „{name}”. Felülírható? + + {count} time(s) by {plugin} + {count} alkalommal: {plugin} + + + Theme is currently used -%s +{text} A témát használja: -%s +{text} OpenLP.ThemeWizard - + Theme Wizard Téma tündér - + Welcome to the Theme Wizard Üdvözlet a téma tündérben - + Set Up Background Háttér beállítása - + Set up your theme's background according to the parameters below. A téma háttere az alábbi paraméterekkel állítható be. - + Background type: Háttér típusa: - + Gradient Színátmenet - + Gradient: Színátmenet: - + Horizontal Vízszintes - + Vertical Függőleges - + Circular Körkörös - + Top Left - Bottom Right Bal felső sarokból jobb alsó sarokba - + Bottom Left - Top Right Bal alsó sarokból jobb felső sarokba - + Main Area Font Details Fő tartalom betűkészletének jellemzői - + Define the font and display characteristics for the Display text A fő szöveg betűkészlete és megjelenési tulajdonságai - + Font: Betűkészlet: - + Size: Méret: - + Line Spacing: Sorköz: - + &Outline: &Körvonal: - + &Shadow: &Árnyék: - + Bold Félkövér - + Italic Dőlt - + Footer Area Font Details Lábléc betűkészletének jellemzői - + Define the font and display characteristics for the Footer text A lábléc szöveg betűkészlete és megjelenési tulajdonságai - + Text Formatting Details Szövegformázás jellemzői - + Allows additional display formatting information to be defined További megjelenési formázások - + Horizontal Align: Vízszintes igazítás: - + Left Balra zárt - + Right Jobbra zárt - + Center Középre igazított - + Output Area Locations Pozíciók - + &Main Area &Fő szöveg - + &Use default location &Alapértelmezett helyen - + X position: X pozíció: - + px px - + Y position: Y pozíció: - + Width: Szélesség: - + Height: Magasság: - + Use default location Alapértelmezett helyen - + Theme name: Téma neve: - - Edit Theme - %s - Téma szerkesztése – %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. - A tündér segít témákat létrehozni és módosítani. Kattints az alábbi Következő gombra a folyamat első lépésének indításhoz, a háttér beállításához. + A tündér segít témákat létrehozni és módosítani. Az alábbi „Következő” gombbal indítható a folyamat első lépése, a háttér beállítása. - + Transitions: Átmenetek: - + &Footer Area &Lábléc - + Starting color: Kezdő szín: - + Ending color: Befejező szín: - + Background color: Háttérszín: - + Justify Sorkizárt - + Layout Preview Elrendezés előnézete - + Transparent Átlátszó - + Preview and Save Előnézet és mentés - + Preview the theme and save it. Téma előnézete és mentése. - + Background Image Empty Háttérkép üres - + Select Image Kép kijelölése - + Theme Name Missing Téma neve nincs megadva - + There is no name for this theme. Please enter one. - A témának nincs neve, meg kell adni. + A témának nincs neve. Meg kell adni. - + Theme Name Invalid Érvénytelen témanév - + Invalid theme name. Please enter one. - A téma neve érvénytelen, érvényeset kell megadni. + A téma neve érvénytelen. Érvényeset kell megadni. - + Solid color Homogén szín - + color: Szín: - + Allows you to change and move the Main and Footer areas. A fő szöveg és a lábléc helyzetének mozgatása. - + You have not selected a background image. Please select one before continuing. Nincs kijelölt háttérkép. Meg kell adni egyet a folytatás előtt. + + + Edit Theme - {name} + Téma szerkesztése – {name} + + + + Select Video + Videó kijelölése + OpenLP.ThemesTab @@ -6877,73 +6977,73 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. &Függőleges igazítás: - + Finished import. Az importálás befejeződött. - + Format: Formátum: - + Importing Importálás - + Importing "%s"... Importálás „%s”… - + Select Import Source Importálandó forrás kijelölése - + Select the import format and the location to import from. - Jelöld ki az importálás formátumát és az importálás helyét. + Ki kell jelölni az importálás formátumát és az importálás helyét. - + Open %s File %s fájl megnyitása - + %p% %p% - + Ready. Kész. - + Starting import... Importálás indítása… - + You need to specify at least one %s file to import from. A file type e.g. OpenSong 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 - + Welcome to the Song Export Wizard Üdvözlet a dalexportáló tündérben - + Welcome to the Song Import Wizard Üdvözlet a dalimportáló tündérben @@ -6990,42 +7090,37 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. XML syntax error - XML szintaktikai hiba + XML-szintaktikai hiba - - Welcome to the Bible Upgrade Wizard - Üdvözlet a Bibliafrissítő tündérben - - - + Open %s Folder %s mappa megnyitása - + You need to specify one %s file to import from. A file type e.g. OpenSong Meg kell adni egy %s fájlt az importáláshoz. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Meg kell adni egy %s mappát az importáláshoz. - + Importing Songs Dalok importálása - + Welcome to the Duplicate Song Removal Wizard Üdvözlet a duplikált dalok eltávolítása tündérben - + Written by Szerző @@ -7035,502 +7130,490 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. ismeretlen szerző - + About Névjegy - + &Add &Hozzáadás - + Add group Csoport hozzáadása - + Advanced Haladó - + All Files Minden fájl - + Automatic Automatikus - + Background Color Háttérszín - + Bottom Alulra - + Browse... Tallózás… - + Cancel Mégsem - + CCLI number: CCLI szám: - + Create a new service. Új szolgálati sorrend létrehozása. - + Confirm Delete Törlés megerősítése - + Continuous Folytonos - + Default Alapértelmezett - + Default Color: Alapértelmezett szín: - + 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. - Sorrend %Y-%m-%d %H-%M + Sorrend %Y. %m. %d. ‒ %H.%M - + &Delete &Törlés - + Display style: Megjelenítési stílus: - + Duplicate Error - Duplikátum hiba + Duplikátumhiba - + &Edit &Szerkesztés - + Empty Field Üres mező - + Error Hiba - + Export Exportálás - + File Fájl - + File Not Found A fájl nem található - - File %s not found. -Please try selecting it individually. - %s fájl nem található. -Meg lehet próbálni egyenként kijelölni a fájlokat. - - - + pt Abbreviated font pointsize unit pt - + Help Súgó - + h The abbreviated unit for hours ó - + Invalid Folder Selected Singular Érvénytelen kijelölt mappa - + Invalid File Selected Singular Érvénytelen kijelölt állomány - + Invalid Files Selected Plural Érvénytelen kijelölt állományok - + Image Kép - + Import Importálás - + Layout style: Elrendezés: - + Live Élő - + Live Background Error Élő háttér hiba - + Live Toolbar Élő eszköztár - + Load Betöltés - + Manufacturer Singular Gyártó - + Manufacturers Plural Gyártók - + Model Singular Modell - + Models Plural Modellek - + m The abbreviated unit for minutes p - + Middle Középre - + New Új - + New Service Új sorrend - + New Theme Új téma - + Next Track Következő szám - + No Folder Selected Singular Nincs kijelölt mappa - + No File Selected Singular Nincs kijelölt fájl - + No Files Selected Plural Nincsenek kijelölt fájlok - + No Item Selected Singular Nincs kijelölt elem - + No Items Selected Plural Nincsenek kijelölt elemek - + OpenLP is already running. Do you wish to continue? Az OpenLP már fut. Folytatható? - + Open service. Sorrend megnyitása. - + Play Slides in Loop Ismétlődő diavetítés - + Play Slides to End Diavetítés a végéig - + Preview 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: - + Preview Toolbar Előnézet eszköztár - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Az élő háttér cseréje nem elérhető, ha a WebKit lejátszó tiltva van. @@ -7546,29 +7629,101 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Plural Énekeskönyvek + + + Background color: + Háttérszín: + + + + Add group. + Csoport hozzáadása. + + + + File {name} not found. +Please try selecting it individually. + A fájl nem található: „{name}”. +Meg lehet próbálni egyenként kijelölni a fájlokat. + + + + Start {code} + Indítás: {code} + + + + Video + Videó + + + + Search is Empty or too Short + A keresendő kifejezés üres vagy túl rövid + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>A keresendő kifejezés üres vagy rövidebb, mint 3 karakter</strong><br><br>Hosszabb kifejezéssel érdemes próbálkozni. + + + + No Bibles Available + Nincsenek elérhető Bibliák + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>Jelenleg nincsenek telepített bibliák</strong><br><br>Az importálási tündérrel lehet bibliákat importálni. + + + + Book Chapter + Könyv fejezete + + + + Chapter + Fejezet + + + + Verse + Versszak + + + + Psalm + Zsoltár + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + A könyvek nevei talán rövidítve vannak, pl. 23. Zsoltár = Zsolt 23. + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s és %s - + %s, and %s Locale list separator: end %s, és %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7579,7 +7734,7 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Source select dialog interface - Forráskijelölő párbeszédpanel felület + Forráskijelölő párbeszédpanel-felület @@ -7651,47 +7806,47 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Bemutatás ezzel: - + File Exists A fájl létezik - + A presentation with that filename already exists. Ilyen fájlnéven már létezik egy bemutató. - + This type of presentation is not supported. - Ez a bemutató típus nem támogatott. + Ez a bemutatótípus nem támogatott. - - Presentations (%s) - Bemutatók (%s) - - - + Missing Presentation Hiányzó bemutató - - The presentation %s is incomplete, please reload. - A bemutató hiányos, újra kell tölteni: %s. + + Presentations ({text}) + Bemutatók ({text}) - - The presentation %s no longer exists. - A bemutató már nem létezik: %s. + + The presentation {name} no longer exists. + A bemutató már nem létezik: {name}. + + + + The presentation {name} is incomplete, please reload. + A bemutató hiányos, újra kell tölteni: {name}. 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. + + 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ás után lehet újra bemutatni a prezentációt. @@ -7701,11 +7856,6 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Available Controllers Elérhető vezérlők - - - %s (unavailable) - %s (elérhetetlen) - Allow presentation application to be overridden @@ -7714,7 +7864,7 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. PDF options - PDF beállítások + PDF-beállítások @@ -7722,12 +7872,12 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. 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. + Ki kell jelölni 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. @@ -7738,13 +7888,19 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. - Clicking on a selected slide in the slidecontroller advances to next effect. - A diakezelőben a kijelölt diára való kattintással előrelép a következő hatásra. + Clicking on the current slide advances to the next effect + Az aktuális diára való kattintással előrelép a következő hatásra. - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Hagyjuk, hogy a PowerPoint kezelje a bemutató ablak méretét és pozícióját (Windows 8 átméretezési hiba megkerülése). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + Engedélyett, hogy a PowerPoint kezelje a bemutató ablak méretét és pozícióját (Windows 8 és 10 átméretezési hiba megkerülése). + + + + {name} (unavailable) + {name} (elérhetetlen) @@ -7775,138 +7931,138 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Server Config Change - Szerver beállítások módosítása + Szerverbeállítások módosítása Server configuration changes will require a restart to take effect. - A szerver beállítások módosítása után újraindítás szükséges a változások érvényre jutásához. + A szerverbeállítások módosítása után újraindítás szükséges a változások érvényre jutásához. 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 - + Remote Távirányító - + Stage View Színpadi nézet - + Live View Élő nézet @@ -7914,79 +8070,89 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. RemotePlugin.RemoteTab - + Serve on IP address: Szolgáltatás IP címe: - + Port number: Port száma: - + Server Settings - Szerver beállítások + Szerverbeállítások - + Remote URL: - Távirányító URL: + Távirányító URL-je: - + Stage view URL: - Színpadi nézet URL: + Színpadi nézet URL-je: - + Display stage time in 12h format Időkijelzés a színpadi nézeten 12 órás formában - + Android App Android alkalmazás - + Live view URL: - Élő adás nézet URL: + Élő adás-nézet URL-je: - + HTTPS Server HTTPS szerver - + 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. - Nem található SSL tanúsítvány. A HTTPS szervert nem lehet elérni SSL tanúsítvány nélkül. Lásd a súgót a további információkért. + Nem található SSL tanúsítvány. A HTTPS szervert nem lehet elérni SSL tanúsítvány nélkül. További információk a súgóban. - + User Authentication Felhasználói azonosítás - + User id: Felhasználói azonosító: - + Password: Jelszó: - + Show thumbnails of non-text slides in remote and stage view. Előnézetek megjelenítése a nem szövegalapú diák esetén a távoli és a színpadi nézetben. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Szkenneld be a QR kódot vagy kattints az Android alkalmazás <a href="%s">letöltéséhez</a> a Google Play-ből. + + iOS App + iOS app + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Az Android alkalmazást a Google Play-ből a fenti QR kóddal vagy <a href="{qr}">ezzel a linkkel</a> lehet letölteni. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Az iOS alkalmazást az alkalmazásboltból a fenti QR kóddal vagy <a href="{qr}">ezzel a linkkel</a> lehet letölteni. @@ -8027,50 +8193,50 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. 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 @@ -8080,17 +8246,17 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Delete Song Usage Data - Dalstatisztika adatok törlése + Dalstatisztika-adatok törlése Delete Selected Song Usage Events? - Valóban törölhetők a kijelölt dalstatisztika események? + Valóban törölhetők a kijelölt dalstatisztika-események? Are you sure you want to delete selected Song Usage data? - Valóban törölhetők a kijelölt dalstatisztika adatok? + Valóban törölhetők a kijelölt dalstatisztika-adatok? @@ -8137,22 +8303,9 @@ All data recorded before this date will be permanently deleted. 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. - A riport sikeresen elkészült: -%s. + Jelentés készítése @@ -8163,48 +8316,61 @@ has been successfully created. 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. + Nem létező útvonal lett megadva a dalstatisztika riporthoz. Ki kell jelölni egy érvényes útvonalat a számítógépen. - + Report Creation Failed - Riportkészítési hiba + Jelentéské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 + + usage_detail_{old}_{new}.txt + Dalstatisztika_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + A riport sikeresen elkészült: +„{name}”. + + + + An error occurred while creating the report: {error} + Hiba történt a riport készítése közben: {error} 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… @@ -8296,84 +8462,84 @@ a karakterek helyes megjelenítéséért. Please choose the character encoding. The encoding is responsible for the correct character representation. - Válaszd ki a karakterkódolást. + Ki kell választani a karakterkódolást. 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. @@ -8462,62 +8628,67 @@ A kódlap felelős a karakterek helyes megjelenítéséért. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Adminisztrálta: %s - - - - "%s" could not be imported. %s - Nem importálható: „%s” %s - - - + Unexpected data formatting. Nem várt adatformázás. - + No song text found. A dalszöveg nem található. - + [above are Song Tags with notes imported from EasyWorship] -[felül találhatók az EasyWorship-ből megjegyzésekkel importál dal címkék] +[felül találhatók az EasyWorship-ből megjegyzésekkel importál dal-címkék] - + This file does not exist. A fájl nem létezik. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Nem található a Songs.MB fájl. Ugyanabban a mappában kell lennie, mint a Songs.DB fájlnak. - + This file is not a valid EasyWorship database. A fájl nem érvényes EasyWorship adatbázis. - + Could not retrieve encoding. Nem sikerült letölteni a kódolást. + + + Administered by {admin} + Adminisztrálta: {admin} + + + + "{title}" could not be imported. {entry} + Nem importálható: „{title}”, {entry} + + + + "{title}" could not be imported. {error} + Nem importálható: „{title}”, {error} + SongsPlugin.EditBibleForm - + Meta Data Metaadat - + Custom Book Names Egyedi könyvnevek @@ -8600,59 +8771,59 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Téma, © és megjegyzés - + Add Author Szerző hozzáadása - + This author does not exist, do you want to add them? - Ez a szerző még nem létezik, valóban hozzá kívánja adni? + Ez a szerző még nem létezik, valóban hozzáadható? - + This author is already in the list. A szerző már benne van a listában. - + 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. - Nincs kijelölve egyetlen szerző sem. Vagy válassz egy szerzőt a listából, vagy írj az új szerző mezőbe és kattints a Hozzáadás gombra a szerző megjelöléséhez. + Nincs kijelölve egyetlen szerző sem. Szerzőt hozzáadni a listából való választással vagy a nevének beírása utána a „Hozzáadás” gombra való kattintással lehet. - + Add Topic Témakör hozzáadása - + This topic does not exist, do you want to add it? - Ez a témakör még nem létezik, szeretnéd hozzáadni? + Ez a témakör még nem létezik, valóban hozzáadható? - + This topic is already in the list. A témakör már benne van a listában. - + 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. - Nincs kijelölve egyetlen témakör sem. Vagy válassz egy témakört a listából, vagy írj az új témakör mezőbe és kattints a Hozzáadás gombra a témakör megjelöléséhez. + Nincs kijelölve egyetlen témakör sem. Témakört hozzáadni a listából való választással vagy a megnevezésének beírása utána a „Hozzáadás” gombra való kattintással lehet. - + You need to type in a song title. - Add meg a dal címét. + Meg kell adni a dal címét. - + You need to type in at least one verse. - Legalább egy versszakot meg kell adnod. + Legalább egy versszakot meg kell adni. - + You need to have an author for this song. - Egy szerzőt meg kell adnod ehhez a dalhoz. + Meg kell adni egy szerzőt ehhez a dalhoz. @@ -8675,7 +8846,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Fájlok &eltávolítása - + Open File(s) Fájlok megnyitása @@ -8690,14 +8861,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. <strong>Figyelmeztetés:</strong> A versszaksorrend nincs megadva. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Nincs érvénytelen versszak: „%(invalid)s”. Az érvényes bejegyzések: „%(valid)s”. -A versszakokat szóközzel elválasztva kell megadni. - - - + Invalid Verse Order Érvénytelen versszaksorrend @@ -8707,22 +8871,15 @@ A versszakokat szóközzel elválasztva kell megadni. Szerző&típus szerkesztése - + Edit Author Type Szerzőtípus szerkesztése - + Choose type for this author Ki kell jelölni a szerző típusát - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Nincsenek ezeknek megfelelő versszakok: „%(invalid)s”. Az érvényes bejegyzések: „%(valid)s”. -A versszakokat szóközzel elválasztva kell megadni. - &Manage Authors, Topics, Songbooks @@ -8744,45 +8901,77 @@ A versszakokat szóközzel elválasztva kell megadni. Szerző, témakör és könyv - + Add Songbook Énekeskönyv hozzáadása - + This Songbook does not exist, do you want to add it? - Ez az énekeskönyv még nem létezik, szeretnéd hozzáadni a listához? + Ez az énekeskönyv még nem létezik, valóban hozzáadható? - + This Songbook is already in the list. Ez a énekeskönyv már szerepel a listában. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - Nincs kijelölve egyetlen énekeskönyv sem. Vagy válassz egy énekeskönyvet a listából, vagy írj az új énekeskönyv mezőbe és kattints a Hozzáadás gombra az énekeskönyv megjelöléséhez. + Nincs kijelölve egyetlen énekeskönyv sem. Énekeskönyvet hozzáadni a listából való választással vagy a megnevezésének beírása utána a „Hozzáadás” gombra való kattintással lehet. + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Nincsenek ezeknek megfelelő versszakok: „{invalid}”. Az érvényes bejegyzések: „{valid}”. +A versszakokat szóközzel elválasztva kell megadni. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Nincs érvénytelen versszak: „{invalid}”. Az érvényes bejegyzések: „{valid}”. +A versszakokat szóközzel elválasztva kell megadni. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + Rosszul formázott címkék vannak az alábbi versszakokban: + +{tag} + +Javítani kell a címkéket a továbblépéshez. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + Mintegy {count} versszak van ezzel a névvel: {name} {number}. Összesen 26 versszak lehet ugyanazzal a névvel. SongsPlugin.EditVerseForm - + Edit Verse Versszak szerkesztése - + &Verse type: Versszak &típusa: - + &Insert &Beszúrás - + Split a slide into two by inserting a verse splitter. Dia kettéválasztása versszakelválasztó beszúrásával. @@ -8795,77 +8984,77 @@ A versszakokat szóközzel elválasztva kell megadni. Dalexportáló tündér - + Select Songs Dalok kijelölése - + Check the songs you want to export. - Jelöld ki az exportálandó dalokat. + Ki kell jelölni az exportálandó dalokat. - + Uncheck All Minden kijelölés eltávolítása - + Check All Mindent kijelöl - + Select Directory Mappa kijelölése - + Directory: Mappa: - + Exporting Exportálás - + Please wait while your songs are exported. - Várj, míg a dalok exportálódnak. + Türelem, míg a dalok exportálódnak. - + You need to add at least one Song to export. Ki kell jelölni legalább egy dalt az exportáláshoz. - + No Save Location specified Nincs megadva a mentési hely - + Starting export... Exportálás indítása… - + You need to specify a directory. Egy mappát kell megadni. - + Select Destination Folder Célmappa kijelölése - + Select the directory where you want the songs to be saved. - Jelöld ki a mappát, ahová a dalok mentésre kerülnek. + Ki kell jelölni a mappát, ahová a dalok mentésre kerülnek. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. A tündér segít a dalok szabad és ingyenes <strong>OpenLyrics</strong> formátumba való exportálásában. @@ -8873,7 +9062,7 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Érvénytelen Foilpresenter dalfájl. Versszakok nem találhatók benne. @@ -8881,7 +9070,7 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.GeneralTab - + Enable search as you type Gépelés közbeni keresés engedélyezése @@ -8889,9 +9078,9 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files - Jelölj ki egy dokumentum vagy egy bemutató fájlokat + Ki kell jelölni dokumentum vagy bemutató fájlokat @@ -8899,237 +9088,252 @@ A versszakokat szóközzel elválasztva kell megadni. Dalimportáló tündér - + 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. - A tündér segít a különféle formátumú dalok importálásában. Kattints az alábbi Következő gombra a folyamat első lépésének indításhoz, a formátum kijelöléséhez. + A tündér segít a különféle formátumú dalok importálásában. Az alábbi „Következő” gombbal indítható a folyamat első lépése, a formátum kijelölése. - + Generic Document/Presentation Általános dokumentum vagy bemutató - + Add Files... Fájlok hozzáadása… - + Remove File(s) Fájlok törlése - + Please wait while your songs are imported. - Kérlek, várj, míg a dalok importálás alatt állnak. + Türelem, míg a dalok importálás alatt állnak. - + Words Of Worship Song Files Words of Worship dalfájlok - + Songs Of Fellowship Song Files Songs Of Fellowship dalfájlok - + SongBeamer Files SongBeamer fájlok - + SongShow Plus Song Files SongShow Plus dalfájlok - + Foilpresenter Song Files Foilpresenter dalfájlok - + Copy Másolás - + Save to File Mentés fájlba - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. A Songs of Fellowship importáló le lett tiltva, mivel az OpenLP nem talál OpenOffice-t vagy LibreOffice-t a számítógépen. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Az általános dokumentum, ill. bemutató importáló le lett tiltva, mivel az OpenLP nem talál OpenOffice-t vagy LibreOffice-t a számítógépen. - + OpenLyrics Files OpenLyrics fájlok - + CCLI SongSelect Files CCLI SongSelect fájlok - + EasySlides XML File - EasySlides XML fájl + EasySlides XML-fájl - + EasyWorship Song Database EasyWorship dal adatbázis - + DreamBeam Song Files DreamBeam dalfájlok - + You need to specify a valid PowerSong 1.0 database folder. Meg kell adni egy érvényes PowerSong 1.0 adatbázis mappát. - + 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>. Előbb CSV szövegfájllá kell konvertálni a ZionWorx adatbázist a <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Felhasználói kézikönyv</a> útmutatása szerint. - + SundayPlus Song Files SundayPlus dalfájlok - + This importer has been disabled. Ez az importáló le lett tiltva. - + MediaShout Database MediaShout adatbázis - + 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. A MediaShout importáló csak Windows alatt támogatott. A hiányzó Python modul miatt le lett tiltva. Alkalmazásához telepíteni kell a „pyodbc” modult. - + SongPro Text Files SongPro szövegfájlok - + SongPro (Export File) SongPro (export fájl) - + In SongPro, export your songs using the File -> Export menu - SongPro-ban a Fájl -> Exportálás menüpontban lehet exportálni a dalokat + SongPro-ban a Fájl → Exportálás menüpontban lehet exportálni a dalokat - + EasyWorship Service File EasyWorship sorrendfájl - + WorshipCenter Pro Song Files WorshipCenter Pro dalfájlok - + 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. A WorshipCenter Pro importáló csak Windows alatt támogatott. A hiányzó Python modul miatt le lett tiltva. Alkalmazásához telepíteni kell a „pyodbc” modult. - + PowerPraise Song Files PowerPraise dalfájlok - + PresentationManager Song Files PresentationManager dal fájlok - - ProPresenter 4 Song Files - ProPresenter 4 dalfájlok - - - + Worship Assistant Files Worship Assistant fájlok - + Worship Assistant (CSV) Worship Assistant fájlok (CSV) - + In Worship Assistant, export your Database to a CSV file. A Worship Assistant programban CSV fájlba kell exportálni az adatbázist. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics vagy OpenLP 2 exportált dal - + OpenLP 2 Databases OpenLP 2 adatbázisok - + LyriX Files LyriX fájlok - + LyriX (Exported TXT-files) LyriX (exportált TXT fájlok) - + VideoPsalm Files VideoPsalm fájlok - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - A VideoPsalm énekeskönyvek általában itt találhatóak: %s + + OPS Pro database + OPS Pro adatbázis + + + + The OPS 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. + Az OPS Pro importáló csak Windows alatt támogatott. A hiányzó Python modul miatt le lett tiltva. Alkalmazásához telepíteni kell a „pyodbc” modult. + + + + ProPresenter Song Files + ProPresenter dalfájlok + + + + The VideoPsalm songbooks are normally located in {path} + A VideoPsalm énekeskönyvek általában itt találhatóak: {path} SongsPlugin.LyrixImport - Error: %s - Hiba: %s + File {name} + Fájl {name} + + + + Error: {error} + Hiba: {error} @@ -9142,85 +9346,123 @@ A versszakokat szóközzel elválasztva kell megadni. Select one or more audio files from the list below, and click OK to import them into this song. - Jelölj ki egy vagy több hangfájlt az alábbi listából és kattints az OK gombra a dalba való importálásukhoz. + Egy vagy több hangfájlt importálni ebbe dalba a listában való megjelölésükkel, majd az „OK” gombbal lehet. SongsPlugin.MediaItem - + Titles Címek - + Lyrics Dalszöveg - + CCLI License: CCLI licenc: - + Entire Song Teljes dal - + Maintain the lists of authors, topics and books. Szerzők, témakörök, könyvek listájának kezelése. - + copy For song cloning másolat - + Search Titles... Címek keresése… - + Search Entire Song... Teljes dal keresése… - + Search Lyrics... Dalszöveg keresése… - + Search Authors... Szerzők keresése… - - Are you sure you want to delete the "%d" selected song(s)? - Valóban törölhető a kijelöl „%d” dal? - - - + Search Songbooks... Énekeskönyvek keresése… + + + Search Topics... + Témák keresése… + + + + Copyright + Szerzői jog + + + + Search Copyright... + Szerzői jog keresése… + + + + CCLI number + CCLI szám + + + + Search CCLI number... + CCLI szám keresése… + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + Valóban törölhető a kijelöl {items:d} dal? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Nem sikerült megnyitni a MediaShout adatbázist. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Nem lehet csatlakozni az OPS Pro adatbázishoz. + + + + "{title}" could not be imported. {error} + Nem importálható: „{title}”, {error} + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Ez nem egy OpenLP 2 daladatbázis. @@ -9228,9 +9470,9 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportálás „%s”… + + Exporting "{title}"... + Exportálás: „{title}”… @@ -9249,29 +9491,37 @@ A versszakokat szóközzel elválasztva kell megadni. Nincsenek importálható dalok. - + Verses not found. Missing "PART" header. Versszakok nem találhatók. Hiányzik a „PART” fejléc. - No %s files found. - A fájlok nem találhatók %s. + No {text} files found. + A fájlok nem találhatók {text}. - Invalid %s file. Unexpected byte value. - Érvénytelen fájl: %s. Nem várt bájt érték. + Invalid {text} file. Unexpected byte value. + Érvénytelen fájl: {text}. Nem várt bájt érték. - Invalid %s file. Missing "TITLE" header. - Érvénytelen fájl: %s. Hiányzó „TITLE” fejléc. + Invalid {text} file. Missing "TITLE" header. + Érvénytelen fájl: {text}. Hiányzó „TITLE” fejléc. - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Érvénytelen fájl: %s. Hiányzó „COPYRIGHTLINE” fejléc. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Érvénytelen fájl: {text}. Hiányzó „COPYRIGHTLINE” fejléc. + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + A fájl nem XML-formátumú, holott csak ez támogatott. @@ -9300,19 +9550,19 @@ 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. + Exportálás befejeződött. Ezen fájlok importálásához majd az <strong>OpenLyrics</strong> importálót kell igénybe venni. - - Your song export failed because this error occurred: %s - A dal exportja sikertelen a következő hiba miatt: %s + + Your song export failed because this error occurred: {error} + A dal exportja sikertelen a következő hiba miatt: {error} @@ -9328,17 +9578,17 @@ A versszakokat szóközzel elválasztva kell megadni. A következő dalok nem importálhatók: - + Cannot access OpenOffice or LibreOffice Nem lehet elérni az OpenOffice-t vagy a LibreOffice-t - + Unable to open file Nem sikerült megnyitni a fájlt - + File not found A fájl nem található @@ -9346,109 +9596,109 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.SongMaintenanceForm - + Could not add your author. A szerzőt nem lehet hozzáadni. - + This author already exists. Ez a szerző már létezik. - + Could not add your topic. A témakört nem lehet hozzáadni. - + This topic already exists. Ez a témakör már létezik. - + Could not add your book. A könyvet nem lehet hozzáadni. - + This book already exists. Ez a könyv már létezik. - + Could not save your changes. A módosításokat nem lehet elmenteni. - + Could not save your modified author, because the author already exists. A módosított szerzőt nem lehet elmenteni, mivel már a szerző létezik. - + Could not save your modified topic, because it already exists. A módosított témakört nem lehet elmenteni, mivel már létezik. - + Delete Author Szerző törlése - + Are you sure you want to delete the selected author? Valóban törölhető a kijelölt szerző? - + This author cannot be deleted, they are currently assigned to at least one song. Ezt a szerzőt nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve. - + Delete Topic Témakör törlése - + Are you sure you want to delete the selected topic? Valóban törölhető a kijelölt témakör? - + This topic cannot be deleted, it is currently assigned to at least one song. Ezt a témakört nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve. - + Delete Book Könyv törlése - + Are you sure you want to delete the selected book? Valóban törölhető a kijelölt könyv? - + This book cannot be deleted, it is currently assigned to at least one song. Ezt a könyvet nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Ez a szerző már létezik: %s. Szeretnéd, hogy a dal – melynek szerzője %s – a már létező szerző (%s) dalai közé kerüljön rögzítésre? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + Ez a szerző már létezik: {original}. A dal – melynek szerzője: „{new}” – kerüljön rögzítésre a már létező „{original}” szerző dalai közé? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Ez a témakör már létezik: %s. Szeretnéd, hogy a dal – melynek témaköre: %s – a már létező témakörben (%s) kerüljön rögzítésre? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + Ez a témakör már létezik: {original}. A dal – melynek témaköre: „{new}” – kerüljön rögzítésre a már létező „{original}” témakörben? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Ez a könyv már létezik: %s. Szeretnéd, hogy a dal – melynek könyve: %s – a már létező könyvben (%s) kerüljön rögzítésre? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + Ez a könyv már létezik: {original} A dal – melynek könyve: „{new}” – kerüljön rögzítésre a már létező „{original}” könyvben? @@ -9461,7 +9711,7 @@ A versszakokat szóközzel elválasztva kell megadni. <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - <strong>Figyelem:</strong> Internet kapcsolat szükséges a CCLI SongSelect adatbázisból való importáláshoz. + <strong>Figyelem:</strong> Internetkapcsolat szükséges a CCLI SongSelect adatbázisból való importáláshoz. @@ -9494,52 +9744,47 @@ A versszakokat szóközzel elválasztva kell megadni. Keresés - - Found %s song(s) - %s talált dal - - - + Logout Kilépés - + View Nézet - + Title: Cím: - + Author(s): Szerző(k): - + Copyright: Szerzői jog: - + CCLI Number: CCLI szám: - + Lyrics: Dalszöveg: - + Back Vissza - + Import Importálás @@ -9566,7 +9811,7 @@ A versszakokat szóközzel elválasztva kell megadni. 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. + 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 „Igen”-nel a jelszó mentésre kerül, a „Nem”-mel megszakad a mentés. @@ -9579,7 +9824,7 @@ A versszakokat szóközzel elválasztva kell megadni. 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 @@ -9591,10 +9836,10 @@ A versszakokat szóközzel elválasztva kell megadni. 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ó. + A dalból hiányzik néhány alapvető információ, mint pl. a szöveg, így az nem importálható. - + Your song has been imported, would you like to import more songs? A dal sikeresen importálva lett. Új dalok importálása? @@ -9603,6 +9848,11 @@ A versszakokat szóközzel elválasztva kell megadni. Stop Megállítás + + + Found {count:d} song(s) + {count:d} talált dal + SongsPlugin.SongsTab @@ -9611,30 +9861,30 @@ A versszakokat szóközzel elválasztva kell megadni. Songs Mode Dalmód - - - Display verses on live tool bar - Versszakok megjelenítése az élő adás eszköztáron - Update service from song edit Sorrendben lévő példány frissítése a dal módosításakor - - - Import missing songs from service files - Hiányzó dalok importálása a szolgálati fájlokból - Display songbook in footer Énekeskönyv megjelenítése a láblécben + + + Enable "Go to verse" button in Live panel + „Ugrás a versszakra” gomb aktiválása az élő adás panelen + + + + Import missing songs from Service files + Hiányzó dalok importálása a szolgálati fájlokból + - Display "%s" symbol before copyright info - „%s” szimbólum megjelenítése a szerzői jogi infó előtt + Display "{symbol}" symbol before copyright info + „{symbol}” szimbólum megjelenítése a szerzői jogi infó előtt @@ -9658,60 +9908,60 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.VerseType - + Verse Versszak - + Chorus Refrén - + Bridge Híd - + Pre-Chorus Előrefrén - + Intro Bevezetés - + Ending Lezárás - + Other - Más + Egyéb SongsPlugin.VideoPsalmImport - - Error: %s - Hiba: %s + + Error: {error} + Hiba: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Érvénytelen Words of Worship dalfájl. Hiányzik: „%s” header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + Érvénytelen Words of Worship dalfájl. Hiányzó fejléc: „{text}” - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Érvénytelen Words of Worship dalfájl. Hiányzik: „%s” string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + Érvénytelen Words of Worship dalfájl. Hiányzó karakterlánc: „{text}” . @@ -9722,30 +9972,30 @@ A versszakokat szóközzel elválasztva kell megadni. Hiba a CSV fájl olvasása közben. - - Line %d: %s - %d sor: %s - - - - Decoding error: %s - Dekódolási hiba: %s - - - + File not valid WorshipAssistant CSV format. A fájl nem érvényes WorshipAssistant CSV formátumú. - - Record %d - %d rekord + + Line {number:d}: {error} + {number:d}. sor: {error} + + + + Record {count:d} + {count:d} rekord + + + + Decoding error: {error} + Dekódolási hiba: {error} SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Nem lehet csatlakozni a WorshipCenter Pro adatbázishoz. @@ -9758,25 +10008,30 @@ A versszakokat szóközzel elválasztva kell megadni. Hiba a CSV fájl olvasása közben. - + File not valid ZionWorx CSV format. A fájl nem érvényes ZionWorx CSV formátumú. - - Line %d: %s - %d sor: %s - - - - Decoding error: %s - Dekódolási hiba: %s - - - + Record %d %d rekord + + + Line {number:d}: {error} + {number:d}. sor: {error} + + + + Record {index} + {index}. rekord + + + + Decoding error: {error} + Dekódolási hiba: {error} + Wizard @@ -9786,39 +10041,960 @@ A versszakokat szóközzel elválasztva kell megadni. Tündér - + 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. A tündér segít eltávolítani a duplikált dalokat az adatbázisból. Lehetőség van minden potenciális duplikátum dal áttekintésére a törlése előtt. Dal nem törlődik kifejezett jóváhagyás nélkül. - + Searching for duplicate songs. Duplikált dalok keresése. - + Please wait while your songs database is analyzed. Türelem, az adatbázis elemzése folyamatban van. - + Here you can decide which songs to remove and which ones to keep. Itt adható meg, hogy melyik dal legyen törölve és melyik maradjon meg. - - Review duplicate songs (%s/%s) - Duplikált dalok áttekintése (%s/%s) - - - + Information Információ - + No duplicate songs have been found in the database. Nem találhatóak duplikált dalok az adatbázisban. + + + Review duplicate songs ({current}/{total}) + Duplikált dalok áttekintése ({current}/{total}) + + + + common.languages + + + (Afan) Oromo + Language code: om + oromó + + + + Abkhazian + Language code: ab + abház + + + + Afar + Language code: aa + afar + + + + Afrikaans + Language code: af + afrikaans + + + + Albanian + Language code: sq + albán + + + + Amharic + Language code: am + amhara + + + + Amuzgo + Language code: amu + amuzgo + + + + Ancient Greek + Language code: grc + ógörög + + + + Arabic + Language code: ar + arab + + + + Armenian + Language code: hy + örmény + + + + Assamese + Language code: as + asszami + + + + Aymara + Language code: ay + ajmara + + + + Azerbaijani + Language code: az + azeri + + + + Bashkir + Language code: ba + baskír + + + + Basque + Language code: eu + baszk + + + + Bengali + Language code: bn + bengáli + + + + Bhutani + Language code: dz + bhutáni + + + + Bihari + Language code: bh + bihári + + + + Bislama + Language code: bi + biszlama + + + + Breton + Language code: br + breton + + + + Bulgarian + Language code: bg + bolgár + + + + Burmese + Language code: my + burmai + + + + Byelorussian + Language code: be + belarusz + + + + Cakchiquel + Language code: cak + kakcsikel + + + + Cambodian + Language code: km + kambodzsai + + + + Catalan + Language code: ca + katalán + + + + Chinese + Language code: zh + kínai + + + + Comaltepec Chinantec + Language code: cco + comaltepec-csinantek + + + + Corsican + Language code: co + korzikai + + + + Croatian + Language code: hr + horvát + + + + Czech + Language code: cs + cseh + + + + Danish + Language code: da + dán + + + + Dutch + Language code: nl + holland + + + + English + Language code: en + angol + + + + Esperanto + Language code: eo + eszperantó + + + + Estonian + Language code: et + észt + + + + Faeroese + Language code: fo + feröeri + + + + Fiji + Language code: fj + fidzsi + + + + Finnish + Language code: fi + finn + + + + French + Language code: fr + francia + + + + Frisian + Language code: fy + fríz + + + + Galician + Language code: gl + galíciai + + + + Georgian + Language code: ka + grúz + + + + German + Language code: de + német + + + + Greek + Language code: el + görög + + + + Greenlandic + Language code: kl + grönlandi + + + + Guarani + Language code: gn + guarani + + + + Gujarati + Language code: gu + gudzsaráti + + + + Haitian Creole + Language code: ht + haiti kreol + + + + Hausa + Language code: ha + hausza + + + + Hebrew (former iw) + Language code: he + héber (azelőtt: iw) + + + + Hiligaynon + Language code: hil + hiligaynon + + + + Hindi + Language code: hi + hindi + + + + Hungarian + Language code: hu + magyar + + + + Icelandic + Language code: is + izlandi + + + + Indonesian (former in) + Language code: id + indonéz (azelőtt: in) + + + + Interlingua + Language code: ia + interlingva + + + + Interlingue + Language code: ie + interlingve + + + + Inuktitut (Eskimo) + Language code: iu + inuktitut (eszkimó) + + + + Inupiak + Language code: ik + inupiak + + + + Irish + Language code: ga + ír + + + + Italian + Language code: it + olasz + + + + Jakalteko + Language code: jac + jacaltec + + + + Japanese + Language code: ja + japán + + + + Javanese + Language code: jw + jávai + + + + K'iche' + Language code: quc + kachin + + + + Kannada + Language code: kn + kannada + + + + Kashmiri + Language code: ks + kasmíri + + + + Kazakh + Language code: kk + kazak + + + + Kekchí + Language code: kek + kekcsi + + + + Kinyarwanda + Language code: rw + kinyarvanda + + + + Kirghiz + Language code: ky + kirgiz + + + + Kirundi + Language code: rn + kirundi + + + + Korean + Language code: ko + koreai + + + + Kurdish + Language code: ku + kurd + + + + Laothian + Language code: lo + lao + + + + Latin + Language code: la + latin + + + + Latvian, Lettish + Language code: lv + lett + + + + Lingala + Language code: ln + lingala + + + + Lithuanian + Language code: lt + litván + + + + Macedonian + Language code: mk + macedón + + + + Malagasy + Language code: mg + malagas + + + + Malay + Language code: ms + maláj + + + + Malayalam + Language code: ml + malajálam + + + + Maltese + Language code: mt + máltai + + + + Mam + Language code: mam + maláj + + + + Maori + Language code: mi + maori + + + + Maori + Language code: mri + maori + + + + Marathi + Language code: mr + maráthi + + + + Moldavian + Language code: mo + moldvai + + + + Mongolian + Language code: mn + mongol + + + + Nahuatl + Language code: nah + navatl + + + + Nauru + Language code: na + nauru + + + + Nepali + Language code: ne + nepáli + + + + Norwegian + Language code: no + norvég + + + + Occitan + Language code: oc + okcitán + + + + Oriya + Language code: or + orija + + + + Pashto, Pushto + Language code: ps + pastu + + + + Persian + Language code: fa + perzsa + + + + Plautdietsch + Language code: pdt + plautdietsch + + + + Polish + Language code: pl + lengyel + + + + Portuguese + Language code: pt + portugál + + + + Punjabi + Language code: pa + pandzsábi + + + + Quechua + Language code: qu + kecsua + + + + Rhaeto-Romance + Language code: rm + romans + + + + Romanian + Language code: ro + román + + + + Russian + Language code: ru + orosz + + + + Samoan + Language code: sm + szamoai + + + + Sangro + Language code: sg + szangó + + + + Sanskrit + Language code: sa + szankszrit + + + + Scots Gaelic + Language code: gd + skót gael + + + + Serbian + Language code: sr + szerb + + + + Serbo-Croatian + Language code: sh + horvát + + + + Sesotho + Language code: st + szotó + + + + Setswana + Language code: tn + csvana + + + + Shona + Language code: sn + sona + + + + Sindhi + Language code: sd + szindhi + + + + Singhalese + Language code: si + szingaléz + + + + Siswati + Language code: ss + szvázi + + + + Slovak + Language code: sk + szlovák + + + + Slovenian + Language code: sl + szlovén + + + + Somali + Language code: so + szomáli + + + + Spanish + Language code: es + spanyol + + + + Sudanese + Language code: su + szandanéz + + + + Swahili + Language code: sw + szuahéli + + + + Swedish + Language code: sv + svéd + + + + Tagalog + Language code: tl + tagalog + + + + Tajik + Language code: tg + tádzsik + + + + Tamil + Language code: ta + tamil + + + + Tatar + Language code: tt + tatár + + + + Tegulu + Language code: te + telugu + + + + Thai + Language code: th + thai + + + + Tibetan + Language code: bo + tibeti + + + + Tigrinya + Language code: ti + tigrinya + + + + Tonga + Language code: to + tonga + + + + Tsonga + Language code: ts + conga + + + + Turkish + Language code: tr + török + + + + Turkmen + Language code: tk + türkmen + + + + Twi + Language code: tw + tvi + + + + Uigur + Language code: ug + ujgur + + + + Ukrainian + Language code: uk + ukrán + + + + Urdu + Language code: ur + urdu + + + + Uspanteco + Language code: usp + eszperantó + + + + Uzbek + Language code: uz + üzbég + + + + Vietnamese + Language code: vi + vietnami + + + + Volapuk + Language code: vo + volapük + + + + Welch + Language code: cy + walesi + + + + Wolof + Language code: wo + wolof + + + + Xhosa + Language code: xh + xhosza + + + + Yiddish (former ji) + Language code: yi + jiddis (azelőtt: ji) + + + + Yoruba + Language code: yo + joruba + + + + Zhuang + Language code: za + zsuang + + + + Zulu + Language code: zu + zulu + \ No newline at end of file diff --git a/resources/i18n/id.ts b/resources/i18n/id.ts index 48c6983cb..ae360408a 100644 --- a/resources/i18n/id.ts +++ b/resources/i18n/id.ts @@ -120,32 +120,27 @@ Silakan masukkan teks sebelum memilih Baru. AlertsPlugin.AlertsTab - + Font Fon - + Font name: Nama fon: - + Font color: Warna fon: - - Background color: - Warna latar: - - - + Font size: Ukuran fon: - + Alert timeout: Batas-waktu peringatan: @@ -153,88 +148,78 @@ 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. - Genesis @@ -739,161 +724,116 @@ Silakan masukkan teks sebelum memilih Baru. Alkitab sudah ada. Silakan impor Alkitab lain atau hapus dahulu yang sudah ada. - - You need to specify a book name for "%s". - Anda harus menentukan suatu nama kitab untuk "%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. - Nama kitab "%s" tidak benar. -Nomor hanya dapat digunakan di awal dan harus -diikuti oleh satu atau lebih karakter non-numerik. - - - + Duplicate Book Name Duplikasi Nama Kitab - - The Book Name "%s" has been entered more than once. - Nama kitab "%s" dimasukkan lebih dari sekali. + + You need to specify a book name for "{text}". + Anda harus menentukan suatu nama kitab untuk "{text}". + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Nama kitab "{name}" salah. +Angka hanya dapat digunakan di awal dan harus +diikuti satu atau lebih karakter non-numerik. + + + + The Book Name "{name}" has been entered more than once. + Nama kitab "{name}" telah dimasukkan lebih dari satu kali. BiblesPlugin.BibleManager - + Scripture Reference Error Kesalahan Referensi Alkitab - - Web Bible cannot be used - Alkitab Web tidak dapat digunakan + + Web Bible cannot be used in Text Search + Alkitab Web tidak dapat digunakan dalam Pencarian Teks - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Referensi Alkitab tidak ada dukungan oleh OpenLP atau tidak valid. Pastikan referensi Anda sesuai dengan salah satu pola berikut atau lihat panduan: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Bab -Bab%(range)sBab -Bab%(verse)sAyat%(range)sAyat -Bab%(verse)sAyat%(range)sAyat%(list)sAyat%(range)sAyat -Bab%(verse)sAyat%(range)sAyat%(list)sBab%(verse)sAyat%(range)sAyat -Bab%(verse)sAyat%(range)sBab%(verse)sAyat +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Pencarian Teks tidak tersedia bersama Alkitab Web. +Silakan gunakan Pencarian Referensi Firman saja + +Ini berarti bahwa Alkitab yang sedang digunakan +atau Alkitab Kedua ter-install sebagai Alkitab Web. + +Jika Anda tadinya mencoba melakukan pencarian Referensi +Dalam Pencarian Kombinasi, maka referensi anda tidak valid. + + + + Nothing found + Tidak tidetemukan BiblesPlugin.BiblesTab - + Verse Display Tampilan Ayat - + Only show new chapter numbers Hanya tampilkan nomor bab baru - + Bible theme: Tema Alkitab: - + No Brackets Tanpa Tanda Kurung - + ( And ) ( Dan ) - + { And } { Dan } - + [ And ] [ Dan ] - - Note: -Changes do not affect verses already in the service. - Catatan: -Perubahan tidak mempengaruhi ayat yang sudah ada di Layanan. - - - + Display second Bible verses Tampilkan ayat Alkitab kedua (beda versi) - + Custom Scripture References Referensi Alkitab Kustom - - Verse Separator: - Pemisah Ayat: - - - - Range Separator: - Pemisah Kisaran: - - - - List Separator: - Pemisah Daftar: - - - - End Mark: - Tanda Akhir: - - - + 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. @@ -902,37 +842,84 @@ Semuanya harus dipisahkan oleh sebuah palang vertikal "|". Silakan bersihkan baris penyuntingan ini untuk menggunakan nilai bawaan. - + English Bahasa Inggris - + Default Bible Language Bahasa Alkitab Bawaan - + Book name language in search field, search results and on display: Bahasa Kitab di bidang penelusuran, hasil penelusuran, dan tampilan: - + Bible Language Bahasa Alkitab - + Application Language Bahasa Aplikasi - + Show verse numbers Tampilkan nomor ayat + + + Note: Changes do not affect verses in the Service + Catatan: Perubahan tidak mempengaruhi ayat-ayat dalam Kebaktian + + + + Verse separator: + Pemisah ayat: + + + + Range separator: + Pemisah jarak: + + + + List separator: + Pemisah daftar: + + + + End mark: + Tanda akhir: + + + + Quick Search Settings + Pengaturan Pencarian Cepat + + + + Reset search type to "Text or Scripture Reference" on startup + Me-reset tipe pencarian ke "Referensi Teks atau Firman" pada startup + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Jangan tampilkan error jika tak ada yang ditemukan dalam "Referensi Teks atau Firman" + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Cari otomatis selagi diketik (Pencarian teks harus mengandung +minimal {count} karakter dan sebuah spasi unutk alasan performa) + BiblesPlugin.BookNameDialog @@ -988,70 +975,76 @@ hasil penelusuran, dan tampilan: BiblesPlugin.CSVBible - - Importing books... %s - Mengimpor kitab... %s - - - + Importing verses... done. Mengimpor ayat... selesai. + + + Importing books... {book} + Mengimpo kitab-kitab... {book} + + + + Importing verses from {book}... + Importing verses from <book name>... + Mengimpor ayat-ayat dari (book)... + BiblesPlugin.EditBibleForm - + Bible Editor Penyunting Alkitab - + License Details Rincian Lisensi - + Version name: Nama versi: - + Copyright: Hak Cipta: - + Permissions: Izin: - + Default Bible Language Bahasa Alkitab Bawaan - + Book name language in search field, search results and on display: Bahasa Kitab di bidang penelusuran, hasil penelusuran, dan tampilan: - + Global Settings Setelan Global - + Bible Language Bahasa Alkitab - + Application Language Bahasa Aplikasi - + English Bahasa Inggris @@ -1071,224 +1064,259 @@ 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. + + + Importing {book}... + Importing <book name>... + Mengimpor {book}... + 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. + + + Bibles: + Alkitab-Alkitab: + + + + SWORD data folder: + Folder data SWORD: + + + + SWORD zip-file: + File zip SWORD: + + + + Defaults to the standard SWORD data folder + Pengaturan awal untuk folder data SWORD + + + + Import from folder + Impor dari folder + + + + Import from Zip-file + Impor dari file Zip + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Unutk mengimpor Alkitab SWORD modul pysword python harus sudah ter-install. Silakan Silakan baca manualnya untuk instruksi. + BiblesPlugin.LanguageDialog @@ -1319,114 +1347,135 @@ Tidak mungkin untuk mengubahsuaikan Nama Kitab. BiblesPlugin.MediaItem - - Quick - Cepat - - - + Find: Temukan: - + Book: Buku Lagu: - + Chapter: Bab: - + Verse: Ayat: - + From: Dari: - + To: Sampai: - + Text Search Penelusuran Teks - + Second: Kedua: - + Scripture Reference Referensi Alkitab - + Toggle to keep or clear the previous results. Simpan atau hapus hasil sebelumnya. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Anda tidak dapat menggabungkan hasil penelusuran ayat dari dua versi Alkitab. Apakah Anda ingin menghapus hasil penelusuran dan mulai penelusuran baru? - + Bible not fully loaded. Alkitab belum termuat seluruhnya. - + Information Informasi - - 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. - Alkitab kedua tidak berisikan seluruh ayat yang ada di Alkitab utama. Hanya ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. Ayat %d belum dimasukkan pada hasil. - - - + Search Scripture Reference... Telusuri Referensi Alkitab... - + Search Text... Telusuri Teks... - - Are you sure you want to completely delete "%s" Bible from OpenLP? - -You will need to re-import this Bible to use it again. - Anda yakin ingin menghapus keseluruhan Alkitab "%s" dari OpenLP? - -Anda harus mengimpor ulang Alkitab ini untuk menggunakannya kembali. + + Search + Penelusuran - - Advanced - Lanjutan + + Select + Pilih + + + + Clear the search results. + Kosongkan hasil pencarian. + + + + Text or Reference + Teks atau Referensi + + + + Text or Reference... + Teks atau Referensi... + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + Anda yakin ingin menghapus Alkitab "{bible}" dari OpenLP? + +Anda harus mengimpor ulang Alkitab ini unutk menggunakannya lagi. + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + Alkitab kedua tidak berisi semua ayat yang ada di Alkitab utama. +Hanya ayat-ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. + +{count:d} ayat tidak ditampilkan dalam hasil. BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Jenis berkas Alkitab tidak benar. Alkitab OpenSong mungkin dikompresi. Anda harus lakukan dekompresi sebelum mengimpor. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. Jenis berkas Alkitab tidak benar. Nampaknya seperti sebuah alkitab XML Zefania, silakan gunakan opsi impor Zefania. @@ -1434,178 +1483,53 @@ Anda harus mengimpor ulang Alkitab ini untuk menggunakannya kembali. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Mengimpor %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + Mengimpor {name} {chapter}... 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... + + + The file is not a valid OSIS-XML file: +{text} + File ini bukan file OSIS-XML yang sah: +{text} + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Pilih Direktori Cadangan + + Importing {name}... + Mengimpor {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Wisaya Pemutakhiran Alkitab - - - - 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. - Wisaya ini akan membantu ada memutakhirkan Alkitab yang tersedia dari OpenLP 2 versi sebelumnya. Klik tombol Selanjutnya untuk memulai proses pemutakhirkan. - - - - Select Backup Directory - Pilih Direktori Cadangan - - - - Please select a backup directory for your Bibles - Silakan pilih direktori cadangan untuk Alkitab Anda - - - - 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>. - Rilis sebelumnya dari OpenLP 2.0 tidak dapat menggunakan Alkitab termutakhirkan. Langkah ini akan membuat pencadangan Alkitab saat ini sehingga Anda tinggal menyalin berkas-berkas ke direktori data OpenLP jika Anda perlu kembali ke rilis sebelumnya dari OpenLP. Silakan lihat <a href="http://wiki.openlp.org/faq">Pertanyaan yang Sering Ditanyakan</a>. - - - - Please select a backup location for your Bibles. - Silakan pilh sebuah lokasi cadangan untuk Alkitab Anda. - - - - Backup Directory: - Direktori Cadangan: - - - - There is no need to backup my Bibles - Tidak perlu membuat pencadangan Alkitab - - - - Select Bibles - Pilih Alkitab - - - - Please select the Bibles to upgrade - Silakan pilih Alkitab untuk dimutakhirkan - - - - Upgrading - Memutakhirkan - - - - Please wait while your Bibles are upgraded. - Silakan tunggu selama Alkitab sedang dimutakhirkan. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Pencadangan tidak berhasil. -Untuk mencadangkan Alkitab Anda perlu izin untuk menulis di direktori terpilih. - - - - Upgrading Bible %s of %s: "%s" -Failed - Memutakhirkan Alkitab %s dari %s: "%s" -Gagal - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Memutakhirkan Alkitab %s dari %s: "%s" -Memutakhirkan ... - - - - Download Error - Kesalahan Unduhan - - - - To upgrade your Web Bibles an Internet connection is required. - Untuk memutakhirkan Alkitab Web, sambungan internet dibutuhkan. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Memutakhirkan Alkitab %s dari %s: "%s" -Memutakhirkan %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Memutakhirkan Alkitab %s dari %s: "%s" -Selesai - - - - , %s failed - , %s gagal - - - - Upgrading Bible(s): %s successful%s - Memutakhirkan (beberapa) Alkitab: %s berhasil%s - - - - Upgrade failed. - Pemutakhiran gagal. - - - - You need to specify a backup directory for your Bibles. - Anda harus menentukan sebuah direktori cadangan untuk Alkitab Anda. - - - - Starting upgrade... - Memulai pemutakhiran... - - - - There are no Bibles that need to be upgraded. - Tidak ada Alkitab yang perlu dimutakhirkan. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Memutakhirkan Alkitab: %(success)d berhasil%(failed_text)s -Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan sambungan internet dibutuhkan. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + Suatu error yang tak terduga telah terjadi selagi mengimpor Alkitab SWORD, silakan laporkan ini ke pengembang OpenLP. +{error} 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. @@ -1613,9 +1537,9 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Mengimpor %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Mengimpor {book} {chapter}... @@ -1730,7 +1654,7 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s Sunting seluruh salindia bersamaan. - + Split a slide into two by inserting a slide splitter. Pisah salindia menjadi dua menggunakan pemisah salindia. @@ -1745,7 +1669,7 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s &Kredit: - + You need to type in a title. Anda harus mengetikkan judul. @@ -1755,12 +1679,12 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s Sunting &Semua - + Insert Slide Sisipkan Salindia - + You need to add at least one slide. Anda harus masukkan setidaknya satu salindia. @@ -1768,7 +1692,7 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s CustomPlugin.EditVerseForm - + Edit Slide Sunting Salindia @@ -1776,9 +1700,9 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Anda yakin ingin menghapus "%d" salindia() kustom terpilih ini? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Anda yakin ingin menghapus slide(-slide) kustom "{items:d}" yang diilih? @@ -1806,11 +1730,6 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s container title Gambar - - - Load a new image. - Muat gambar baru. - Add a new image. @@ -1841,6 +1760,16 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s Add the selected image to the service. Tambahkan gambar terpilih ke Layanan. + + + Add new image(s). + Tambahkan gambar(-gambar) baru. + + + + Add new image(s) + Tambahkan gambar(-gambar) baru. + ImagePlugin.AddGroupForm @@ -1865,12 +1794,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. @@ -1906,7 +1835,7 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s ImagePlugin.ExceptionDialog - + Select Attachment Pilih Lampiran @@ -1914,39 +1843,22 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s ImagePlugin.MediaItem - + Select Image(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. @@ -1956,25 +1868,42 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + Anda yakin ingin menghapus "{name}" dan semua isinya? + + + + The following image(s) no longer exist: {names} + Gambar(-gambar) berikut tidak ada lagi: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + Gambar(-gambar) berikut tidak ada lagit: {names} +Apa Anda ingin tetap menambahkan gambar-gambar selebihnya? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Terjadi masalah dalam mengganti latar, file gambar "{name}" tidak ada lagi. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Latar yang dapat terlihat untuk gambar dengan rasio aspek yang berbeda dengan layar. @@ -1982,27 +1911,27 @@ Anda tetap ingin menambah gambar lain? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Pemutar media ini menggunakan sistem operasi Anda untuk menyediakan berbagai kemampuan media. @@ -2010,60 +1939,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. @@ -2179,47 +2108,47 @@ Anda tetap ingin menambah gambar lain? Pemutar VLC gagal memainkan media - + CD not loaded correctly CD tidak termuat dengan benar - + The CD was not loaded correctly, please re-load and try again. CD tidak termuat dengan benar, silakan muat-ulang dan coba lagi. - + DVD not loaded correctly DVD tidak termuat dengan benar - + The DVD was not loaded correctly, please re-load and try again. DVD tidak termuat dengan benar, silakan muat-ulang dan coba lagi. - + Set name of mediaclip Tentukan nama klip media - + Name of mediaclip: Nama klip media: - + Enter a valid name or cancel Masukkan nama yang valid atau batal - + Invalid character Karakter tidak valid - + The name of the mediaclip must not contain the character ":" Nama klip media tidak dapat berisikan karakter ":" @@ -2227,90 +2156,100 @@ Anda tetap ingin menambah gambar lain? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Tidak Ada Dukungan untuk Berkas - + Use Player: Gunakan Pemutar: - + VLC player required Butuh pemutar VLC - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + File %s tidak dapat dimainkan dengan player %s + + + + Unsupported Media File + File Media Yang Tidak Didukung + + + + CD/DVD playback is only supported if VLC is installed and enabled. + Pemutaran CD/DVD hanya didukunga jika VLC telah ter-install dan diaktifkan. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Terjadi masalah dalam mengganti latar, file media "{name}" tidak ada lagi. + + + + The optical disc {name} is no longer available. + Disk optik {name} tidak lagi tersedia. + + + + The file {name} no longer exists. + File {name} tidak ada lagi. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Video ({video});;Audio ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2321,41 +2260,19 @@ Anda tetap ingin menambah gambar lain? - Start Live items automatically - Mulai butir Tayang secara otomatis - - - - OPenLP.MainWindow - - - &Projector Manager - &Manajer Proyektor + Start new Live media automatically + Mulai media Live baru secara otomatis OpenLP - + Image Files Berkas Gambar - - Information - Informasi - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Format Alkitab sudah diubah. -Anda harus memutakhirkan Alkitab yang sekarang. -Haruskah OpenLP dimutakhirkan sekarang? - - - + Backup Pencadangan @@ -2370,15 +2287,20 @@ Haruskah OpenLP dimutakhirkan sekarang? Pencadangan folder data gagal! - - A backup of the data folder has been created at %s - Sebuah cadangan folder data telah dibuat di %s - - - + Open Buka + + + A backup of the data folder has been createdat {text} + Sebuah backup dari folder data telah dibuat pada {text} + + + + Video Files + File-file Video + OpenLP.AboutForm @@ -2388,15 +2310,10 @@ Haruskah OpenLP dimutakhirkan sekarang? Kredit - + License Lisensi - - - build %s - buatan %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. @@ -2425,7 +2342,7 @@ Ketahui lebih lanjut tentang OpenLP: http://openlp.org/ OpenLP dibuat dan dikelola oleh sukarelawan. Jika Anda ingin menyaksikan lebih banyak perangkat lunak Kristiani yang dibuat dengan gratis, silakan pertimbangkan untuk menjadi sukarelawan dengan menggunakan tombol di bawah ini. - + Volunteer Sukarelawan @@ -2618,333 +2535,239 @@ OpenLP dibuat dan dikelola oleh sukarelawan. Jika Anda ingin menyaksikan lebih b gratis karena Dia telah membebaskan kita. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Hak cipta © 2004-2016 %s -Bagian hak cipta © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + Copyright (C) 2004-2016 {cr} + +Bagian-bagian copyright (C) 2004-2016 {others} + + + + build {version} + versi {version} OpenLP.AdvancedTab - + UI Settings Setelan Antarmuka - - - Number of recent files to display: - Jumlah berkas terbaru untuk ditampilkan: - - Remember active media manager tab on startup - Ingat tab Manajer Media yang aktif saat memulai OpenLP - - - - Double-click to send items straight to live - Klik-ganda untuk langsung menayangkan butir - - - Expand new service items on creation Kembangkan butir Layanan baru saat dibuat - + Enable application exit confirmation Gunakan konfirmasi aplikasi keluar - + Mouse Cursor Kursor Tetikus - + Hide mouse cursor when over display window Sembunyikan kursor tetikus saat melewati jendela tampilan - - Default Image - Gambar Bawaan - - - - Background color: - Warna latar: - - - - Image file: - Berkas gambar: - - - + Open File Membuka Berkas - + Advanced Lanjutan - - - Preview items when clicked in Media Manager - Pratinjau butir saat diklik pada Manajer Media - - Browse for an image file to display. - Menelusuri sebuah berkas gambar untuk ditampilkan. - - - - Revert to the default OpenLP logo. - Kembalikan ke logo OpenLP bawaan. - - - Default Service Name Nama Layanan Bawaan - + Enable default service name Gunakan nama Layanan bawaan - + Date and Time: Tanggal dan Waktu: - + Monday Senin - + Tuesday Selasa - + Wednesday Rabu - + Friday Jumat - + Saturday Sabtu - + Sunday Minggu - + Now Sekarang - + Time when usual service starts. Saat Layanan biasa dimulai. - + Name: Nama: - + Consult the OpenLP manual for usage. Lihat panduan OpenLP untuk penggunaan. - - Revert to the default service name "%s". - Kembalikan ke nama Layanan bawaan "%s". - - - + Example: Contoh: - + Bypass X11 Window Manager Abaikan Window Manager X11 - + Syntax error. Kesalahan sintaks. - + Data Location Lokasi Data - + Current path: Jalur saat ini: - + Custom path: Jalur kustom: - + Browse for new data file location. Telusuri lokasi berkas data baru. - + Set the data location to the default. Setel lokasi data menjadi bawaan. - + Cancel Batal - + Cancel OpenLP data directory location change. Batalkan perubahan lokasi direktori data OpenLP - + Copy data to new location. Salin data ke lokasi baru. - + Copy the OpenLP data files to the new location. Salin berkas data OpenLP ke lokasi baru. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>PERINGATAN:</strong> Lokasi direktori data baru berisi berkas data OpenLP. Berkas ini AKAN digantikan saat penyalinan. - + Data Directory Error Kesalahan Direktori Data - + Select Data Directory Location Pilih Lokasi Direktori Data - + Confirm Data Directory Change Konfirmasi Perubahan Direktori Data - + Reset Data Directory Setel-Ulang Direktori Data - + Overwrite Existing Data Tulis-Timpa Data yang Ada - - 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. - Direktori data OpenLP tidak ditemukan - -%s - -Direktori data ini telah berubah dari lokasi bawaan OpenLP. Jika lokasi baru ada pada media yang dapat dipindahkan, media tersebut harus siap digunakan. - -Klik "Tidak" untuk stop pemuatan OpenLP, sehinga Anda dapat memperbaiki masalah. - -Klik "Ya" untuk setel-ulang direktori data ke lokasi bawaan. - - - - 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. - Anda yakin ingin mengubah lokasi direktori data OpenLP ke: - -%s - -Direktori data akan diubah setelah OpenLP ditutup. - - - + Thursday Kamis - + Display Workarounds Tampilkan Solusi - + Use alternating row colours in lists Gunakan warna baris dalam daftar secara bergantian - - 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? - PERINGATAN: - -Lokasi yang Anda pilih - -%s - -nampaknya berisi berkas data OpenLP. Anda ingin mengganti berkas tersebut dengan berkas data saat ini? - - - + Restart Required Butuh Dimulai-ulang - + This change will only take effect once OpenLP has been restarted. Perubahan ini hanya akan diterapkan setelah OpenLP dimulai-ulang. - + 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. @@ -2952,11 +2775,157 @@ This location will be used after OpenLP is closed. Lokasi ini akan digunakan setelah OpenLP ditutup. + + + Max height for non-text slides +in slide controller: + Tinggi maksimal untuk slide non-teks +pada pengendali slide: + + + + Disabled + Dimatikan + + + + When changing slides: + Saat berganti slide: + + + + Do not auto-scroll + Jangan auto-scroll + + + + Auto-scroll the previous slide into view + Auto-scroll slide sebelumnya ke bidang pandang + + + + Auto-scroll the previous slide to top + Auto-scroll slide sebelumnya ke paling atas + + + + Auto-scroll the previous slide to middle + Auto-scroll slide sebelumnya ke tengah + + + + + Auto-scroll the current slide into view + Auto-scroll slide ini ke bidang pandang + + + + Auto-scroll the current slide to top + Auto-scroll slide ini ke paling atas + + + + Auto-scroll the current slide to middle + Auto-scroll slide ini ke tengah + + + + Auto-scroll the current slide to bottom + Auto-scroll slide ini ke paling bawah + + + + Auto-scroll the next slide into view + Auto-scroll slide berikut ke bidang pandang + + + + Auto-scroll the next slide to top + Auto-scroll slide berikut ke paling atas + + + + Auto-scroll the next slide to middle + Auto-scroll slide berikut ke tengah + + + + Auto-scroll the next slide to bottom + Auto-scroll slide berikut ke paling bawah + + + + Number of recent service files to display: + Jumlah file Kebaktian terbaru untuk ditampilkan: + + + + Open the last used Library tab on startup + Buka tab Library yang terakhir digunakan pada startup + + + + Double-click to send items straight to Live + Klik-ganda untuk langsung menayangkan butir + + + + Preview items when clicked in Library + Pratinjau butir saat diklik di Perpustakaan + + + + Preview items when clicked in Service + Pratinjau butir saat diklik di Kebaktian + + + + Automatic + Otomatis + + + + Revert to the default service name "{name}". + Kembalikan ke nama Layanan bawaan "{name}". + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klik untuk memilih warna. @@ -2964,252 +2933,252 @@ Lokasi ini akan digunakan setelah OpenLP ditutup. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digital - + Storage Penyimpanan - + Network Jaringan - + 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 Penyimpanan 1 - + Storage 2 Penyimpanan 2 - + Storage 3 Penyimpanan 3 - + Storage 4 Penyimpanan 4 - + Storage 5 Penyimpanan 5 - + Storage 6 Penyimpanan 6 - + Storage 7 Penyimpanan 7 - + Storage 8 Penyimpanan 8 - + Storage 9 Penyimpanan 9 - + Network 1 Jaringan 1 - + Network 2 Jaringan 2 - + Network 3 Jaringan 3 - + Network 4 Jaringan 4 - + Network 5 Jaringan 5 - + Network 6 Jaringan 6 - + Network 7 Jaringan 7 - + Network 8 Jaringan 8 - + Network 9 Jaringan 9 @@ -3217,62 +3186,74 @@ Lokasi ini akan digunakan setelah OpenLP ditutup. OpenLP.ExceptionDialog - + Error Occurred Terjadi Kesalahan - + Send E-Mail Kirim Email - + Save to File Simpan jadi Berkas - + Attach File Lampirkan Berkas - - - Description characters to enter : %s - Deskripsi karakter untuk dimasukkan: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Silakan masukkan deskripsi dari apa yang Anda lakukan sehingga kesalahan ini terjadi. Jika memungkinkan, mohon tuliskan dalam bahasa Inggris. -(Paling sedikit 20 karakter) - - 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. Also attach any files that triggered the problem. - Ups! OpenLP mengalami masalah yang tidak dapat diatasi. Teks di kotak bawah berisikan informasi yang mungkin dapat membantu pengembang OpenLP, jadi silakan kirim via email ke bugs@openlp.org, bersama dengan deskripsi detail apa yang Anda lakukan saat masalah terjadi. Juga lampikan berkas apa pun yang memicu masalah tersebut. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation + OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Simpan Laporan Crash - + Text files (*.txt *.log *.text) Berkas teks (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3313,268 +3294,259 @@ Lokasi ini akan digunakan setelah OpenLP ditutup. 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. - Sambungan internet tidak ditemukan. Wisaya Kali Pertama membutuhkan sambungan internet agar dapat mengunduh contoh lagu, Alkitab, dan tema. Klik tombol Selesai untuk memulai OpenLP dengan setelan awal dan tanpa data contoh. - -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. - - -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 + + + Select parts of the program you wish to use + Pilih bagian program yang ingin Anda gunakan. + + + + You can also change these settings after the Wizard. + Anda juga dapat mengubah pengaturan-pengaturan ini setelah Wizard ini. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Slide Kustom – lebih mudah dikelola dari lagu-lagu dan mereka punya daftar slide-nya sendiri + + + + Bibles – Import and show Bibles + Alkitab - Impor dan tampilkan Alkitab + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + Pantauan Penggunaan Lagu + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + Mengunduh {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3617,44 +3589,49 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error Kesalahan Validasi - + Description is missing Deskripsi hilang - + Tag is missing Label hilang - Tag %s already defined. - Label %s sudah pernah ditetapkan. + Tag {tag} already defined. + Label {tag} telah terdefinisi. - Description %s already defined. - Deskripsi %s sudah pernah ditetapkan. + Description {tag} already defined. + Deskripsi {tag} telah terdefinisi. - - Start tag %s is not valid HTML - Label mulai %s bukanlah HTML yang valid + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Label akhir %(end)s tidak cocok dengan label akhir untuk label mulai %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3743,170 +3720,200 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli OpenLP.GeneralTab - + General Umum - + Monitors Monitor - + Select monitor for output display: Pilih monitor untuk tampilan keluaran: - + Display if a single screen Tampilkan jika layar tunggal - + Application Startup Awal Mulai Aplikasi - + Show blank screen warning Tampilkan peringatan layar kosong - - Automatically open the last service - Buka Layanan terakhir secara otomatis - - - + Show the splash screen Tampilkan layar pembuka - + Application Settings Setelan Aplikasi - + Prompt to save before starting a new service Sarankan untuk menyimpan sebelum memulai Layanan baru - - Automatically preview next item in service - Pratinjau secara otomatis butir selanjutnya pada Layanan - - - + sec dtk - + CCLI Details Rincian CCLI - + SongSelect username: Nama pengguna SongSelect: - + SongSelect password: Kata sandi SongSelect: - + X X - + Y Y - + Height Tinggi - + Width Lebar - + Check for updates to OpenLP Periksa pembaruan untuk OpenLP - - Unblank display when adding new live item - Jangan kosongkan layar saat menambah butir Tayang baru - - - + Timed slide interval: Selang waktu salindia: - + Background Audio Audio Latar - + Start background audio paused Mulai audio latar terjeda - + Service Item Slide Limits Batasan Salindia Butir Layanan - + Override display position: Gantikan posisi tampilan: - + Repeat track list Ulangi daftar lagu - + Behavior of next/previous on the last/first slide: Aturan selanjutnya/sebelumnya dari salindia terakhir/pertama: - + &Remain on Slide &Tetap pada Salindia - + &Wrap around &Pindah ke Salindia selanjutnya/sebelumnya pada butir Layanan yang sama - + &Move to next/previous service item &Pindah ke butir Layanan selanjutnya/sebelumnya + + + Logo + Logo + + + + Logo file: + + + + + Browse for an image file to display. + Menelusuri sebuah berkas gambar untuk ditampilkan. + + + + Revert to the default OpenLP logo. + Kembalikan ke logo OpenLP bawaan. + + + + Don't show logo on startup + Jangan tampilkan logo saat memulai + + + + Automatically open the previous service file + Buka file kebaktian terakhir otomatis + + + + Unblank display when changing slide in Live + Jangan kosongkan layar saat mengganti slide di Tayang + + + + Unblank display when sending items to Live + Jangan kosongkan layar saat mengirim butir ke Tayang + + + + Automatically preview the next item in service + Pratinjau butir berikut dari Layanan otomatis + OpenLP.LanguageManager - + Language Bahasa - + Please restart OpenLP to use your new language setting. Silakan memulai-ulang OpenLP untuk menggunakan setelan bahasa baru. @@ -3914,7 +3921,7 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli OpenLP.MainDisplay - + OpenLP Display Tampilan OpenLP @@ -3941,11 +3948,6 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli &View &Tinjau - - - M&ode - M&ode - &Tools @@ -3966,16 +3968,6 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli &Help &Bantuan - - - Service Manager - Manajer Layanan - - - - Theme Manager - Manajer Tema - Open an existing service. @@ -4001,11 +3993,6 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli E&xit Kelua&r - - - Quit OpenLP - Keluar dari OpenLP - &Theme @@ -4017,191 +4004,67 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli &Mengkonfigurasi OpenLP... - - &Media Manager - &Manajer Media - - - - Toggle Media Manager - Ganti Manajer Media - - - - Toggle the visibility of the media manager. - Ganti visibilitas Manajer Media. - - - - &Theme Manager - &Manajer Tema - - - - Toggle Theme Manager - Ganti Manajer Tema - - - - Toggle the visibility of the theme manager. - Ganti visibilitas Manajer Tema. - - - - &Service Manager - &Manajer Layanan - - - - Toggle Service Manager - Ganti Manajer Layanan - - - - Toggle the visibility of the service manager. - Ganti visibilitas Manajer Layanan. - - - - &Preview Panel - Panel &Pratinjau - - - - Toggle Preview Panel - Ganti Panel Pratinjau - - - - Toggle the visibility of the preview panel. - Ganti visibilitas panel pratinjau. - - - - &Live Panel - &Panel Tayang - - - - Toggle Live Panel - Ganti Panel Tayang - - - - Toggle the visibility of the live panel. - Ganti visibilitas panel Tayang. - - - - List the Plugins - Mendaftarkan Plugin - - - + &User Guide &Tuntunan Pengguna - + &About Tent&ang - - More information about OpenLP - Informasi lebih lanjut tentang OpenLP - - - + &Online Help Bantuan &Daring - + &Web Site Situs &Web - + Use the system language, if available. Gunakan bahasa sistem, jika tersedia. - - Set the interface language to %s - Setel bahasa antarmuka menjadi %s - - - + Add &Tool... Tambahkan &Alat... - + Add an application to the list of tools. Tambahkan sebuah aplikasi ke daftar alat. - - &Default - &Bawaan - - - - Set the view mode back to the default. - Setel mode tinjauan ke bawaan. - - - + &Setup &Persiapan - - Set the view mode to Setup. - Setel mode tinjauan ke Persiapan. - - - + &Live &Tayang - - Set the view mode to Live. - Setel mode tinjauan ke Tayang. - - - - 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 versi %s siap untuk diunduh (Anda saat ini menjalankan versi %s). - -Versi terbaru dapat diunduh dari http://openlp.org/. - - - + OpenLP Version Updated Versi OpenLP Terbarui - + OpenLP Main Display Blanked Tampilan Utama OpenLP Kosong - + The Main Display has been blanked out Tampilan Utama telah dikosongkan - - Default Theme: %s - Tema Bawaan: %s - - - + English Please add the name of your language here Bahasa Inggris @@ -4212,27 +4075,27 @@ Versi terbaru dapat diunduh dari http://openlp.org/. Mengkonfigurasi &Pintasan... - + Open &Data Folder... Buka &Folder Data... - + Open the folder where songs, bibles and other data resides. Buka folder tempat lagu, Alkitab, dan data lain disimpan. - + &Autodetect &Deteksi Otomatis - + Update Theme Images Perbarui Gambar Tema - + Update the preview images for all themes. Perbarui gambar pratinjau untuk semua tema. @@ -4242,32 +4105,22 @@ Versi terbaru dapat diunduh dari http://openlp.org/. Cetak Layanan sekarang. - - L&ock Panels - Kunci Pane&l - - - - Prevent the panels being moved. - Hindari panel untuk dipindahkan. - - - + Re-run First Time Wizard Jalankan lagi Wisaya Kali Pertama - + Re-run the First Time Wizard, importing songs, Bibles and themes. Jalankan lagi Wisaya Kali Pertama, mengimpor lagu, Alkitab, dan tema. - + Re-run First Time Wizard? Jalankan lagi Wisaya Kali Pertama? - + 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. @@ -4276,13 +4129,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. @@ -4291,75 +4144,36 @@ Menjalankan lagi wisaya ini mungkin akan mengubah konfigurasi OpenLP saat ini da Configure &Formatting Tags... Mengkonfigurasi Label Pem&formatan... - - - Export OpenLP settings to a specified *.config file - Ekspor setelan OpenLP ke sebuah berkas *.config - Settings Setelan - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Impor setelan OpenLP dari sebuah berkas *.config yang telah diekspor dari komputer ini atau komputer lain - - - + Import settings? Impor setelan? - - Open File - Membuka Berkas - - - - OpenLP Export Settings Files (*.conf) - Berkas Ekspor Setelan OpenLP (*.conf) - - - + Import settings Impor setelan - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP sekarang akan ditutup. Setelan yang di-impor akan diterapkan saat berikutnya Anda memulai OpenLP. - + Export Settings File Ekspor Berkas Setelan - - OpenLP Export Settings File (*.conf) - 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 - Penyalinan direktori data OpenLP gagal - -%s - General @@ -4371,12 +4185,12 @@ Menjalankan lagi wisaya ini mungkin akan mengubah konfigurasi OpenLP saat ini da Pustaka - + Jump to the search box of the current active plugin. Pindah ke kotak pencarian plugin yang aktif saat ini. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4389,7 +4203,7 @@ Menjalankan lagi wisaya ini mungkin akan mengubah konfigurasi OpenLP saat ini da Mengimpor setelan yang salah dapat menyebabkan perilaku tak menentu atau OpenLP berakhir secara tidak wajar. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4398,35 +4212,10 @@ Processing has terminated and no changes have been made. Proses telah dihentikan dan tidak ada perubahan yang telah dibuat. - - Projector Manager - Manajer Proyektor - - - - Toggle Projector Manager - Ganti Manajer Proyektor - - - - Toggle the visibility of the Projector Manager - Ganti visibilitas Manajer Proyektor - - - + Export setting error Kesalahan setelan ekspor - - - 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 - &Recent Services @@ -4458,131 +4247,340 @@ Proses telah dihentikan dan tidak ada perubahan yang telah dibuat. &Kelola Plugin - + Exit OpenLP Keluar dari OpenLP - + Are you sure you want to exit OpenLP? Anda yakin ingin keluar dari OpenLP? - + &Exit OpenLP &Keluar dari OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Layanan + + + + Themes + Tema + + + + Projectors + Proyektor-proyektor + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 - Basis-data yang sedang dimuat dibuat dalam versi OpenLP yang lebih baru. Basis-data adalah versi %d, sedangkan OpenLP membutuhkan versi %d. Basis-data tidak akan dimuat. - -Basis-Data : %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP tidak dapat memuat basis-data Anda. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Basis-Data : %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Tidak Ada Satupun Butir Terpilih - + &Add to selected Service Item &Tambahkan ke Butir Layanan terpilih - + You must select one or more items to preview. Anda harus memilih satu atau beberapa butir untuk dipratinjau. - + You must select one or more items to send live. Anda harus memilih satu atau beberapa butir untuk ditayangkan. - + You must select one or more items. Anda harus memilih satu atau beberapa butir. - + You must select an existing service item to add to. Anda harus memilih sebuah Butir Layanan yang ada untuk ditambahkan. - + Invalid Service Item Butir Layanan Tidak Valid - - You must select a %s service item. - Anda harus memilih sebuah butir Layanan %s. - - - + You must select one or more items to add. Anda harus memilih satu atau lebih butir untuk menambahkan. - + No Search Results Tidak Ada Hasil Penelusuran - + Invalid File Type Jenis Berkas Tidak Valid - - Invalid File %s. -Suffix not supported - Berkas Tidak Valid %s. -Tidak ada dukungan untuk akhiran ini - - - + &Clone &Kloning - + Duplicate files were found on import and were ignored. Berkas duplikat ditemukan saat impor dan diabaikan. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Label <lyrics> hilang. - + <verse> tag is missing. Label <verse> hilang. @@ -4590,22 +4588,22 @@ Tidak ada dukungan untuk akhiran ini OpenLP.PJLink1 - + Unknown status Status tak diketahui - + No message Tak ada pesan - + Error while sending data to projector Terjadi kesalahan saat mengirim data ke proyektor - + Undefined command: Perintah tak dapat didefinisikan: @@ -4613,32 +4611,32 @@ Tidak ada dukungan untuk akhiran ini OpenLP.PlayerTab - + Players Pemutar - + Available Media Players Pemutar Media yang Tersedia - + Player Search Order Susunan Penelusuran Pemutar - + Visible background for videos with aspect ratio different to screen. Latar yang dapat terlihat untuk video dengan rasio aspek yang berbeda dengan layar. - + %s (unavailable) %s (tidak tersedia) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" Catatan: Untuk menggunakan VLC, Anda harus memasang versi %s @@ -4647,55 +4645,50 @@ Tidak ada dukungan untuk akhiran ini OpenLP.PluginForm - + Plugin Details Rincian Plugin - + Status: Status: - + Active Aktif - - Inactive - Nonaktif - - - - %s (Inactive) - %s (Nonaktif) - - - - %s (Active) - %s (Aktif) + + Manage Plugins + Kelola Plugin - %s (Disabled) - %s (Dinonaktifkan) + {name} (Disabled) + - - Manage Plugins - Kelola Plugin + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Pas dengan Halaman - + Fit Width Pas dengan Lebar @@ -4703,77 +4696,77 @@ Tidak ada dukungan untuk akhiran ini OpenLP.PrintServiceForm - + Options Opsi - + Copy Salin - + Copy as HTML Salin sebagai HTML - + Zoom In Perbesar - + Zoom Out Perkecil - + Zoom Original Kembalikan Ukuran - + Other Options Opsi Lain - + Include slide text if available Sertakan teks salindia jika tersedia - + Include service item notes Masukkan catatan butir Layanan - + Include play length of media items Masukkan durasi permainan butir media - + Add page break before each text item Tambahkan pemisah sebelum tiap butir teks - + Service Sheet Lembar Layanan - + Print Cetak - + Title: Judul - + Custom Footer Text: Teks Catatan Kaki Kustom: @@ -4781,257 +4774,257 @@ Tidak ada dukungan untuk akhiran ini OpenLP.ProjectorConstants - + OK OK - + General projector error Kesalahan proyektor secara umum - + Not connected error Kesalahan tidak tersambung - + Lamp error Kesalahan lampu - + Fan error Kesalahan kipas - + High temperature detected Suhu tinggi terdeteksi - + Cover open detected Penutup yang terbuka terdeteksi - + Check filter Periksa filter - + Authentication Error Kesalahan Otentikasi - + Undefined Command Perintah Tak Dapat Didefinisikan - + Invalid Parameter Parameter Tidak Valid - + Projector Busy Proyektor Sibuk - + Projector/Display Error Kesalahan Proyektor/Penayang - + Invalid packet received Paket yang tidak valid diterima - + Warning condition detected Kondisi yang perlu diperhatikan terdeteksi - + Error condition detected Kondisi kesalahan terdeteksi - + PJLink class not supported Tidak ada dukungan untuk class PJLink - + Invalid prefix character Awalan karakter tidak valid - + The connection was refused by the peer (or timed out) Sambungan ditolak oleh peer (atau melampaui batas waktu) - + The remote host closed the connection Host remote telah menutup sambungan - + The host address was not found Alamat host tidak ditemukan - + The socket operation failed because the application lacked the required privileges Pengoperasian socket gagal karena aplikasi tidak memiliki hak khusus yang dibutuhkan - + The local system ran out of resources (e.g., too many sockets) Sistem lokal telah kehabisan sumber daya (mis. terlalu banyak socket) - + The socket operation timed out Pengoperasian socket telah melampaui batas waktu - + The datagram was larger than the operating system's limit Datagram lebih besar dari batas yang dimiliki sistem operasi - + An error occurred with the network (Possibly someone pulled the plug?) Terjadi kesalahan pada jaringan (Mungkin seseorang mencabut sambungannya?) - + The address specified with socket.bind() is already in use and was set to be exclusive Alamat yang ditentukan dengan socket.bind() sedang digunakan dan telah disetel eksklusif - + The address specified to socket.bind() does not belong to the host Alamat yang ditentukan dengan socket.bind() bukanlah milik host - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) Pengoperasian socket yang diminta tidak didukung oleh sistem operasi lokal (mis. tiada dukungan IPv6) - + The socket is using a proxy, and the proxy requires authentication Socket tersebut menggunakan sebuah proxy yang membutuhkan otentikasi - + The SSL/TLS handshake failed Proses negosiasi SSL/TLS gagal - + The last operation attempted has not finished yet (still in progress in the background) Pengoperasian terakhir masih diupayakan dan belum selesai (masih berlangsung di latar sistem) - + Could not contact the proxy server because the connection to that server was denied Tidak dapat menghubungi server proxy karena sambungan ke server tersebut ditolak - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) Sambungan ke server proxy ditutup secara tak terduga (sebelum sambungan ke peer akhir terjadi) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Sambungan ke server proxy telah melampaui batas waktu atau server proxy berhenti merespon saat tahapan otentikasi. - + The proxy address set with setProxy() was not found Alamat proxy yang telah ditentukan dengan setProxy() tidak ditemukan - + An unidentified error occurred Terjadi suatu kesalahan yang tak teridentifikasi - + Not connected Tidak tersambung - + Connecting Menyambungkan - + Connected Tersambung - + Getting status Mendapatkan status - + Off Padam - + Initialize in progress Inisialisasi sedang berlangsung - + Power in standby Daya sedang siaga - + Warmup in progress Pemanasan sedang berlangsung - + Power is on Daya sedang hidup - + Cooldown in progress Pendinginan sedang berlangsung - + Projector Information available Informasi Proyektor tersedia - + Sending data Mengirim data - + 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 @@ -5039,17 +5032,17 @@ Tidak ada dukungan untuk akhiran ini OpenLP.ProjectorEdit - + Name Not Set Nama Belum Ditetapkan - + You must enter a name for this entry.<br />Please enter a new name for this entry. Anda harus masukkan sebuah nama untuk entri ini.<br />Silakan masukkan sebuah nama untuk entri ini. - + Duplicate Name Duplikasi Nama @@ -5057,52 +5050,52 @@ Tidak ada dukungan untuk akhiran ini OpenLP.ProjectorEditForm - + Add New Projector Tambahkan Proyektor Baru - + Edit Projector Sunting Proyektor - + IP Address Alamat IP - + Port Number Nomor Port - + PIN PIN - + Name Nama - + Location Lokasi - + Notes Catatan - + Database Error Kesalahan Basis-Data - + There was an error saving projector information. See the log for the error Terjadi kesalahan saat menyimpan informasi proyektor. Lihatlah log untuk kesalahan tersebut @@ -5110,305 +5103,360 @@ Tidak ada dukungan untuk akhiran ini OpenLP.ProjectorManager - + Add Projector Tambahkan Proyektor - - Add a new projector - Tambahkan sebuah proyektor baru - - - + Edit Projector Sunting Proyektor - - Edit selected projector - Sunting proyektor terpilih - - - + Delete Projector Hapus Proyektor - - Delete selected projector - Hapus proyektor terpilih - - - + Select Input Source Pilih Sumber Masukan - - Choose input source on selected projector - Pilih sumber masukan pada proyektor terpilih - - - + View Projector Tinjau Proyektor - - View selected projector information - Tinjau informasi proyektor terpilih - - - - Connect to selected projector - Sambungkan ke proyektor terpilih - - - + Connect to selected projectors Sambungkan ke proyektor-proyektor terpilih - + Disconnect from selected projectors Putus sambungan dari proyektor-proyektor terpilih - + Disconnect from selected projector Putus sambungan dari proyektor terpilih - + Power on selected projector Hidupkan proyektor terpilih - + Standby selected projector Siagakan proyektor terpilih - - Put selected projector in standby - Siagakan proyektor terpilih - - - + Blank selected projector screen Kosongkan layar proyektor terplih - + Show selected projector screen Tampilkan layar proyektor terpilih - + &View Projector Information &Tinjau Informasi Proyektor - + &Edit Projector &Sunting Proyektor - + &Connect Projector &Sambungkan Proyektor - + D&isconnect Projector &Putus-sambungan Proyektor - + Power &On Projector Hidupkan &Proyektor - + Power O&ff Projector Padamkan &Proyektor - + Select &Input Pilih &Masukan - + Edit Input Source Sunting Sumber Masukan - + &Blank Projector Screen &Kosongkan Layar Proyektor - + &Show Projector Screen &Tampilkan Layar Proyektor - + &Delete Projector &Hapus Proyektor - + Name Nama - + IP IP - + Port Port - + Notes Catatan - + Projector information not available at this time. Informasi proyektor saat ini tidak tersedia. - + Projector Name Nama Proyektor - + Manufacturer Pembuat - + Model Model - + Other info Info lainnya - + Power status Status daya - + Shutter is Posisi shutter: - + Closed Tutup - + Current source input is Sumber masukan saat ini adalah - + Lamp Lampu - - On - Hidup - - - - Off - Padam - - - + Hours Hitungan jam - + No current errors or warnings Tidak ada kesalahan atau peringatan pada saat ini - + Current errors/warnings Kesalahan/peringatan saat ini - + Projector Information Informasi Proyektor - + No message Tak ada pesan - + Not Implemented Yet Belum Diimplementasikan - - Delete projector (%s) %s? - Hapus proyektor (%s) %s? - - - + Are you sure you want to delete this projector? Anda yakin ingin menghapus proyektor ini? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Kesalahan Otentikasi + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Kipas - + Lamp Lampu - + Temperature Suhu - + Cover Penutup - + Filter Filter - + Other Lainnya @@ -5454,17 +5502,17 @@ Tidak ada dukungan untuk akhiran ini OpenLP.ProjectorWizard - + Duplicate IP Address Duplikasi Alamat IP - + Invalid IP Address Alamat IP Tidak Valid - + Invalid Port Number Nomor Port Tidak Valid @@ -5477,27 +5525,27 @@ Tidak ada dukungan untuk akhiran ini Layar - + primary Utama OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Mulai</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Durasi</strong>: %s - - [slide %d] - [salindia %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5561,52 +5609,52 @@ Tidak ada dukungan untuk akhiran ini Hapus butir terpilih dari Layanan. - + &Add New Item &Tambahkan Butir Baru - + &Add to Selected Item &Tambahkan ke Butir Terpilih - + &Edit Item &Sunting Butir - + &Reorder Item &Susun-Ulang Butir - + &Notes &Catatan - + &Change Item Theme &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 @@ -5631,7 +5679,7 @@ Tidak ada dukungan untuk akhiran ini Kempiskan seluruh butir Layanan. - + Open File Membuka Berkas @@ -5661,22 +5709,22 @@ Tidak ada dukungan untuk akhiran ini Tayangkan butir terpilih. - + &Start Time &Waktu Mulai - + Show &Preview Tampilkan &Pratinjau - + Modified Service Layanan Termodifikasi - + The current service has been modified. Would you like to save this service? Layanan sekarang telah termodifikasi. Ingin menyimpan Layanan ini? @@ -5696,27 +5744,27 @@ Tidak ada dukungan untuk akhiran ini Waktu permainan: - + Untitled Service 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 @@ -5736,147 +5784,145 @@ 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. - + Service File(s) Missing (Beberapa) Berkas Layanan Hilang - + &Rename... &Namai-ulang... - + Create New &Custom Slide Buat Salindia &Kustom Baru - + &Auto play slides &Mainkan otomatis salindia - + Auto play slides &Loop Mainkan otomatis salindia &Berulang - + Auto play slides &Once Mainkan otomatis salindia &Sekali - + &Delay between slides &Penundaan antar salindia - + OpenLP Service Files (*.osz *.oszl) 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 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 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 + + The following file(s) in the service are missing: {name} 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. + + + + + An error occurred while writing the service file: {error} + @@ -5908,15 +5954,10 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. Pintasan - + Duplicate Shortcut Duplikasi Pintasan - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Pintasan "%s" sudah diterapkan untuk aksi lain, silakan gunakan Pintasan yang berbeda. - Alternate @@ -5962,219 +6003,234 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. Configure Shortcuts Mengkonfigurasi Pintasan + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Sembunyikan - + Go To Tuju Ke - + Blank Screen Layar Kosong - + Blank to Theme Kosongkan jadi Tema - + Show Desktop Tampilkan Desktop - + Previous Service Layanan Sebelumnya - + Next Service Layanan Selanjutnya - + Escape Item Butir Keluar - + Move to previous. Pindah ke sebelumnya. - + Move to next. Pindah ke selanjutnya. - + Play Slides Mainkan Salindia - + Delay between slides in seconds. Penundaan antar salindia dalam hitungan detik. - + Move to live. Pindah ke Tayang. - + Add to Service. Tambahkan ke Layanan. - + Edit and reload song preview. Sunting dan muat-ulang pratinjau lagu. - + Start playing media. Mulai mainkan media. - + Pause audio. Sela audio. - + Pause playing media. Sela media yang sedang dimainkan. - + Stop playing media. Stop media yang sedang dimainkan. - + Video position. Posisi video. - + Audio Volume. Volume Audio. - + Go to "Verse" Tuju ke "Bait" - + Go to "Chorus" Tuju ke "Refrain" - + Go to "Bridge" Tuju ke "Bridge" - + Go to "Pre-Chorus" Tuju ke "Pra-Refrain" - + Go to "Intro" Tuju ke "Intro" - + Go to "Ending" Tuju ke "Ending" - + Go to "Other" Tuju ke "Lainnya" - + Previous Slide Salindia Sebelumnya - + Next Slide Salindia Selanjutnya - + Pause Audio Sela Audio - + Background Audio Audio Latar - + Go to next audio track. Tuju ke trek audio selanjutnya. - + Tracks Trek + + + Loop playing media. + + + + + Video timer. + + OpenLP.SourceSelectForm - + Select Projector Source Pilih Sumber Proyektor - + Edit Projector Source Text Sunting Teks Sumber Proyektor - + Ignoring current changes and return to OpenLP Abaikan perubahan saat ini dan kembali ke OpenLP - + Delete all user-defined text and revert to PJLink default text Hapus semua teks yang-ditetapkan-pengguna dan kembalikan ke teks bawaan PJLink - + Discard changes and reset to previous user-defined text Batalkan perubahan dan setel-ulang ke teks yang-ditetapkan-pengguna sebelumnya - + Save changes and return to OpenLP 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 source input text for this projector? Anda yakin ingin menghapus SEMUA teks sumber masukan yang-ditetapkan-pengguna untuk proyektor ini? @@ -6182,17 +6238,17 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. OpenLP.SpellTextEdit - + Spelling Suggestions Saran Ejaan - + Formatting Tags Label Pemformatan - + Language: Bahasa: @@ -6271,7 +6327,7 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. OpenLP.ThemeForm - + (approximately %d lines per slide) (sekitar %d baris per salindia) @@ -6279,523 +6335,531 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. OpenLP.ThemeManager - + Create a new theme. Buat suatu tema baru. - + Edit Theme Sunting Tema - + Edit a theme. Sunting suatu tema. - + Delete Theme Hapus Tema - + Delete a theme. Hapus suatu tema. - + Import Theme Impor Tema - + Import a theme. Impor suatu tema. - + Export Theme Ekspor Tema - + Export a theme. Ekspor suatu tema. - + &Edit Theme &Sunting Tema - + &Delete Theme &Hapus Tema - + Set As &Global Default Setel Sebagai &Bawaan Global - - %s (default) - %s (bawaan) - - - + You must select a theme to edit. Anda harus memilih suatu tema untuk disunting. - + You are unable to delete the default theme. Anda tidak dapat menghapus tema bawaan. - + 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 - + Select Theme Import File Pilih Berkas Tema Untuk Diimpor - + File is not a valid theme. Berkas bukan suatu tema yang valid. - + &Copy Theme &Salin Tema - + &Rename Theme &Namai-ulang Berkas - + &Export Theme &Ekspor Tema - + You must select a theme to rename. Anda harus memilih suatu tema untuk dinamai-ulang. - + Rename Confirmation Konfirmasi Penamaan-ulang - + Rename %s theme? Namai-ulang tema %s? - + You must select a theme to delete. Anda harus memilih suatu tema untuk dihapus. - + Delete Confirmation Konfirmasi Penghapusan - + Delete %s theme? Hapus tema %s? - + Validation Error Kesalahan Validasi - + A theme with this name already exists. Suatu tema dengan nama ini sudah ada. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s kali oleh %s - - - + Unable to delete theme Tidak dapat menghapus tema + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Tema yang digunakan sekarang - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Wisaya Tema - + Welcome to the Theme Wizard Selamat Datang di Wisaya Tema - + Set Up Background Siapkan Latar - + Set up your theme's background according to the parameters below. Siapkan latar tema Anda berdasarkan parameter di bawah ini. - + Background type: Jenis latar: - + Gradient Gradien - + Gradient: Gradien: - + Horizontal Horisontal - + Vertical Vertikal - + Circular Sirkular - + Top Left - Bottom Right Kiri Atas - Kanan Bawah - + Bottom Left - Top Right Kiri Bawah - Kanan Atas - + Main Area Font Details Rincian Fon di Area Utama - + Define the font and display characteristics for the Display text Tetapkan karakteristik fon dan tampilan untuk teks Tampilan - + Font: Fon: - + Size: Ukuran: - + Line Spacing: Jarak antar Baris: - + &Outline: &Garis Besar: - + &Shadow: &Bayangan: - + Bold Tebal - + Italic Miring - + Footer Area Font Details Rincian Fon di Catatan Kaki - + Define the font and display characteristics for the Footer text Tetapkan karakteristik fon dan tampilan untuk teks Catatan Kaki - + Text Formatting Details Rincian Pemformatan Teks - + Allows additional display formatting information to be defined Izinkan informasi dari format tampilan tambahan untuk ditetapkan - + Horizontal Align: Sejajarkan Horisontal: - + Left Kiri - + Right Kanan - + Center Tengah - + Output Area Locations Lokasi Area Keluaran - + &Main Area &Area Utama - + &Use default location &Gunakan lokasi bawaan - + X position: Posisi X: - + px pks - + Y position: Posisi Y: - + Width: Lebar: - + Height: Tinggi: - + Use default location Gunakan lokasi bawaan - + Theme name: Nama tema: - - Edit Theme - %s - Sunting Tema - %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. Wisaya ini akan membantu Anda untuk membuat dan menyunting tema Anda. Klik tombol Selanjutnya di bawah ini untuk memulai proses dengan menyiapkan latar Anda. - + Transitions: Transisi: - + &Footer Area &Area Catatan Kaki - + Starting color: Warna mulai: - + Ending color: Warna akhir: - + Background color: Warna latar: - + Justify Justifikasi - + Layout Preview Pratinjau Tata-Letak - + Transparent Transparan - + Preview and Save Pratinjau dan Simpan - + Preview the theme and save it. Pratinjau tema dan simpan. - + Background Image Empty Gambar Latar Kosong - + Select Image Pilih Gambar - + Theme Name Missing Nama Tema Hilang - + There is no name for this theme. Please enter one. Tidak ada nama untuk tema ini. Silakan masukkan suatu nama. - + Theme Name Invalid Nama Tema Tidak Valid - + Invalid theme name. Please enter one. Nama Tema Tidak Valid. Silakan masukkan suatu nama yang valid. - + Solid color Warna pekat - + color: warna: - + Allows you to change and move the Main and Footer areas. Izinkan Anda untuk mengubah dan memindahkan area Utama dan Catatan Kaki. - + You have not selected a background image. Please select one before continuing. Anda belum memilih suatu gambar latar. Silakan pilih satu sebelum melanjutkan. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6878,73 +6942,73 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. &Sejajarkan Vertikal: - + Finished import. Impor selesai. - + Format: Format: - + Importing Mengimpor - + Importing "%s"... Mengimpor "%s"... - + Select Import Source Pilih Sumber Impor - + Select the import format and the location to import from. Pilih format impor dan lokasi sumber. - + Open %s File Buka Berkas %s - + %p% %p% - + Ready. Siap. - + Starting import... Memulai impor... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Anda harus menentukan setidaknya satu berkas %s untuk diimpor. - + Welcome to the Bible Import Wizard Selamat Datang di Wisaya Impor Alkitab - + Welcome to the Song Export Wizard Selamat Datang di Wisaya Ekspor Lagu - + Welcome to the Song Import Wizard Selamat Datang di Wisaya Impor Lagu @@ -6994,39 +7058,34 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. Kesalahan sintaks XML - - Welcome to the Bible Upgrade Wizard - Selamat Datang di Wisaya Pemutakhiran Alkitab - - - + Open %s Folder Buka Folder %s - + You need to specify one %s file to import from. A file type e.g. OpenSong Anda harus menentukan sebuah berkas %s untuk diimpor. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Anda harus menentukan sebuah folder %s untuk diimpor. - + Importing Songs Mengimpor Lagu - + Welcome to the Duplicate Song Removal Wizard Selamat datang di Wisaya Penghapus Lagu Duplikat - + Written by Ditulis oleh @@ -7036,502 +7095,490 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. Pengarang Tak Diketahui - + About Tentang - + &Add &Tambahkan - + Add group Tambahkan grup - + Advanced Lanjutan - + All Files Semua Berkas - + Automatic Otomatis - + Background Color Warna Latar - + Bottom Dasar - + Browse... Menelusuri... - + Cancel Batal - + CCLI number: Nomor CCLI: - + Create a new service. Buat suatu Layanan baru. - + Confirm Delete Konfirmasi Penghapusan - + Continuous Kontinu - + Default Bawaan - + Default Color: Warna Bawaan: - + 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. Layanan %d-%m-%Y %H-%M - + &Delete &Hapus - + Display style: Gaya tampilan: - + Duplicate Error Kesalahan Duplikasi - + &Edit &Sunting - + Empty Field Bidang Kosong - + Error Kesalahan - + Export Ekspor - + File Berkas - + File Not Found Berkas Tidak Ditemukan - - File %s not found. -Please try selecting it individually. - Berkas %s tidak ditemukan. -Silakan coba memilih secara individu. - - - + pt Abbreviated font pointsize unit pn - + Help Bantuan - + h The abbreviated unit for hours jam - + Invalid Folder Selected Singular Folder Terpilih Tidak Valid - + Invalid File Selected Singular Berkas Terpilih Tidak Valid - + Invalid Files Selected Plural Beberapa Berkas Terpilih Tidak Valid - + Image Gambar - + Import Impor - + Layout style: Gaya tata-letak: - + Live Tayang - + Live Background Error Kesalahan Latar Tayang - + Live Toolbar Bilah Alat Tayang - + Load Muat - + Manufacturer Singular Pembuat - + Manufacturers Plural Para Pembuat - + Model Singular Model - + Models Plural Model-model - + m The abbreviated unit for minutes mnt - + Middle Tengah - + New Baru - + New Service Layanan Baru - + New Theme Tema Baru - + Next Track Trek Selanjutnya - + No Folder Selected Singular Tidak Ada Folder Terpilih - + No File Selected Singular Tidak Ada Berkas Terpilih - + No Files Selected Plural Tidak Ada Satupun Berkas Terpilih - + No Item Selected Singular Tidak Ada Butir Terpilih - + No Items Selected Plural Tidak Ada Satupun Butir Terpilih - + OpenLP is already running. Do you wish to continue? OpenLP sudah berjalan. Anda ingin melanjutkan? - + Open service. Buka Layanan. - + Play Slides in Loop Mainkan Semua Salindia Berulang-ulang - + Play Slides to End Mainkan Semua Salindia sampai Akhir - + Preview 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 - + CCLI song number: Nomor lagu CCLI: - + Preview Toolbar Bilah Alat Pratinjau - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Ganti latar tayang tidak tersedia jika pemutar WebKit dinonaktifkan. @@ -7547,29 +7594,100 @@ Silakan coba memilih secara individu. Plural Buku-buku Lagu + + + Background color: + Warna latar: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Alkitab tidak tersedia + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Bait + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s dan %s - + %s, and %s Locale list separator: end %s, dan %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7652,47 +7770,47 @@ Silakan coba memilih secara individu. Tampilkan dengan: - + File Exists Berkas Sudah Ada - + A presentation with that filename already exists. Suatu presentasi dengan nama itu sudah ada. - + This type of presentation is not supported. Tidak ada dukungan untuk presentasi jenis ini. - - Presentations (%s) - Presentasi (%s) - - - + Missing Presentation Presentasi Hilang - - The presentation %s is incomplete, please reload. - Presentasi %s tidak lengkap, silakan muat-ulang. + + Presentations ({text}) + - - The presentation %s no longer exists. - Presentasi %s tidak ada lagi. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7702,11 +7820,6 @@ Silakan coba memilih secara individu. Available Controllers Pengontrol yang Tersedia - - - %s (unavailable) - %s (tidak tersedia) - Allow presentation application to be overridden @@ -7723,12 +7836,12 @@ Silakan coba memilih secara individu. 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. @@ -7739,13 +7852,19 @@ Silakan coba memilih secara individu. - Clicking on a selected slide in the slidecontroller advances to next effect. - Klik di salindia terpilih pada pengontrol salindia akan melanjutkannya ke efek berikutnya. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Ijinkan PowerPoint mengendalikan ukuran dan posisi jendela presentasi (solusi atas permasalahan di Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7787,127 +7906,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 - + Remote Remote - + Stage View Tinjuan Bertahap - + Live View Tinjauan Tayang @@ -7915,79 +8034,89 @@ Silakan coba memilih secara individu. RemotePlugin.RemoteTab - + Serve on IP address: Tugaskan di alamat IP: - + Port number: Nomor port: - + Server Settings Setelan Server - + Remote URL: URL remote: - + Stage view URL: URL tinjauan bertahap: - + Display stage time in 12h format Tampilkan waktu bertahap dalam format 12 jam - + Android App Apl. Android - + Live view URL: URL tinjauan Tayang: - + HTTPS Server 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. Tidak dapat menemukan sertifikat SSL. Server HTTPS tidak akan tersedia kecuali sertifikat SSL ditemukan. Silakan lihat panduan untuk informasi lebih lanjut. - + User Authentication Otentikasi Pengguna - + User id: ID Pengguna: - + Password: Kata sandi: - + Show thumbnails of non-text slides in remote and stage view. Tampilkan thumbnail dari salindia yang bukan teks pada remote dan tinjauan bertahap. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Pindai kode QR atau klik <a href="%s">unduh</a> untuk memasang aplikasi Android dari Google Play. + + iOS App + Aplikasi iOS + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8028,50 +8157,50 @@ Silakan coba memilih secara individu. 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 @@ -8139,24 +8268,10 @@ Semua data terekam sebelum tanggal ini akan dihapus secara permanen.Lokasi Berkas Keluaran - - usage_detail_%s_%s.txt - rincian_penggunaan_%s_%s.txt - - - + Report Creation Pembuatan Laporan - - - Report -%s -has been successfully created. - Laporan -%s -telah berhasil dibuat. - Output Path Not Selected @@ -8170,45 +8285,57 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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... @@ -8304,80 +8431,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. @@ -8466,62 +8593,67 @@ Pengodean ini bertanggung-jawab atas representasi karakter yang benar. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Dikelola oleh %s - - - - "%s" could not be imported. %s - "%s" tidak dapat diimpor. %s - - - + Unexpected data formatting. Pemformatan data tak terduga. - + No song text found. Teks lagu tidak ditemukan. - + [above are Song Tags with notes imported from EasyWorship] [di atas adalah Label Lagu beserta catatannya yang diimpor dari EasyWorship] - + This file does not exist. Berkas ini tidak ada. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Tidak dapat menemukan berkas "Songs.MB". Berkas tersebut harus berada pada folder yang sama dengan "Songs.DB". - + This file is not a valid EasyWorship database. Berkas ini bukanlah sebuah basis-data EasyWorship yang valid. - + Could not retrieve encoding. Pengodean tak dapat diperoleh kembali. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Nama Kitab Kustom @@ -8604,57 +8736,57 @@ Pengodean ini bertanggung-jawab atas representasi karakter yang benar.Tema, Info Hak Cipta, && Komentar - + Add Author Tambahkan Pengarang - + This author does not exist, do you want to add them? Pengarang ini tidak ada, Anda ingin menambahkannya? - + This author is already in the list. Pengarang ini sudah ada dalam daftar. - + 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. Anda belum memilih pengarang yang valid. Pilihlah suatu pengarang dari daftar, atau ketik suatu pengarang baru dan klik tombol "Tambahkan Pengarang ke Lagu" untuk menambahkan pengarang baru tersebut. - + Add Topic Tambahkan Topik - + This topic does not exist, do you want to add it? Topik ini tidak ada, Anda ingin menambahkannya? - + This topic is already in the list. Topik ini sudah ada dalam daftar. - + 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. Anda belum memilih topik yang valid. Pilihlah suatu topik dari daftar, atau ketik sebuah topik baru dan klik tombol "Tambahkan Topik ke Lagu" untuk menambahkan topik baru tersebut. - + You need to type in a song title. Anda harus mengetikkan judul lagu. - + You need to type in at least one verse. Anda harus mengetikkan setidaknya satu bait. - + You need to have an author for this song. Anda harus masukkan suatu pengarang untuk lagu ini. @@ -8679,7 +8811,7 @@ Pengodean ini bertanggung-jawab atas representasi karakter yang benar.Hapus &Semua - + Open File(s) Buka (beberapa) Berkas @@ -8694,14 +8826,7 @@ Pengodean ini bertanggung-jawab atas representasi karakter yang benar.<strong>Peringatan:</strong> Anda belum memasukkan susunan bait. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Tidak ada bait yang sesuai dengan "%(invalid)s". Entri yang valid adalah %(valid)s. -Silakan masukan bait-bait tersebut dan pisahkan dengan spasi. - - - + Invalid Verse Order Susunan Bait Tidak Valid @@ -8711,22 +8836,15 @@ Silakan masukan bait-bait tersebut dan pisahkan dengan spasi. &Sunting Jenis Pengarang - + Edit Author Type Sunting Jenis Pengarang - + Choose type for this author Pilih jenis untuk pengarang ini - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Tidak ada bait yang sesuai dengan "%(invalid)s". Entri yang valid adalah %(valid)s. -Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. - &Manage Authors, Topics, Songbooks @@ -8748,45 +8866,71 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Pengarang, Topik, && Buku Lagu - + Add Songbook Tambahkan Buku Lagu - + This Songbook does not exist, do you want to add it? Buku lagu ini tidak ada, Anda ingin menambahkannya? - + This Songbook is already in the list. Buku Lagu ini sudah ada dalam daftar. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Anda belum memilih Buku Lagu yang valid. Pilihlah sebuah Buku Lagu dari daftar, atau ketik sebuah Buku Lagu baru dan klik tombol "Tambahkan ke Lagu" untuk menambahkan Buku Lagu baru tersebut. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Sunting Bait - + &Verse type: &Jenis bait: - + &Insert &Sisipkan - + Split a slide into two by inserting a verse splitter. Pisah salindia menggunakan pemisah bait. @@ -8799,77 +8943,77 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Wisaya Ekspor Lagu - + Select Songs Pilih Lagu - + Check the songs you want to export. Centang lagu-lagu yang ingin Anda ekspor: - + Uncheck All Hapus Semua Centang - + Check All Centang Semua - + Select Directory Pilih Direktori - + Directory: Direktori: - + Exporting Mengekspor - + Please wait while your songs are exported. Silakan tunggu selama lagu diekspor. - + You need to add at least one Song to export. Anda harus masukkan setidaknya satu lagu untuk diekspor. - + No Save Location specified Lokasi Penyimpanan Belum Ditentukan - + Starting export... Memulai ekspor... - + You need to specify a directory. Anda harus menentukan sebuah direktori. - + Select Destination Folder Pilih Folder Tujuan - + Select the directory where you want the songs to be saved. Pilih direktori untuk menyimpan lagu. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Wisaya ini akan membantu Anda mengekspor lagu ke format lagu penyembahan <strong>OpenLyrics</strong> yang terbuka dan gratis. @@ -8877,7 +9021,7 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Berkas lagu Foilpresenter tidak valid. Bait tidak ditemukan. @@ -8885,7 +9029,7 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.GeneralTab - + Enable search as you type Gunakan penelusuran saat Anda mengetikkannya @@ -8893,7 +9037,7 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Pilih Dokumen / Berkas Presentasi @@ -8903,237 +9047,252 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Wisaya Impor Lagu - + 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. Wisaya ini akan membantu Anda mengimpor lagu dari berbagai format. Klik tombol Selanjutnya di bawah untuk memulai proses dengan memilih format untuk diimpor. - + Generic Document/Presentation Dokumen / Presentasi Generik - + Add Files... Tambahkan Berkas... - + Remove File(s) Hapus (beberapa) Berkas - + Please wait while your songs are imported. Silakan tunggu selama lagu diimpor. - + Words Of Worship Song Files Berkas Lagu Words of Worship - + Songs Of Fellowship Song Files Berkas Lagu Song Of Fellowship - + SongBeamer Files Berkas SongBeamer - + SongShow Plus Song Files Berkas Lagu SongShow Plus - + Foilpresenter Song Files Berkas Lagu Foilpresenter - + Copy Salin - + Save to File Simpan jadi Berkas - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Pengimpor Songs of Fellowhip telah dinonaktifkan karena OpenLP tidak dapat mengakses OpenOffice atau LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Pengimpor dokumen / presentasi generik telah dinonaktifkan karena OpenLP tidak dapat mengakses OpenOffice atau LibreOffice. - + OpenLyrics Files Berkas OpenLyrics - + CCLI SongSelect Files Berkas CCLI SongSelect - + EasySlides XML File Berkas XML EasySlides - + EasyWorship Song Database Basis-Data Lagu EasyWorship - + DreamBeam Song Files Berkas Lagu DreamBeam - + You need to specify a valid PowerSong 1.0 database folder. Anda harus menentukan folder basis-data PowerSong 1.0 yang valid. - + 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>. Pertama konversi dahulu basis-data ZionWorx ke berkas teks CSV, seperti yang dijelaskan pada <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Panduan Pengguna</a>. - + SundayPlus Song Files Berkas Lagu SundayPlus - + This importer has been disabled. Pengimpor telah dinonaktifkan. - + MediaShout Database Basis-data 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. Pengimpor MediaShout hanya didukung dalam Windows. Pengimpor telah dinonaktifkan karena ada modul Python yang hilang. Jika Anda ingin menggunakan pengimpor ini, Anda harus memasang modul "pyodbc". - + SongPro Text Files Berkas Teks SongPro - + SongPro (Export File) SongPro (Berkas Ekspor) - + In SongPro, export your songs using the File -> Export menu Pada SongPro, ekspor lagu menggunakan menu Berkas -> Ekspor - + EasyWorship Service File Berkas Layanan EasyWorship - + WorshipCenter Pro Song Files Berkas Lagu 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. Pengimpor WorshipCenter Pro hanya didukung dalam Windows. Pengimpor telah dinonaktifkan karena ada modul Python yang hilang. Jika Anda ingin menggunakan pengimpor ini, Anda harus memasang modul "pyodbc". - + PowerPraise Song Files Berkas Lagu PowerPraise - + PresentationManager Song Files Berkas Lagu PresentationManager - - ProPresenter 4 Song Files - Berkas Lagu ProPresenter 4 - - - + Worship Assistant Files Berkas Worship Assistant - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. Dalam Worship Assistant, ekspor Basis-Data Anda ke sebuah berkas CSV. - + OpenLyrics or OpenLP 2 Exported Song Lagu OpenLyrics atau OpenLP 2.0 yang telah diekspor - + OpenLP 2 Databases Basis-data OpenLP 2 - + LyriX Files Berkas LyriX - + LyriX (Exported TXT-files) Lyrix (berkas TXT yang telah diekspor) - + VideoPsalm Files Berkas VideoPsalm - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Buku lagu VideoPsalm biasanya terletak di %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Kesalahan: %s + File {name} + + + + + Error: {error} + @@ -9152,79 +9311,117 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.MediaItem - + Titles Judul - + Lyrics Lirik - + CCLI License: Lisensi CCLI: - + Entire Song Keseluruhan Lagu - + Maintain the lists of authors, topics and books. Kelola daftar pengarang, topik, dan buku. - + copy For song cloning salin - + Search Titles... Telusuri Judul... - + Search Entire Song... Telusuri Seluruh Lagu... - + Search Lyrics... Telusuri Lirik... - + Search Authors... Telusuri Pengarang... - - Are you sure you want to delete the "%d" selected song(s)? - Anda yakin ingin menghapus "%d" lagu() terpilih ini? - - - + Search Songbooks... Telusuri Buku Lagu... + + + Search Topics... + + + + + Copyright + Hak Cipta + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Tidak dapat membuka basis-data MediaShout + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Bukan basis-data lagu OpenLP 2.0 yang valid. @@ -9232,9 +9429,9 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Mengekspor "%s"... + + Exporting "{title}"... + @@ -9253,29 +9450,37 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Tidak ada lagu untuk diimpor. - + Verses not found. Missing "PART" header. Bait tidak ditemukan. Header "PART" hilang. - No %s files found. - Berkas %s tidak ditemukan. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Berkas %s tidak valid. Nilai byte tak terduga. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Berkas %s tidak valid. Header "TITLE" hilang. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Berkas %s tidak valid. Header "COPYRIGHTLINE" hilang. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9304,19 +9509,19 @@ Silakan masukkan 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 + + Your song export failed because this error occurred: {error} + @@ -9332,17 +9537,17 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Lagu berikut tidak dapat diimpor: - + Cannot access OpenOffice or LibreOffice Tidak dapat mengakses OpenOffice atau LibreOffice - + Unable to open file Tidak dapat membuka berkas - + File not found Berkas tidak ditemukan @@ -9350,109 +9555,109 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.SongMaintenanceForm - + Could not add your author. Tidak dapat menambahkan pengarang. - + This author already exists. Pengarang sudah ada. - + Could not add your topic. Tidak dapat menambahkan topik. - + This topic already exists. Topik sudah ada. - + Could not add your book. Tidak dapat menambahkan buku lagu. - + This book already exists. Buku lagu sudah ada. - + Could not save your changes. Tidak dapat menyimpan perubahan. - + Could not save your modified author, because the author already exists. Tidak dapat menyimpan pengarang yang telah dimodifikasi, karena sudah ada. - + Could not save your modified topic, because it already exists. Tidak dapat menyimpan topik yang telah dimodifikasi, karena sudah ada. - + Delete Author Hapus Pengarang - + Are you sure you want to delete the selected author? Anda yakin ingin menghapus pengarang terpilih? - + This author cannot be deleted, they are currently assigned to at least one song. Pengarang tidak dapat dihapus, karena masih terkait dengan setidaknya satu lagu. - + Delete Topic Hapus Topik - + Are you sure you want to delete the selected topic? Anda yakin ingin menghapus topik terpilih? - + This topic cannot be deleted, it is currently assigned to at least one song. Topik tidak dapat dihapus, karena masih terkait dengan setidaknya satu lagu. - + Delete Book Hapus Buku Lagu - + Are you sure you want to delete the selected book? Anda yakin ingin menghapus buku lagu terpilih? - + This book cannot be deleted, it is currently assigned to at least one song. Buku lagu tidak dapat dihapus, karena masih terkait dengan setidaknya satu lagu. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Pengarang %s sudah ada. Anda ingin membuat lagu dengan pengarang %s menggunakan pengarang %s yang sudah ada? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Topik %s sudah ada. Anda ingin membuat lagu dengan topik %s menggunakan topik %s yang sudah ada? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Buku lagu %s sudah ada. Anda ingin membuat lagu dengan buku lagu %s menggunakan buku lagu %s yang sudah ada? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9498,52 +9703,47 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Penelusuran - - Found %s song(s) - %s lagu (- lagu) ditemukan - - - + Logout Keluar - + View Tinjau - + Title: Judul - + Author(s): Pengarang (- pengarang) : - + Copyright: Hak Cipta: - + CCLI Number: Nomor CCLI: - + Lyrics: Lirik: - + Back Kembali - + Import Impor @@ -9583,7 +9783,7 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Terjadi kesalahan saat hendak masuk, mungkin nama pengguna atau kata sandi Anda salah? - + Song Imported Lagu Telah Diimpor @@ -9598,7 +9798,7 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Lagu ini kehilangan beberapa informasi, kemungkinan liriknya, dan tidak dapat diimpor. - + Your song has been imported, would you like to import more songs? Lagu Anda telah diimpor, Anda ingin mengimpor lagu-lagu lain? @@ -9607,6 +9807,11 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Stop Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9615,30 +9820,30 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Songs Mode Mode Lagu - - - Display verses on live tool bar - Tampilkan semua bait pada Bilah Alat Tayang - Update service from song edit Perbarui Layanan dari penyuntingan lagu - - - Import missing songs from service files - Impor lagu yang hilang dari berkas Layanan - Display songbook in footer Tampilkan buku lagu di Catatan Kaki + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Tampilkan "%s" simbol sebelum info hak cipta + Display "{symbol}" symbol before copyright info + @@ -9662,37 +9867,37 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.VerseType - + Verse Bait - + Chorus Refrain - + Bridge Bridge - + Pre-Chorus Pra-Refrain - + Intro Intro - + Ending Ending - + Other Lainnya @@ -9700,22 +9905,22 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.VideoPsalmImport - - Error: %s - Kesalahan: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Berkas lagu Words of Wordship tidak valid. "%s" header.WoW File\nSong Words hilang + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Berkas lagu Words of Worship tidak valid. "%s" string.CSongDoc::CBlock hilang + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9726,30 +9931,30 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Kesalahan pembacaan berkas CSV. - - Line %d: %s - Baris %d: %s - - - - Decoding error: %s - Kesalahan pendekodean: %s - - - + File not valid WorshipAssistant CSV format. Berkas bukan berupa format CSV Worship Assistant yang valid. - - Record %d - Rekaman %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Tidak dapat tersambung dengan basis-data WorshipCenter Pro. @@ -9762,25 +9967,30 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Kesalahan pembacaan berkas CSV. - + File not valid ZionWorx CSV format. Berkas bukan berupa format CSV ZionWorx yang valid. - - Line %d: %s - Baris %d: %s - - - - Decoding error: %s - Kesalahan pendekodean: %s - - - + Record %d Rekaman %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9790,39 +10000,960 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Wisaya - + 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. Wisaya ini akan membantu Anda untuk menghapus lagu duplikat dari basis-data lagu. Anda akan memiliki kesempatan untuk meninjau setiap lagu yang berpotensi duplikat sebelum dihapus. Jadi tidak ada lagu yang akan dihapus tanpa persetujuan eksplisit Anda. - + Searching for duplicate songs. Menelusuri lagu-lagu duplikat. - + Please wait while your songs database is analyzed. Silakan tunggu selama basis-data lagu Anda dianalisa. - + Here you can decide which songs to remove and which ones to keep. Di sini Anda dapat menentukan lagu yang ingin dihapus ataupun disimpan. - - Review duplicate songs (%s/%s) - Meninjau lagu-lagu duplikat (%s/%s) - - - + Information Informasi - + No duplicate songs have been found in the database. Lagu duplikat tidak ditemukan di basis-data. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Bahasa Inggris + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/ja.ts b/resources/i18n/ja.ts index a2fb19e78..946869c80 100644 --- a/resources/i18n/ja.ts +++ b/resources/i18n/ja.ts @@ -120,32 +120,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font フォント - + Font name: フォント名: - + Font color: 文字色: - - Background color: - 背景色: - - - + Font size: フォント サイズ: - + Alert timeout: 警告のタイムアウト: @@ -153,88 +148,78 @@ 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. - 聖書データベースを最新の形式に更新します。 - Genesis @@ -739,160 +724,107 @@ Please type in some text before clicking New. この聖書は既に存在します。他の聖書をインポートするか、存在する聖書を削除してください。 - - 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」は2回以上入力されました。 + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error 書名章節番号エラー - - Web Bible cannot be used - ウェブ聖書は使用できません + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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にサポートされていません。以下のパターンに準拠した参照聖句である事を確認下さい。 +This means that the currently used Bible +or Second Bible is installed as Web Bible. -書 章 -書 章%(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節 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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 2 つの聖句を表示 - + 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. @@ -901,36 +833,82 @@ 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 節番号を表示 + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -986,70 +964,76 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - 書名をインポート中... %s - - - + Importing verses... done. 節をインポート中... 完了。 + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + 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 日本語 @@ -1069,224 +1053,259 @@ 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. 選択された聖書の展開に失敗しました。エラーが繰り返して起こる場合は、バグ報告を検討してください。 + + + Importing {book}... + Importing <book name>... + + 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から聖書訳の一覧をダウンロード中にエラーが発生しました。 + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1317,114 +1336,130 @@ It is not possible to customize the Book Names. 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? 1 つの聖書と複数の聖書の検索結果の結合はできません。検索結果を削除して再検索しますか? - + 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"を削除しても良いですか。 - -もう一度使用するには、インポートし直す必要があります。 + + Search + 検索 - - Advanced - 詳細設定 + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + 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. 不正な聖書ファイルです。Zefania XML 聖書のようですので、Zefaniaインポートオプションを使用してください。 @@ -1432,177 +1467,51 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s章をインポート中... + + Importing {name} {chapter}... + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... 使用していないタグを削除 (数分かかることがあります)... - + Importing %(bookname)s %(chapter)s... %(bookname)s %(chapter)s章をインポート中... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - バックアップ ディレクトリを選択 + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 のデータ ディレクトリにコピーしてください。 - - - - 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 - 聖書を更新中: 成功: %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. - 更新する聖書はありません。 - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. 不正な聖書ファイルです。Zefaniaの聖書は圧縮されていることがあります。その場合、インポートする前に展開する必要があります。 @@ -1610,9 +1519,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s章をインポート中... + + Importing {book} {chapter}... + @@ -1727,7 +1636,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I すべてのスライドを一度に編集します。 - + Split a slide into two by inserting a slide splitter. スライド分割機能を用い、スライドを分割します。 @@ -1742,7 +1651,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I クレジット(&C): - + You need to type in a title. タイトルの入力が必要です。 @@ -1752,12 +1661,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 全て編集(&E) - + Insert Slide スライドを挿入 - + You need to add at least one slide. 最低1枚のスライドが必要です @@ -1765,7 +1674,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide スライド編集 @@ -1773,8 +1682,8 @@ 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 "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1803,11 +1712,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title 画像 - - - Load a new image. - 新しい画像を読み込みます。 - Add a new image. @@ -1838,6 +1742,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. 選択された画像を礼拝プログラムに追加します。 + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1862,12 +1776,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. このグループは既に存在します。 @@ -1903,7 +1817,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment 添付を選択 @@ -1911,39 +1825,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. 結合する項目がありません。 @@ -1953,25 +1850,41 @@ 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」とその中の項目全てを削除してよいですか? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. アスペクト比がスクリーンと異なる画像が背景として表示されます。 @@ -1979,27 +1892,27 @@ Do you want to add the other images anyway? Media.player - + 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はウェブブラウザ内で動作するメディアプレーヤーです。このプレーヤによりビデオの上にテキストを描画することができます。 - + This media player uses your operating system to provide media capabilities. @@ -2007,60 +1920,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. 選択したメディアを礼拝プログラムに追加します。 @@ -2176,47 +2089,47 @@ Do you want to add the other images anyway? 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 ":" メディアクリップの名前には「:」を含まないでください。 @@ -2224,90 +2137,100 @@ Do you want to add the other images anyway? 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 このメディアクリップは既に保存されています。 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2318,41 +2241,19 @@ Do you want to add the other images anyway? - Start Live items automatically - ライブ項目を自動で再生 - - - - OPenLP.MainWindow - - - &Projector Manager - プロジェクタ マネージャ (&P) + Start new Live media automatically + OpenLP - + Image Files 画像ファイル - - Information - 情報 - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - 聖書の形式が変更されました。 -聖書を更新する必要があります。 -今すぐ OpenLP が更新してもいいですか? - - - + Backup バックアップ @@ -2367,15 +2268,20 @@ Should OpenLP upgrade now? データのバックアップに失敗しました。 - - A backup of the data folder has been created at %s - %sにバックアップが作成されました - - - + Open 開く + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2385,15 +2291,10 @@ Should OpenLP upgrade now? クレジット - + 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. @@ -2418,7 +2319,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr OpenLP は、教会専用のフリーのプレゼンテーション及び賛美詞投射ソフトウェアです。パソコンとプロジェクターを用いて、聖書箇所、画像また他プレゼンテーションデータ (OpenOffice.org や PowerPoint/Viewer が必要) を表示できます。 http://openlp.org/ にて詳しくご紹介しております。 OpenLP は、ボランティアの手で開発保守されています。もっと多くのクリスチャンの手によるフリーのソフトウェア開発に興味がある方は、以下のボタンからどうぞ。 - + Volunteer 貢献者 @@ -2594,341 +2495,392 @@ OpenLP は、教会専用のフリーのプレゼンテーション及び賛美 - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} OpenLP.AdvancedTab - + UI Settings UI 設定 - - - 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をバイパスする - + 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の開始を中断します。この問題を修正してください。 - -「はい」をクリックするとデフォルトの場所に戻します。 - - - - 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 一覧に縞模様をつける - - 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? - 警告: - -選択された以下の場所は既にOpenLPのデータが含まれています。既存のファイルを現在のファイルで置き換えますか。 - -%s - - - + Restart Required 再起動が必要 - + This change will only take effect once OpenLP has been restarted. この変更はOpenLPの再起動後に適用されます。 - + 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の終了後より使用されます。 + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + 自動 + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. クリックして色を選択します。 @@ -2936,252 +2888,252 @@ This location will be used after OpenLP is closed. 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 @@ -3189,61 +3141,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred エラーが発生しました - + Send E-Mail メールを送信 - + Save to File ファイルに保存 - + Attach File ファイルを添付 - - Description characters to enter : %s - 説明 : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) + + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. - - 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. Also attach any files that triggered the problem. + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation OpenLP.ExceptionForm - - Platform: %s - - プラットフォーム: %s - - - - + Save Crash Report クラッシュ報告を保存 - + Text files (*.txt *.log *.text) テキスト ファイル (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3284,268 +3249,259 @@ This location will be used after OpenLP is closed. 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を起動してください。 - -初回起動ウィザードをもう一度実行してサンプルデータをインポートするには、&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. - - -初回起動ウィザードを終了し次回から表示しないためには、%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 いくつかのファイルをダウンロードできません + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3588,43 +3544,48 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <html here> - + Validation Error 検証エラー - + Description is missing 説明が不足しています - + Tag is missing タグがみつかりません - Tag %s already defined. - タグ「%s」は既に定義されています。 + Tag {tag} already defined. + - Description %s already defined. - 説明 %s は既に定義されています。 + Description {tag} already defined. + - - Start tag %s is not valid HTML - 開始タグ%sは有効なHTMLではありません + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} @@ -3714,170 +3675,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General 全般 - + Monitors モニタ - + Select monitor for output display: 画面を出力するスクリーンを選択: - + Display if a single screen スクリーンが 1 つしかなくても表示 - + 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 移動しない(&R) - + &Wrap around 周回する(&W) - + &Move to next/previous service item 次/前の礼拝項目へ移動(&M) + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + 表示する画像ファイルを参照する。 + + + + Revert to the default OpenLP logo. + 既定の OpenLP ロゴに戻す。 + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language 言語 - + Please restart OpenLP to use your new language setting. 新しい言語設定を使用には OpenLP を再起動してください。 @@ -3885,7 +3876,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP ディスプレイ @@ -3912,11 +3903,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View 表示(&V) - - - M&ode - モード(&O) - &Tools @@ -3937,16 +3923,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help ヘルプ(&H) - - - Service Manager - 礼拝プログラム - - - - Theme Manager - テーマ マネージャ - Open an existing service. @@ -3972,11 +3948,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit 終了(&X) - - - Quit OpenLP - OpenLP を終了 - &Theme @@ -3988,191 +3959,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 - ライブ パネル(&L) - - - - Toggle Live Panel - ライブ パネルの切り替え - - - - Toggle the visibility of the live panel. - ライブ パネルの表示/非表示を切り替える。 - - - - 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 ライブ(&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 OpenLP のプライマリ ディスプレイがブランクになりました - - Default Theme: %s - 既定のテーマ: %s - - - + English Please add the name of your language here 日本語 @@ -4183,27 +4030,27 @@ http://openlp.org/ から最新版をダウンロードできます。ショートカットの設定(&S)... - + 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. 全てのテーマの縮小画像を更新します。 @@ -4213,32 +4060,22 @@ http://openlp.org/ から最新版をダウンロードできます。現在の礼拝プログラムを印刷します。 - - 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. @@ -4247,13 +4084,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. 最近使用したファイルの一覧を消去します。 @@ -4262,75 +4099,36 @@ Re-running this wizard may make changes to your current OpenLP configuration and Configure &Formatting Tags... 書式タグを設定(&F)... - - - Export OpenLP settings to a specified *.config file - OpenLPの設定をファイルへエクスポート - Settings 設定 - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - 以前にエクスポートしたファイルから 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 を終了させます。インポートされた設定は次の起動時に適用されます。 - + 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 @@ -4342,12 +4140,12 @@ Re-running this wizard may make changes to your current OpenLP configuration and ライブラリ - + 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. @@ -4360,7 +4158,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and 不正な設定をインポートすると異常な動作や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. @@ -4369,35 +4167,10 @@ 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 - &Recent Services @@ -4429,131 +4202,340 @@ Processing has terminated and no changes have been made. - + Exit OpenLP - + Are you sure you want to exit OpenLP? - + &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + 礼拝プログラム + + + + Themes + 外観テーマ + + + + Projectors + プロジェクタ + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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はデータベースを読み込むことができません。 +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -データベース: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected 一つの項目も選択されていません - + &Add to selected Service Item 選択された礼拝項目に追加(&A) - + You must select one or more items to preview. プレビューするには 1 つ以上の項目を選択する必要があります。 - + You must select one or more items to send live. ライブに送信するには 1 つ以上の項目を選択する必要があります。 - + You must select one or more items. 1 つ以上の項目を選択する必要があります。 - + 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. インポート中に重複するファイルが見つかり、無視されました。 + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics>タグが見つかりません。 - + <verse> tag is missing. <verse>タグが見つかりません。 @@ -4561,22 +4543,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status 不明な状態 - + No message メッセージなし - + Error while sending data to projector データをプロジェクタに送信中にエラーが発生しました - + Undefined command: 定義されていないコマンド: @@ -4584,32 +4566,32 @@ Suffix not supported OpenLP.PlayerTab - + Players 再生ソフト - + Available Media Players 利用可能な再生ソフト - + Player Search Order 再生ソフトの順序 - + Visible background for videos with aspect ratio different to screen. アスペクト比がスクリーンと異なるビデオが背景として表示されます。 - + %s (unavailable) %s (利用不可能) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" @@ -4618,55 +4600,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details プラグイン詳細 - + Status: 状況: - + Active 有効 - - Inactive - 無効 - - - - %s (Inactive) - %s (無効) - - - - %s (Active) - %s (有効) + + Manage Plugins + - %s (Disabled) - %s (無効) + {name} (Disabled) + - - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page サイズをページに合わせる - + Fit Width サイズをページの横幅に合わせる @@ -4674,77 +4651,77 @@ Suffix not supported 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: カスタムフッターテキスト: @@ -4752,257 +4729,257 @@ Suffix not supported 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 データの大きさがOSの制限を超えています - + 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) 要求されたソケット処理はローカルOSではサポートされていません。(IPv6の不足など) - + The socket is using a proxy, and the proxy requires authentication プロキシが使用されており、認証が必要です。 - + 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 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 プロキシサーバへの接続に失敗しました。プロキシサーバーからの応答を理解できません。 @@ -5010,17 +4987,17 @@ Suffix not supported 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 名前が重複します @@ -5028,52 +5005,52 @@ Suffix not supported 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 プロジェクタ情報を保存中にエラーが発生しました。ログを確認してください。 @@ -5081,305 +5058,360 @@ Suffix not supported 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 プロジェクタから切断 (&D) - + 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 - On - - - - Off - Off - - - + Hours 時間 - + No current errors or warnings エラーや警告はありません - + Current errors/warnings 現在のエラー/警告 - + Projector Information プロジェクタ情報 - + No message メッセージなし - + Not Implemented Yet 未実装 - - Delete projector (%s) %s? + + Are you sure you want to delete this projector? - - Are you sure you want to delete this projector? + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + 認証エラー + + + + No Authentication Error OpenLP.ProjectorPJLink - + Fan ファン - + Lamp ランプ - + Temperature 温度 - + Cover カバー - + Filter フィルター - + Other その他 @@ -5425,17 +5457,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address 重複するIPアドレス - + Invalid IP Address 無効なIPアドレス - + Invalid Port Number 無効なポート番号 @@ -5448,27 +5480,27 @@ Suffix not supported スクリーン - + primary プライマリ OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>開始</strong>: %s - - - - <strong>Length</strong>: %s - <strong>長さ</strong>: %s - - [slide %d] - [スライド %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5532,52 +5564,52 @@ Suffix not supported 選択した項目を礼拝プログラムから削除する。 - + &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 必要なプラグインが見つからないか無効なため、項目を表示する事ができません @@ -5602,7 +5634,7 @@ Suffix not supported 全ての項目を折り畳みます。 - + Open File ファイルを開く @@ -5632,22 +5664,22 @@ Suffix not supported 選択された項目をライブ表示する。 - + &Start Time 開始時間(&S) - + Show &Preview プレビュー表示(&P) - + Modified Service 礼拝プログラムの編集 - + The current service has been modified. Would you like to save this service? 現在の礼拝プログラムは、編集されています。保存しますか? @@ -5667,27 +5699,27 @@ Suffix not supported 再生時間: - + Untitled Service 無題 - + File could not be opened because it is corrupt. ファイルが破損しているため開けません。 - + Empty File 空のファイル - + This service file does not contain any data. この礼拝プログラムファイルは空です。 - + Corrupt File 破損したファイル @@ -5707,147 +5739,145 @@ Suffix not supported 礼拝プログラムの外観テーマを選択します。 - + 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - 以下のファイルが不足しています: %s - -保存を続行すると、このファイルは削除されます。 + + + + + An error occurred while writing the service file: {error} + @@ -5879,15 +5909,10 @@ These files will be removed if you continue to save. ショートカット - + Duplicate Shortcut ショートカットの重複 - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - このショートカット"%s"は既に他の動作に割り振られています。他のショートカットをご利用ください。 - Alternate @@ -5933,219 +5958,234 @@ These files will be removed if you continue to save. Configure Shortcuts ショートカットの設定 + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + 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 トラック + + + Loop playing media. + + + + + Video timer. + + 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? このプロジェクタの「すべての」ユーザー定義入力テキストを削除してよろしいですか? @@ -6153,17 +6193,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions 綴りのサジェスト - + Formatting Tags タグフォーマット - + Language: 言語: @@ -6242,7 +6282,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (スライド1枚におよそ%d行) @@ -6250,521 +6290,531 @@ These files will be removed if you continue to save. 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. 既定の外観テーマを削除する事はできません。 - + 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 外観テーマの名前を変更(&N) - + &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> - 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) - - %s time(s) by %s - - - - + Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s +{text} 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: 色1: - + Ending color: 色2: - + 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. 背景の画像が選択されていません。続行する前に選択してください。 + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6847,73 +6897,73 @@ These files will be removed if you continue to save. 垂直整列(&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 賛美インポートウィザードへようこそ @@ -6963,39 +7013,34 @@ These files will be removed if you continue to save. 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 著者 @@ -7005,502 +7050,490 @@ These files will be removed if you continue to save. 不明 - + 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. Service %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 が見つかりません。 -1個ずつ別々に選択してみてください。 - - - + 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 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 オプションの分割(&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 表示モード - + CCLI song number: CCLI song番号: - + Preview Toolbar プレビュー ツールバー - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. @@ -7516,29 +7549,100 @@ Please try selecting it individually. Plural + + + Background color: + 背景色: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + ビデオ + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + 利用できる聖書翻訳がありません + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + バース + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + 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 @@ -7621,47 +7725,47 @@ Please try selecting it individually. 使用プレゼン: - + 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は不完全です。再読み込みしてください。 + + Presentations ({text}) + - - The presentation %s no longer exists. - プレゼンテーション %s は存在しません。 + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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との通信にエラーが発生し、プレゼンテーションが終了しました。表示するには、プレゼンテーションをもう一度開始してください。 + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7671,11 +7775,6 @@ Please try selecting it individually. Available Controllers 使用可能なコントローラ - - - %s (unavailable) - %s (利用不可能) - Allow presentation application to be overridden @@ -7692,12 +7791,12 @@ Please try selecting it individually. mudrawまたはghostscriptのフルパスを設定する - + Select mudraw or ghostscript binary. mudrawまたはghostscriptのバイナリを選択してください。 - + The program is not ghostscript or mudraw which is required. 必要なmudrawまたはghostscriptのプログラムではありません。 @@ -7708,13 +7807,19 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. - スライドコントローラで現在のスライドをクリックした時、切り替え効果を行う。 + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - PowerPointがプレゼンテーションウィンドウの位置と大きさを変更することを許可する。 (Windows 8におけるスケーリング問題の対処) + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7756,127 +7861,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 設定 - + Remote 遠隔操作 - + Stage View - + Live View @@ -7884,78 +7989,88 @@ Please try selecting it individually. 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 - + 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証明書が見つかりません。SSL証明書が見つからない場合、HTTPSサーバは使用できませn。詳細はマニュアルをご覧ください。 - + User Authentication ユーザ認証 - + User id: ユーザID: - + Password: パスワード: - + Show thumbnails of non-text slides in remote and stage view. 遠隔操作とステージビューにおいて、テキストスライド以外の縮小画像を表示する。 - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. @@ -7997,50 +8112,50 @@ Please try selecting it individually. 賛美の利用記録の切り替える。 - + <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 印刷済み @@ -8108,24 +8223,10 @@ All data recorded before this date will be permanently deleted. レポートの出力場所 - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation レポート生成 - - - Report -%s -has been successfully created. - レポート - %s - - は正常に生成されました。 - Output Path Not Selected @@ -8138,45 +8239,57 @@ Please select an existing path on your computer. 賛美利用記録レポートの出力先が無効です。コンピューター上に存在するフォルダを選択して下さい。 - + Report Creation Failed レポート作成に失敗 - - An error occurred while creating the report: %s - 賛美利用記録レポートの作成中にエラーが発生しました: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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... 賛美のインデックスを再作成中... @@ -8269,80 +8382,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. データベース中の重複する賛美を探し、削除します。 @@ -8431,62 +8544,67 @@ The encoding is responsible for the correct character representation. 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からインポートされたSong Tagsです] - + 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.MB」が見つかりません。Songs.DBと同じフォルダに保存されている必要があります。 - + This file is not a valid EasyWorship database. 有効なEasyWorshipのデータベースではありません。 - + Could not retrieve encoding. エンコードを取得できませんでした。 + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data メタデータ - + Custom Book Names 任意の書名 @@ -8569,57 +8687,57 @@ The encoding is responsible for the correct character representation. 外観テーマ、著作情報 && コメント - + 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. 最低一つのバースを入力する必要があります。 - + You need to have an author for this song. アーティストを入力する必要があります。 @@ -8644,7 +8762,7 @@ The encoding is responsible for the correct character representation. すべて削除(&A) - + Open File(s) ファイルを開く @@ -8659,14 +8777,7 @@ The encoding is responsible for the correct character representation. <strong>警告:</strong> - - 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 節順が正しくありません @@ -8676,21 +8787,15 @@ Please enter the verses separated by spaces. 著者の種類を編集 (&E) - + Edit Author Type 著者の種類を編集 - + Choose type for this author 著者の種類を選択 - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks @@ -8712,45 +8817,71 @@ Please enter the verses separated by spaces. - + Add Songbook - + This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse バース編集 - + &Verse type: バースのタイプ(&): - + &Insert 挿入(&I) - + Split a slide into two by inserting a verse splitter. スライド分割機能を用い、スライドを分割してください。 @@ -8763,77 +8894,77 @@ Please enter the verses separated by spaces. 賛美エクスポートウィザード - + 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形式として賛美をエクスポートできます。 @@ -8841,7 +8972,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. 無効なFoilpresenterファイルです。歌詞が見つかりません。 @@ -8849,7 +8980,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type 入力と同時に検索する @@ -8857,7 +8988,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files ドキュメント/プレゼンテーションファイル選択 @@ -8867,228 +8998,238 @@ Please enter the verses separated by spaces. 賛美インポートウィザード - + 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. 賛美がインポートされるまでしばらくお待ちください。 - + Words Of Worship Song Files Words Of Worship Song ファイル - + Songs Of Fellowship Song Files Songs Of Fellowship Song ファイル - + SongBeamer Files SongBeamerファイル - + SongShow Plus Song Files SongShow Plus Songファイル - + Foilpresenter Song Files Foilpresenter Song ファイル - + Copy コピー - + Save to File ファイルに保存 - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. OpenOfficeまたはLibreOfficeに接続できないため、Songs of Fellowshipのインポート機能は無効になっています。 - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. OpenOfficeまたはLibreOfficeに接続できないため、汎用ドキュメント/プレゼンテーションのインポート機能は無効になっています。 - + OpenLyrics Files OpenLyricsファイル - + CCLI SongSelect Files CCLI SongSelectファイル - + EasySlides XML File Easy Slides 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>. <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>に従ってZionWorxデータベースファイルをCSVへ変換してください。 - + SundayPlus Song Files SundayPlus Songファイル - + 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のみで利用可能です。この機能を使用するためには、Pythonの"pyodbc"モジュールをインストールしてください。 - + SongPro Text Files SongProテキストファイル - + SongPro (Export File) SongPro (エクスポートファイル) - + In SongPro, export your songs using the File -> Export menu SongProにおいて、メニューのFile-&gt;Exportからエクスポートしてください。 - + EasyWorship Service File EasyWorship Serviceファイル - + WorshipCenter Pro Song Files WorshipCenter Pro Songファイル - + 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のみで利用可能です。この機能を使用するためには、Pythonの"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ファイルでエクスポートしてください。 - + OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases - + LyriX Files - + LyriX (Exported TXT-files) - + VideoPsalm Files - + VideoPsalm - - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} @@ -9096,7 +9237,12 @@ Please enter the verses separated by spaces. SongsPlugin.LyrixImport - Error: %s + File {name} + + + + + Error: {error} @@ -9116,79 +9262,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles タイトル - + Lyrics 賛美詞 - + CCLI License: CCLI ライセンス: - + Entire Song 賛美全体 - + Maintain the lists of authors, topics and books. アーティスト、トピックとアルバムの一覧を保守します。 - + copy For song cloning コピー - + Search Titles... タイトルを検索... - + Search Entire Song... 全てのデータを検索... - + Search Lyrics... 歌詞を検索... - + Search Authors... 著者を検索... - - Are you sure you want to delete the "%d" selected song(s)? + + Search Songbooks... - - Search Songbooks... + + Search Topics... + + + + + Copyright + 著作権 + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. MediaShoutデータベースを開けません。 + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. @@ -9196,9 +9380,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - 「%s」をエクスポートしています... + + Exporting "{title}"... + @@ -9217,29 +9401,37 @@ Please enter the verses separated by spaces. インポートする賛美が見つかりません。 - + Verses not found. Missing "PART" header. 歌詞が見つかりません。"PART"ヘッダが不足しています。 - No %s files found. - %sファイルが見つかりません。 + No {text} files found. + - Invalid %s file. Unexpected byte value. - 無効な%sファイルです。予期せぬバイトがみつかりました。 + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - 無効な%sファイルです。"TITLE"ヘッダが見つかりません。 + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - 無効な%sファイルです。"COPYRIGHTLINE"ヘッダが見つかりません。 + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9268,19 +9460,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>インポータを使用してください。 - - Your song export failed because this error occurred: %s - このエラーが発生したため、賛美のエクスポートに失敗しました: %s + + Your song export failed because this error occurred: {error} + @@ -9296,17 +9488,17 @@ Please enter the verses separated by spaces. 以下の賛美はインポートできませんでした: - + Cannot access OpenOffice or LibreOffice OpenOfficeまたはLibreOfficeに接続できません - + Unable to open file ファイルを開けません - + File not found ファイルが見つかりません @@ -9314,109 +9506,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - 題目%sは既に存在します。既存の題目%sを用い、題目%sで賛美を作りますか? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - アルバム%sは既に存在します。既存のアルバム%sを用い、アルバム%sで賛美を作りますか? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9462,52 +9654,47 @@ Please enter the verses separated by spaces. 検索 - - Found %s song(s) - %s個の賛美が見つかりました - - - + Logout ログアウト - + View 表示 - + Title: タイトル: - + Author(s): 著者: - + Copyright: 著作権: - + CCLI Number: CCLI番号: - + Lyrics: 歌詞: - + Back 戻る - + Import インポート @@ -9547,7 +9734,7 @@ Please enter the verses separated by spaces. ログイン中にエラーが発生しました。ユーザ名またはパスワードを間違っていませんか? - + Song Imported 賛美がインポートされました @@ -9562,7 +9749,7 @@ Please enter the verses separated by spaces. この讃美はいくつかの情報 (歌詞など) が不足しており、インポートできません。 - + Your song has been imported, would you like to import more songs? 讃美のインポートが完了しました。さらにインポートを続けますか? @@ -9571,6 +9758,11 @@ Please enter the verses separated by spaces. Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9579,29 +9771,29 @@ Please enter the verses separated by spaces. Songs Mode 賛美モード - - - Display verses on live tool bar - ライブツールバーにバースを表示 - Update service from song edit 編集後に礼拝プログラムを更新 - - - Import missing songs from service files - 不足している賛美を礼拝ファイルからインポートする - Display songbook in footer フッターにソングブックを表示 + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info @@ -9626,37 +9818,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse バース - + Chorus コーラス - + Bridge ブリッジ - + Pre-Chorus 間奏 - + Intro 序奏 - + Ending エンディング - + Other その他 @@ -9664,8 +9856,8 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s + + Error: {error} @@ -9673,12 +9865,12 @@ Please enter the verses separated by spaces. SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. @@ -9690,30 +9882,30 @@ Please enter the verses separated by spaces. CSVファイルの読み込みに失敗しました。 - - Line %d: %s - %d行: %s - - - - Decoding error: %s - デコードエラー: %s - - - + File not valid WorshipAssistant CSV format. ファイルは有効なWorshipAssistant CSV形式ではありません。 - - Record %d - レコード %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. WorshipCenter Proデータベースに接続できませんでした。 @@ -9726,25 +9918,30 @@ Please enter the verses separated by spaces. CSVファイルの読み込みに失敗しました。 - + File not valid ZionWorx CSV format. ファイルは有効なZionWorx CSV形式ではありません。 - - Line %d: %s - %d行: %s - - - - Decoding error: %s - デコードエラー: %s - - - + Record %d レコード %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9754,39 +9951,960 @@ 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. このウィザードでは重複する賛美の削除をお手伝いします。重複の疑いがある賛美を削除する前に確認することができ、同意なしに削除することはありません。 - + 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. データベースに重複する賛美は見つかりませんでした。 + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + 日本語 + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/ko.ts b/resources/i18n/ko.ts index b4e685ad1..7c4601b41 100644 --- a/resources/i18n/ko.ts +++ b/resources/i18n/ko.ts @@ -120,32 +120,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font 글꼴 - + Font name: 글꼴: - + Font color: 글꼴색: - - Background color: - 배경색: - - - + Font size: 글꼴 크기: - + Alert timeout: 경고 지속시간: @@ -153,88 +148,78 @@ 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. - 성경의 데이터베이스를 최신 형식으로 업그레이드합니다. - Genesis @@ -739,160 +724,107 @@ Please type in some text before clicking New. 이 성경은 이미 존재합니다. 다른 성경을 가져 오거나 먼저 기존의 성경을 삭제 해주세요. - - 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" 서명을 한 번 이상 입력했습니다. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error 성경 참조 오류 - - Web Bible cannot be used - 웹 성경은 사용할 수 없습니다 + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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에서 지원하지 않거나 잘못되었습니다. 참조가 다음 형식 중 하나와 일치하거나 설명서와 일치하는지 확인하십시오: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -서 장 -서 장%(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절 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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. @@ -901,37 +833,83 @@ 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 구절 번호 표시 + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -987,70 +965,76 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - 선경책을 가져오는 중... %s - - - + Importing verses... done. 구절 가져오는 중... 완료. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + 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 @@ -1070,224 +1054,259 @@ 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. 선택한 구절 선별에 문제가 발생했습니다. 이 오류가 계속 일어나면 버그를 보고하십시오. + + + Importing {book}... + Importing <book name>... + + 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. %s에서 성경 목록을 다운로드하는 중 오류가 발생했습니다. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1318,114 +1337,130 @@ It is not possible to customize the Book Names. 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" 성경을 완전히 삭제하시겠습니까? - -다시 사용하려면 이 성경을 다시 가져와야합니다. + + Search + 검색 - - Advanced - 고급 설정 + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + 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. 성경 파일 형식이 들어있는 내용과 다릅니다. Zefania XML 성경 형식인 것 같습니다. Zefania 가져오기 옵션을 사용하십시오. @@ -1433,177 +1468,51 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s 가져오는 중... + + Importing {name} {chapter}... + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... 사용하지 않는 태그 제거 중(몇 분 걸립니다)... - + Importing %(bookname)s %(chapter)s... %(bookname)s %(chapter)s 가져오는 중... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - 백업 디렉터리 선택 + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 - 성경 %2$s중 %1$s 업그레이드 중: "%3$s" -실패 - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - 성경 %2$s 중 %1$s 업그레이드 중: "%s" -업그레이드 중 ... - - - - Download Error - 다운로드 오류 - - - - To upgrade your Web Bibles an Internet connection is required. - 웹 성경을 업그레이드하려면 인터넷 연결이 필요합니다. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - 성경 %2$s 중 %1$s 업그레이드 중: "%3$s" -업그레이드 중 %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - 성경 %2$s 중 %1$s 업그레이드 중: "%3$s" -완료 - - - - , %s failed - , %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. - 업그레이드할 성경이 없습니다. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. 성경 파일 형식이 들어있는 내용과 다릅니다. Zefania 성경 형식은 압축 상태인 것 같습니다. 가져오기 전 압축을 풀어야합니다. @@ -1611,9 +1520,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s 가져오는 중... + + Importing {book} {chapter}... + @@ -1728,7 +1637,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 한 번에 모든 슬라이드를 편집 - + Split a slide into two by inserting a slide splitter. 슬라이드 분할선을 삽입하여 두 슬라이드로 나눕니다. @@ -1743,7 +1652,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 만든 사람(&C): - + You need to type in a title. 제목을 입력해야합니다. @@ -1753,12 +1662,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 모두 편집(&I) - + Insert Slide 슬라이드 추가 - + You need to add at least one slide. 최소한 하나의 슬라이드를 추가해야합니다. @@ -1766,7 +1675,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide 스라이드 수정 @@ -1774,8 +1683,8 @@ 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 "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1804,11 +1713,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title 그림 - - - Load a new image. - 새 그림을 불러옵니다. - Add a new image. @@ -1839,6 +1743,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. 선택한 그림을 예배 항목에 추가합니다. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1863,12 +1777,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. 이 모음이 이미 있습니다. @@ -1904,7 +1818,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment 첨부 선택 @@ -1912,39 +1826,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. 새로 고칠 표시 항목이 없습니다. @@ -1954,25 +1851,41 @@ 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"와 여기에 들어있는 모든 항목을 제거하겠습니까? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. 화면과 다른 비율의 그림을 바탕 화면에 표시 @@ -1980,88 +1893,88 @@ Do you want to add the other images anyway? Media.player - + 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은 웹 브라우저에서 동작하는 미디어 재생 프로그램입니다. 이 미디어 재생기는 동영상에 문구를 띄울 수 있게 합니다. - + This media player uses your operating system to provide media capabilities. - + 이 미디어 재생 프로그램은 미디어 재생 기능을 제공하기 위해 운영체제를 활용합니다. 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. 선택한 미디어를 서비스에 추가합니다. @@ -2177,47 +2090,47 @@ Do you want to add the other images anyway? 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 ":" 미디어 클립 이름에 ":" 문자가 들어있으면 안됩니다 @@ -2225,90 +2138,100 @@ Do you want to add the other images anyway? 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 미디어 클립을 이미 저장했습니다 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2319,41 +2242,19 @@ Do you want to add the other images anyway? - Start Live items automatically - 라이브 항목을 자동으로 시작 - - - - OPenLP.MainWindow - - - &Projector Manager - 프로젝터 관리자(&P) + Start new Live media automatically + OpenLP - + Image Files 이미지 파일 - - Information - 정보 - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - 성경 형식이 바뀌었습니다. -기존 성서를 업그레이드해야합니다. -지금 OpenLP 업그레이드를 진행할까요? - - - + Backup 백업 @@ -2368,15 +2269,20 @@ Should OpenLP upgrade now? 데이터 폴더 백업에 실패했습니다! - - A backup of the data folder has been created at %s - 데이터 폴더 백업을 %s에 만들었습니다 - - - + Open 열기 + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2386,24 +2292,19 @@ Should OpenLP upgrade now? 만든 사람 - + 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. - + 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. @@ -2414,157 +2315,163 @@ OpenLP is free church presentation software, or lyrics projection software, used 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는 컴퓨터 및 데이터 프로젝터를 활용하여 교회 찬양 사역에 활용하는 노래 슬라이드, 성경 구절, 동영상, 그림 및 (임프레스, 파워포인트 보기 프로그램을 설치했을 때) 기타 프리젠테이션 컨텐트를 보여주는 자유로운 교회 프리젠테이션, 가사 프로젝션 프로그램입니다. + +OpenLP 추가 정보: http://openlp.org/ + +OpenLP는 다양한 기여자가 작성하고 관리합니다. 작성 중인 자유 기독교 활용 프로그램을 더 많이 보시려면 하단 단추를 눌러 참여해보십시오. - + Volunteer - + 봉사자 Project Lead - + 프로젝트 지휘 Developers - + 개발자 Contributors - + 기여자 Packagers - + 꾸러미 처리자 Testers - + 테스터 Translators - + 번역자 Afrikaans (af) - + 아프리칸스(af) Czech (cs) - + 체코어(cs) Danish (da) - + 덴마크어(da) German (de) - + 독일어(de) Greek (el) - + 그리스어(el) English, United Kingdom (en_GB) - + 영국 영어(en_GB) English, South Africa (en_ZA) - + 남아프리카 영어(en_ZA) Spanish (es) - + 스페인어(es) Estonian (et) - + 에스토니아어(et) Finnish (fi) - + 핀란드어(fi) French (fr) - + 프랑스어(fr) Hungarian (hu) - + 헝가리어(hu) Indonesian (id) - + 인도네시아어(id) Japanese (ja) - + 일본어(ja) Norwegian Bokmål (nb) - + 노르웨이 보크몰(nb) Dutch (nl) - + 네덜란드어(nl) Polish (pl) - + 폴란드어(pl) Portuguese, Brazil (pt_BR) - + 브라질 포르투갈어(pt_BR) Russian (ru) - + 러시아어(ru) Swedish (sv) - + 스웨덴어(sv) Tamil(Sri-Lanka) (ta_LK) - + 타밀어(스리랑카)(ta_LK) Chinese(China) (zh_CN) - + 중국어(중국)(zh_CN) Documentation - + 문서 @@ -2593,342 +2500,391 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} OpenLP.AdvancedTab - + UI Settings UI 설정 - - - 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 창 관리자 건너뛰기 - + 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 기존 데이터를 덮어씁니다 - + + Thursday + 목요일 + + + + Display Workarounds + + + + + Use alternating row colours in lists + + + + + Restart Required + 다시 시작 필요 + + + + This change will only take effect once OpenLP has been restarted. + 여기서 바꾼 설정은 OpenLP를 다시 시작했을 때 적용됩니다. + + + + 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. + + + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + 자동 + + + + Revert to the default service name "{name}". + + + + OpenLP data directory was not found -%s +{path} 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 +{path} The data directory will be changed when OpenLP is closed. - OpenLP 데이터 디렉터리 위치를 다음 경로로 바꾸시겠습니까? - -%s - -이 데이터 디렉터리는 OpenLP를 닫았을 때 바뀝니다. - - - - Thursday - 목요일 - - - - Display Workarounds - - Use alternating row colours in lists - - - - + WARNING: The location you have selected -%s +{path} 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를 다시 시작했을 때 적용됩니다. - - - - 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.ColorButton - + Click to select a color. 색상을 선택하려면 클릭하세요. @@ -2936,252 +2892,252 @@ This location will be used after OpenLP is closed. 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 @@ -3189,72 +3145,86 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred 오류 발생 - + Send E-Mail 이메일 보내기 - + Save to File 파일로 저장하기 - + Attach File 파일 첨부 - - - Description characters to enter : %s - - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - - 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. Also attach any files that triggered the problem. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation OpenLP.ExceptionForm - - Platform: %s - - - - - + Save Crash Report 오류 보고서 저장 - + Text files (*.txt *.log *.text) 텍스트 파일 (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm File Rename - + 파일 이름 바꾸기 New File Name: - + 새 파일 이름: @@ -3267,12 +3237,12 @@ This location will be used after OpenLP is closed. Select Translation - + 번역 언어 선택 Choose the translation you'd like to use in OpenLP. - + OpenLP에서 사용할 번역 언어를 선택하십시오. @@ -3283,262 +3253,257 @@ This location will be used after OpenLP is closed. 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. + 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 + 설정하는 중 + + + + Download Error + 다운로드 오류 + + + + There was a connection problem during download, so further downloads will be skipped. Try to re-run the First Time Wizard later. - - Set up default settings to be used by OpenLP. + + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. + 다운로드 중 연결에 문제가 있어 건너뛰었습니다. 나중에 첫 단계 마법사를 다시 실행하십시오. + + + + 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 + 초기 설정 정보를 가져오려 연결하려던 중 네트워크 오류가 발생했습니다 + + + + Unable to download some files + 일부 파일을 다운로드할 수 없습니다 + + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. - 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. + 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 {button} 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 +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. @@ -3583,43 +3548,48 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML을 여기에> - + Validation Error 검증 오류 - + Description is missing - + 설명이 빠졌습니다 - + Tag is missing - + 태그가 빠졌습니다 - Tag %s already defined. + Tag {tag} already defined. - Description %s already defined. + Description {tag} already defined. - - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML - - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} @@ -3673,12 +3643,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Superscript - + 위 첨자 Subscript - + 아래 첨자 @@ -3703,176 +3673,206 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 가로 - + 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 + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + 화면에 표시할 그림 파일을 탐색합니다. + + + + Revert to the default OpenLP logo. + OpenLP 로고를 기본 상태로 되돌립니다. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language 언어 - + Please restart OpenLP to use your new language setting. @@ -3880,7 +3880,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP 화면 @@ -3907,11 +3907,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View 보기(&V) - - - M&ode - 상태(&O) - &Tools @@ -3932,16 +3927,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help 도움말(&H) - - - Service Manager - 예배 내용 관리자 - - - - Theme Manager - 테마 관리자 - Open an existing service. @@ -3967,11 +3952,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit 나가기(&X) - - - Quit OpenLP - OpenLP를 끝냅니다 - &Theme @@ -3983,191 +3963,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 - 라이브 패널(&L) - - - - Toggle Live Panel - 라이브 패널 상태 전환 - - - - Toggle the visibility of the live panel. - 라이브 패널의 표시 여부를 전환합니다. - - - - 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 실황(&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 Korean @@ -4178,27 +4034,27 @@ http://openlp.org/에서 최신 버전을 다운로드할 수 있습니다.바로 가기 설정(&S)... - + 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. 모든 테마의 미리보기 그림을 업데이트합니다. @@ -4208,45 +4064,35 @@ http://openlp.org/에서 최신 버전을 다운로드할 수 있습니다.현재 서비스를 인쇄합니다. - - 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. - + Clear List Clear List of recent files 목록 지우기 - + Clear the list of recent files. 최근 파일 목록을 지웁니다. @@ -4255,75 +4101,36 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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 @@ -4335,12 +4142,12 @@ Re-running this wizard may make changes to your current OpenLP configuration and 라이브러리 - + 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. @@ -4349,7 +4156,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4358,35 +4165,10 @@ 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 - &Recent Services @@ -4395,154 +4177,363 @@ Processing has terminated and no changes have been made. &New Service - + 새 예배 프로그램(&N) &Open Service - + 예배 프로그램 열기(&O) &Save Service - + 예배 프로그램 저장(&S) Save Service &As... - + 다른 이름으로 예배 프로그램 저장(&A)... &Manage Plugins - + 플러그인 관리(&M) - + Exit OpenLP - + OpenLP 나가기 - + Are you sure you want to exit OpenLP? + 정말로 OpenLP를 나가시겠습니까? + + + + &Exit OpenLP + OpenLP 나가기(&E) + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. - - &Exit OpenLP + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + 예배 + + + + Themes + 테마 + + + + Projectors + 프로젝터 + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) 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에서 데이터베이스를 불러올 수 없습니다. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -데이터베이스: %s +Database: {db_name} + 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. 실황으로 보낼 하나 이상의 항목을 선택해야합니다. - + 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. 가져오기 과정에 중복 파일을 찾았으며 건너뛰었습니다. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> 태그가 없습니다. - + <verse> tag is missing. <verse> 태그가 없습니다. @@ -4550,22 +4541,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status 알 수 없는 상태 - + No message 메시지 없음 - + Error while sending data to projector 프로젝터에 데이터 보내는 중 오류 - + Undefined command: 지정하지 않은 명령: @@ -4573,89 +4564,84 @@ Suffix not supported OpenLP.PlayerTab - + Players 재생 프로그램 - + Available Media Players 존재하는 미디어 재생 프로그램 - + Player Search Order - + 재생 프로그램 검색 순서 - + Visible background for videos with aspect ratio different to screen. - + 화면 비가 다른 동영상의 배경 여백을 표시합니다. - + %s (unavailable) %s (없음) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + 참고: VLC를 활용하려면 %s 버전을 설치하십시오 OpenLP.PluginForm - + Plugin Details 플러그인 세부 정보 - + Status: 상태: - + Active 활성 - - Inactive - 비활성 - - - - %s (Inactive) - %s (비활성) - - - - %s (Active) - %s (활성) + + Manage Plugins + 플러그인 관리 - %s (Disabled) - %s (사용 안함) + {name} (Disabled) + - - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page 페이지에 맞춤 - + Fit Width 폭 맞춤 @@ -4663,77 +4649,77 @@ Suffix not supported 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: 사용자 정의 꼬릿말 문구: @@ -4741,257 +4727,257 @@ Suffix not supported 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 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) 요청한 소켓 처리를 로컬 운영체제에서 지원하지 않습니다(예: IPv6 지원 기능 빠짐) - + The socket is using a proxy, and the proxy requires authentication 소켓은 프록시를 거치며 프록시에서 인증이 필요합니다. - + 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 프록시 서버에서 온 응답을 해석할 수 없어 프록시 서버 연결 과정 처리에 실패했습니다. @@ -4999,17 +4985,17 @@ Suffix not supported 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 중복 이름 @@ -5017,52 +5003,52 @@ Suffix not supported 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 프로젝터 정보 저장에 오류가 있습니다. 오류 로그를 살펴보십시오 @@ -5070,305 +5056,360 @@ Suffix not supported 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 아직 구현하지 않음 - - Delete projector (%s) %s? + + Are you sure you want to delete this projector? - - Are you sure you want to delete this projector? + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + 인증 오류 + + + + No Authentication Error OpenLP.ProjectorPJLink - + Fan 냉각팬 - + Lamp 램프 - + Temperature 온도 - + Cover 덮개 - + Filter 필터 - + Other 기타 @@ -5414,17 +5455,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address 중복된 IP 주소 - + Invalid IP Address 잘못된 IP 주소 - + Invalid Port Number 잘못된 포트 번호 @@ -5437,27 +5478,27 @@ Suffix not supported 화면 - + primary 첫번째 OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>시작</strong>: %s - - - - <strong>Length</strong>: %s - <strong>길이</strong>: %s - - [slide %d] - [%d번 슬라이드] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5521,52 +5562,52 @@ Suffix not supported 선택한 항목을 예배에서 제거합니다. - + &Add New Item &새로운 항목 추가 - + &Add to Selected Item - + 선택한 항목에 추가(&A) - + &Edit Item &항목 수정 - + &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 @@ -5591,7 +5632,7 @@ Suffix not supported 모든 예배 항목을 접습니다. - + Open File 파일 열기 @@ -5621,22 +5662,22 @@ Suffix not supported - + &Start Time 시작 시간(&S) - + Show &Preview 미리 보기 표시(&P) - + Modified Service - + The current service has been modified. Would you like to save this service? 현재 예배가 수정되었습니다. 이 예배를 저장할 까요? @@ -5656,27 +5697,27 @@ Suffix not supported 재생 시간: - + Untitled Service 제목 없는 예배 - + File could not be opened because it is corrupt. 파일이 깨져 열 수 없습니다. - + Empty File 빈 파일 - + This service file does not contain any data. 예배 파일에 데이터가 없습니다. - + Corrupt File 파일 깨짐 @@ -5696,144 +5737,144 @@ Suffix not supported 예배 내용에 대한 테마를 선택하십시오. - + 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 - + &Auto play slides - + Auto play slides &Loop - + Auto play slides &Once - + &Delay between slides - + 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 + + The following file(s) in the service are missing: {name} + +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. + + An error occurred while writing the service file: {error} @@ -5866,15 +5907,10 @@ These files will be removed if you continue to save. 단축키 - + Duplicate Shortcut 단축키 중복 - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - "%s" 단축키를 이미 다른 동작에 할당했습니다. 다른 바로 - Alternate @@ -5883,7 +5919,7 @@ These files will be removed if you continue to save. Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. - + 동작을 선택한 후 처음 또는 대체 쇼트컷 녹화를 각각 시작하려면 하단 단추를 누르십시오. @@ -5920,219 +5956,234 @@ These files will be removed if you continue to save. Configure Shortcuts 단축키 설정 + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + 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. - + 슬라이드 재생 + 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 트랙 + + + Loop playing media. + + + + + Video timer. + + 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 - + 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? @@ -6140,17 +6191,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions - + Formatting Tags - + Language: 언어: @@ -6229,7 +6280,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (슬라이드당 평균 %d 줄) @@ -6237,521 +6288,531 @@ These files will be removed if you continue to save. 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. 기본 테마를 삭제할 수 없습니다. - + 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 테마 이름 바꾸기(&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) - - %s time(s) by %s - - - - + Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s +{text} 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. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6834,73 +6895,73 @@ These files will be removed if you continue to save. 수직 정렬(&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 곡 가져오기 마법사를 사용하시는 여러분 반갑습니다 @@ -6950,39 +7011,34 @@ These files will be removed if you continue to save. 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 작성자: @@ -6992,502 +7048,490 @@ These files will be removed if you continue to save. 알 수 없는 작성자 - + 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 h - + 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 m - + 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 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: CCLI 곡 번호: - + Preview Toolbar 미리보기 도구 모음 - + OpenLP - + Replace live background is not available when the WebKit player is disabled. @@ -7503,29 +7547,100 @@ Please try selecting it individually. Plural + + + Background color: + 배경색: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + 동영상 + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + 성경 없음 + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s와(과) %s - + %s, and %s Locale list separator: end - + %s, %s Locale list separator: middle - + %s, %s Locale list separator: start @@ -7550,44 +7665,44 @@ Please try selecting it individually. 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. - + 선택한 프리젠테이션을 예배 프로그램에 추가합니다. @@ -7595,7 +7710,7 @@ Please try selecting it individually. Select Presentation(s) - + 프리젠테이션 선택 @@ -7608,46 +7723,46 @@ Please try selecting it individually. - + File Exists - + A presentation with that filename already exists. - + This type of presentation is not supported. - - Presentations (%s) - - - - + Missing Presentation + 프리젠테이션 빠짐 + + + + Presentations ({text}) - - The presentation %s is incomplete, please reload. + + The presentation {name} no longer exists. - - The presentation %s no longer exists. + + The presentation {name} is incomplete, please reload. 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. @@ -7656,22 +7771,17 @@ Please try selecting it individually. Available Controllers - - - - - %s (unavailable) - %s (없음) + 존재하는 컨트롤러 Allow presentation application to be overridden - + 프리젠테이션 프로그램 설정 중복 적용 허용 PDF options - + PDF 옵션 @@ -7679,28 +7789,34 @@ Please try selecting it individually. - + 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. + Clicking on the current slide advances to the next effect - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) @@ -7715,155 +7831,155 @@ Please try selecting it individually. 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 설정 - + Remote - + 원격 - + Stage View - + Live View @@ -7871,78 +7987,88 @@ Please try selecting it individually. RemotePlugin.RemoteTab - + Serve on IP address: - + 제공 IP 주소: - + Port number: - - - - - Server Settings - - - - - Remote URL: - - - - - Stage view URL: - - - - - Display stage time in 12h format - - - - - Android App - - - - - 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. - + Server Settings + 서버 설정 - - User Authentication - + + Remote URL: + 원격 URL: - - User id: - + + Stage view URL: + 스테이지 뷰 URL: + + + + Display stage time in 12h format + 12시간 형식으로 스테이지 시간 표시 + Android App + 안드로이드 앱 + + + + 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 인증서를 찾을 수 없습니다. SSL 인증서를 찾기 전까지 HTTPS 서버를 사용할 수 없습니다. 자세한 정보는 설명서를 참고하십시오. + + + + User Authentication + 사용자 인증 + + + + User id: + 사용자 ID: + + + Password: 암호: - + Show thumbnails of non-text slides in remote and stage view. + 원격 및 스테이지 보기의 비 텍스트 슬라이드 미리 보기 그림을 표시합니다. + + + + iOS App - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. @@ -7951,83 +8077,83 @@ Please try selecting it individually. &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 플러그인</strong><br />이 플러그인은 예배 프로그램의 곡 재생 상태를 추적합니다. + + + + SongUsage + name singular + SongUsage SongUsage - name singular - - - - - SongUsage name plural - + SongUsage - + SongUsage container title - + SongUsage - + Song Usage - + 곡 재생 기록 - + Song usage tracking is active. - + 곡 재생 기록 추적을 활성화했습니다. - + Song usage tracking is inactive. - + 곡 재생 기록 추적을 비활성화했습니다. - + display - + printed @@ -8037,33 +8163,34 @@ Please try selecting it individually. 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. - + 요청한 모든 데이터 삭제에 성공했습니다. @@ -8071,12 +8198,12 @@ All data recorded before this date will be permanently deleted. Song Usage Extraction - + 곡 재생 기록 추출 Select Date Range - + 날짜 범위를 선택하십시오 @@ -8086,34 +8213,22 @@ All data recorded before this date will be permanently deleted. Report Location - + 보고서 위치 Output File Location - + 출력 파일 위치 - - usage_detail_%s_%s.txt - - - - + Report Creation - - - - - Report -%s -has been successfully created. - + 보고서 작성 Output Path Not Selected - + 출력 경로를 선택하지 않았습니다 @@ -8122,211 +8237,226 @@ Please select an existing path on your computer. - + Report Creation Failed - - An error occurred while creating the report: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} 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) - + 아라비아어(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 - + Import songs from CCLI's SongSelect service. - + Find &Duplicate Songs 중복 노래 찾기(&D) - + Find and remove duplicate songs in the song database. 노래 데이터베이스에서 중복 노래를 찾아 제거합니다. @@ -8415,61 +8545,66 @@ The encoding is responsible for the correct character representation. 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] - + 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data 메타데이터 - + Custom Book Names 사용자 정의 책 이름 @@ -8534,7 +8669,7 @@ The encoding is responsible for the correct character representation. New &Theme - + 새 테마(&T) @@ -8552,69 +8687,69 @@ The encoding is responsible for the correct character representation. - + 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. - + 최소한 1절은 입력해야합니다. - + You need to have an author for this song. - + 이 곡의 작사가가 있어야합니다. Linked Audio - + 연결한 오디오 Add &File(s) - + 파일 추가(&F) @@ -8624,33 +8759,27 @@ The encoding is responsible for the correct character representation. 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 is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - - - + Invalid Verse Order - + 잘못된 가사 절 순서` @@ -8658,21 +8787,15 @@ Please enter the verses separated by spaces. - + Edit Author Type - + Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks @@ -8681,12 +8804,12 @@ Please enter the verses separated by spaces. Add &to Song - + 곡에 추가(&T) Re&move - + 제거(&M) @@ -8694,45 +8817,71 @@ Please enter the verses separated by spaces. - + Add Songbook - + 곡집 추가 - + This Songbook does not exist, do you want to add it? - + 이 곡집이 없습니다. 추가하시겠습니까? - + This Songbook is already in the list. + 이 곡집이 이미 목록에 있습니다. + + + + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + 유효한 곡집을 선택하지 않았습니다. 목록에서 곡집을 선택하거나, 새 곡집 이름을 입력한 후 "곡에 추가" 단추를 눌러 새 곡집을 추가하십시오. + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. - - You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name SongsPlugin.EditVerseForm - - - Edit Verse - - - &Verse type: - + Edit Verse + 가사 절 편집 - - &Insert - + + &Verse type: + 가사 절 형식(&V): + &Insert + 삽입(&I) + + + Split a slide into two by inserting a verse splitter. @@ -8742,335 +8891,345 @@ Please enter the verses separated by spaces. Song Export Wizard - - - - - Select Songs - + 곡 내보내기 마법사 - Check the songs you want to export. - + Select Songs + 곡 선택 - - Uncheck All - + + Check the songs you want to export. + 내보낼 곡을 표시하십시오. - Check All - + Uncheck 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 - + Check All + 모두 표시 - Select the directory where you want the songs to be saved. - + 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. - + 잘못된 Folipresenter 곡 파일 형식입니다. 가사 절이 없습니다. SongsPlugin.GeneralTab - + Enable search as you type - + 입력과 동시에 검색 활성화 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. 음악을 가져오는 중입니다. - + 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 Files - + CCLI SongSelect Files - + EasySlides XML File - + EasyWorship Song Database - + DreamBeam Song Files - + You need to specify a valid PowerSong 1.0 database folder. - + 올바른 PowerSong 1.0 데이터베이스 폴더를 지정해야합니다. - + 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. - + OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases - + LyriX Files - + LyriX (Exported TXT-files) - + VideoPsalm Files - + VideoPsalm - - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} @@ -9078,8 +9237,13 @@ Please enter the verses separated by spaces. SongsPlugin.LyrixImport - Error: %s - 오류: %s + File {name} + + + + + Error: {error} + @@ -9092,85 +9256,123 @@ Please enter the verses separated by spaces. 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: - + Entire Song - + 전체 노래 - + Maintain the lists of authors, topics and books. - + copy For song cloning 복사하기 - + Search Titles... - + 제목 검색 - + Search Entire Song... - + 전체 노래 검색 - + Search Lyrics... 가사 검색... - + Search Authors... - + 작곡자 검색 - - Are you sure you want to delete the "%d" selected song(s)? - - - - + Search Songbooks... + + + Search Topics... + + + + + Copyright + + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. @@ -9178,8 +9380,8 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... + + Exporting "{title}"... @@ -9188,7 +9390,7 @@ Please enter the verses separated by spaces. Invalid OpenSong song file. Missing song tag. - + 유효하지 않은 OpenSong 파일. Tag 유실. @@ -9196,31 +9398,39 @@ Please enter the verses separated by spaces. No songs to import. - + 아무 노래도 가져오지 않음. - + Verses not found. Missing "PART" header. - No %s files found. + No {text} files found. - Invalid %s file. Unexpected byte value. + Invalid {text} file. Unexpected byte value. - Invalid %s file. Missing "TITLE" header. + Invalid {text} file. Missing "TITLE" header. - - Invalid %s file. Missing "COPYRIGHTLINE" header. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. @@ -9250,18 +9460,18 @@ 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 + + Your song export failed because this error occurred: {error} @@ -9278,126 +9488,126 @@ Please enter the verses separated by spaces. - + 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 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? @@ -9444,52 +9654,47 @@ Please enter the verses separated by spaces. 검색 - - Found %s song(s) - %s곡 찾았습니다. - - - + Logout 로그아웃 - + View 보기 - + Title: 제목: - + Author(s): 작곡자: - + Copyright: 저작권: - + CCLI Number: CCLI 번호 - + Lyrics: 가사: - + Back 뒤로 - + Import 가져오기 @@ -9529,7 +9734,7 @@ Please enter the verses separated by spaces. 로그인 중 문제가 생겼습니다. 사용자명이나 암호가 잘 못 된것 같습니다. - + Song Imported @@ -9544,7 +9749,7 @@ Please enter the verses separated by spaces. - + Your song has been imported, would you like to import more songs? @@ -9553,6 +9758,11 @@ Please enter the verses separated by spaces. Stop 멈추기 + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9561,29 +9771,29 @@ Please enter the verses separated by spaces. Songs Mode - - - Display verses on live tool bar - - Update service from song edit - - - Import missing songs from service files - - Display songbook in footer + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info @@ -9608,37 +9818,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse - + Chorus 후렴 - + Bridge 브리지 - + Pre-Chorus Pre-전주 - + Intro 전주 - + Ending 아웃트로 - + Other 기타 @@ -9646,21 +9856,21 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - 오류: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. @@ -9672,30 +9882,30 @@ Please enter the verses separated by spaces. - - Line %d: %s - - - - - Decoding error: %s - - - - + File not valid WorshipAssistant CSV format. - - Record %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. @@ -9708,25 +9918,30 @@ Please enter the verses separated by spaces. - + File not valid ZionWorx CSV format. - - Line %d: %s - - - - - Decoding error: %s - - - - + Record %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9736,39 +9951,960 @@ 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. - + 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. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Korean + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/lt.ts b/resources/i18n/lt.ts index f0ab69f80..fe43a58ba 100644 --- a/resources/i18n/lt.ts +++ b/resources/i18n/lt.ts @@ -40,7 +40,7 @@ Alert Message - Įspėjamasis Pranešimas + Įspėjamasis pranešimas @@ -55,7 +55,7 @@ &Save - Iš&saugoti + Į&rašyti @@ -65,12 +65,12 @@ Display && Cl&ose - Rodyti ir &Uždaryti + Rodyti ir &užverti New Alert - Naujas Įspėjimas + Naujas įspėjimas @@ -80,7 +80,7 @@ No Parameter Found - Parametras Nerastas + Parametras nerastas @@ -92,7 +92,7 @@ Ar vistiek norite tęsti? No Placeholder Found - Vietaženklis Nerastas + Vietaženklis nerastas @@ -120,32 +120,27 @@ Prašome prieš spustelėjant Naujas, įrašyti tekstą. 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: @@ -153,87 +148,77 @@ Prašome prieš spustelėjant Naujas, įrašyti tekstą. BiblesPlugin - + &Bible &Bibliją - + Bible name singular Biblija - + Bibles name plural Biblijos - + Bibles container title Biblijos - + No Book Found - Knyga Nerasta + 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. + Pridėti pasirinktą Bibliją į pamaldų programą. - + <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 - Na&ujinti senesnes Biblijas - - - - Upgrade the Bible databases to the latest format. - Atnaujinti Biblijos duomenų bazes iki paskiausio formato. + <strong>Biblijos papildinys</strong><br />Biblijos papildinys suteikia galimybę pamaldų metu rodyti Biblijos eilutes iš įvairių šaltinių. @@ -731,169 +716,126 @@ Prašome prieš spustelėjant Naujas, įrašyti tekstą. Bible Exists - Biblija Jau Yra + 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ą. + + + Duplicate Book Name + Dublikuoti knygos pavadinimą + - You need to specify a book name for "%s". - Turite nurodyti knygos pavadinimą knygai "%s". + You need to specify a book name for "{text}". + Turite nurodyti knygos pavadinimą knygai "{text}". - The book name "%s" is not correct. + The book name "{name}" 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. + Knygos pavadinimas "{name}" nėra teisingas. Skaičiai gali būti naudojami tik pradžioje, o po jų privalo - sekti vienas ar daugiau neskaitinių simbolių. +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ą. + + The Book Name "{name}" has been entered more than once. + Knygos pavadinimas "{name}" įvestas daugiau kaip vieną kartą. BiblesPlugin.BibleManager - + Scripture Reference Error - Šventojo Rašto Nuorodos Klaida + Šventojo Rašto nuorodos klaida - - Web Bible cannot be used - Žiniatinklio Biblija negali būti naudojama + + Web Bible cannot be used in Text Search + Saityno Biblija negali būti naudojama teksto paieškoje - - 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 atliktumėte visų raktažodžių paiešką ir galite atskirti juos kableliais, kad ieškotumėte 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 vieną iš sekančių šablonų arba ieškokite infomacijos vartotojo vadove: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -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ė +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Teksto paieška nėra prieinama su saityno Biblijomis. +Prašome vietoj to, naudoti Šventojo Rašto nuorodos +paiešką. + +Tai reiškia, kad šiuo metu naudojama Biblija +arba antroji Biblija yra įdiegta kaip saityno Biblija. + +Jeigu jūs bandėte atlikti nuorodos paiešką +suderintoje paieškoje, tuomet jūsų nuoroda +yra neteisinga. + + + + Nothing found + Nieko nerasta BiblesPlugin.BiblesTab - + Verse Display - Eilučių Rodymas + Eilučių rodymas - + Only show new chapter numbers Rodyti tik naujo skyriaus numerius - + Bible theme: Biblijos tema: - + No Brackets - Be Skliaustelių + 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 + Rodyti antrosios Biblijos eilutes - + Custom Scripture References - Tinkintos Šventojo Rašto Nuorodos + 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. @@ -902,36 +844,83 @@ Jie turi būti atskirti vertikalia juosta "|". Norėdami naudoti numatytąją reikšmę, išvalykite šią eilutę. - + English Lithuanian - + Default Bible Language - Numatytoji Biblijos Kalba + Numatytoji Biblijos kalba - + Book name language in search field, search results and on display: Knygų pavadinimų kalba paieškos laukelyje, paieškos rezultatuose ir ekrane: - + Bible Language - Biblijos Kalba + Biblijos kalba + + + + Application Language + Progamos kalba + + + + Show verse numbers + Rodyti eilučių numerius - Application Language - Progamos Kalba + Note: Changes do not affect verses in the Service + Pastaba: Pokyčiai nepaveiks pamaldų programoje esančių eilučių. - - Show verse numbers - Rodyti eilučių numerius + + Verse separator: + Eilutės skirtukas: + + + + Range separator: + Atkarpos skirtukas: + + + + List separator: + Sąrašo skirtukas: + + + + End mark: + Pabaigos žymė: + + + + Quick Search Settings + Greitos paieškos nustatymai + + + + Reset search type to "Text or Scripture Reference" on startup + Paleidus programą, atstatyti paieškos tipą į "Tekstas ar Šventojo Rašto nuoroda" + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Nerodyti klaidos, jeigu nieko nerasta paieškoje "Tekstas ar Šventojo Rašto nuoroda" + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Automatiškai atlikti paiešką, renkant tekstą (Dėl našumo priežasčių, +teksto paieškoje privalo būti mažiausiai {count} simboliai ir tarpas) @@ -939,7 +928,7 @@ paieškos rezultatuose ir ekrane: Select Book Name - Pasirinkite Knygos Pavadinimą + Pasirinkite knygos pavadinimą @@ -954,7 +943,7 @@ paieškos rezultatuose ir ekrane: Show Books From - Rodyti Knygas Iš + Rodyti knygas iš @@ -988,70 +977,76 @@ paieškos rezultatuose ir ekrane: BiblesPlugin.CSVBible - - Importing books... %s - Importuojamos knygos... %s - - - + Importing verses... done. Importuojamos eilutės... atlikta. + + + Importing books... {book} + Importuojamos knygos... {book} + + + + Importing verses from {book}... + Importing verses from <book name>... + Importuojamos eilutės iš {book}... + BiblesPlugin.EditBibleForm - + Bible Editor - Biblijos Redaktorius + Biblijos redaktorius - + License Details - Išsamiau apie Licenciją + Išsamiau apie licenciją - + Version name: Versijos pavadinimas: - + Copyright: - Autorių Teisės: + Autorių teisės: - + Permissions: Leidimai: - + Default Bible Language - Numatytoji Biblijos Kalba + Numatytoji Biblijos kalba - + Book name language in search field, search results and on display: Knygų pavadinimų kalba paieškos laukelyje, paieškos rezultatuose ir ekrane: - + Global Settings - Globalūs Nustatymai + Globalūs nustatymai - + Bible Language - Biblijos Kalba - - - - Application Language - Progamos Kalba + Biblijos kalba + Application Language + Progamos kalba + + + English Lithuanian @@ -1059,243 +1054,278 @@ paieškos rezultatuose ir ekrane: This is a Web Download Bible. It is not possible to customize the Book Names. - Tai yra per Žiniatinklį Atsiųsta Biblija. -Neįmanoma nustatyti pasirinktinus Knygų Pavadinimus. + Tai yra per saityną atsiųsta Biblija. +Neįmanoma nustatyti pasirinktinus knygų pavadinimus. 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". + Norint naudoti pasirinktinus knygų pavadinimus, Metaduomenų 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... + Registruojama kalba... - - Importing %s... - Importing <book name>... - Importuojama %s... - - - + Download Error - Atsisiuntimo Klaida + 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 + 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ą. + + + Importing {book}... + Importing <book name>... + Importuojama {book}... + BiblesPlugin.ImportWizardForm - + Bible Import Wizard - Biblijos Importavimo Vedlys + Biblijos importavimo vediklis - + 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. + Šis vediklis 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į + Atsiuntimas per saityną - + Location: Vieta: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Biblija: - + Download Options - Atsisiuntimo Parinktys + Atsisiuntimo parinktys - + Server: Serveris: - + Username: Naudotojo vardas: - + Password: Slaptažodis: - + Proxy Server (Optional) - Įgaliotasis Serveris (Nebūtina) + Įgaliotasis serveris (Nebūtina) - + License Details - Išsamiau apie Licenciją + Išsamiau apie licenciją - + Set up the Bible's license details. - Nustatykite Biblijos licencijos detales. + Nustatykite išsamesnę Biblijos licencijos informaciją. - + Version name: Versijos pavadinimas: - + Copyright: - Autorių Teisės: + Autorių 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 autorių teises. Biblijos Viešojoje Srityje turi būti pažymėtos kaip tokios. - + Bible Exists - Biblija Jau Yra + 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 + 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 Spustelėkite, norėdami atsisiųsti Biblijų sąrašą - + Download bible list Atsisiųsti Biblijų sąrašą - + 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. + + + Bibles: + Biblijos: + + + + SWORD data folder: + SWORD duomenų aplankas: + + + + SWORD zip-file: + SWORD zip-failas: + + + + Defaults to the standard SWORD data folder + Atstato standartinį SWORD duomenų aplanką + + + + Import from folder + Importuoti iš aplanko + + + + Import from Zip-file + Importuoti iš Zip-failo + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Norint importuoti SWORD Biblijas, privalo būti įdiegtas pysword python modulis. Prašome skaityti naudotojo vadovą, kad sužinotumėte instrukcijas. + BiblesPlugin.LanguageDialog Select Language - Pasirinkite Kalbą + Pasirinkite kalbą @@ -1319,114 +1349,135 @@ Neįmanoma nustatyti pasirinktinus Knygų Pavadinimus. BiblesPlugin.MediaItem - - Quick - Greita - - - + Find: Rasti: - + Book: Knyga: - + Chapter: Skyrius: - + Verse: Eilutė: - + From: Nuo: - + To: Iki: - + Text Search - Ieškoti Teksto - - - - Second: - Antra: + Ieškoti teksto - Scripture Reference - Šventojo Rašto Nuoroda + Second: + Antroji: - + + Scripture Reference + Šventojo Rašto nuoroda + + + Toggle to keep or clear the previous results. Perjunkite, kad išlaikytumėte ar išvalytumėte 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... + Šventojo Rašto nuorodos paieška... - + Search Text... - Ieškoti Tekste... + Ieškoti tekste... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Paieška + + + + Select + Pasirinkti + + + + Clear the search results. + Išvalyti paieškos rezultatus. + + + + Text or Reference + Tekstas ar nuoroda + + + + Text or Reference... + Tekstas ar nuoroda... + + + + Are you sure you want to completely delete "{bible}" 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? + Ar tikrai norite pilnai ištrinti "{bible}" Bibliją iš OpenLP? Norint vėl ja naudotis, jums reikės iš naujo ją importuoti. - - Advanced - Išplėstinė + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + Antrojoje Biblijoje nėra visų eilučių, kurios yra pagrindinėje Biblijoje. +Bus rodomos tik eilutės rastos abiejose Biblijose. + +{count:d} eilučių nebuvo įtraukta į rezultatus. 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į. @@ -1434,177 +1485,53 @@ Norint vėl ja naudotis, jums reikės iš naujo ją importuoti. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importuojama %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + Importuojama {name} {chapter}... 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... + + + The file is not a valid OSIS-XML file: +{text} + Failas nėra teisingas OSIS-XML failas: +{text} + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Pasirinkite Atsarginės Kopijos Katalogą + + Importing {name}... + Importuojama {name}... + + + BiblesPlugin.SwordImport - - 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 - Nėra reikalo daryti atsarginę mano Biblijų kopiją - - - - 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 - 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. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + Importuojant SWORD Bibliją, įvyko netikėta klaida, prašome pranešti apie šią klaidą OpenLP kūrėjams. +{error} 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. @@ -1612,9 +1539,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importuojama %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importuojama {book} {chapter}... @@ -1623,19 +1550,19 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Custom Slide name singular - Tinkinta Skaidrė + Tinkinta skaidrė Custom Slides name plural - Tinkintos Skaidrės + Tinkintos skaidrės Custom Slides container title - Tinkintos Skaidrės + Tinkintos skaidrės @@ -1675,12 +1602,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected custom slide to the service. - Pridėti pasirinktą tinkintą skaidrę prie pamaldų programos. + Pridėti pasirinktą tinkintą skaidrę į pamaldų programą. <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. + <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. @@ -1688,7 +1615,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Custom Display - Tinkintas Rodinys + Tinkintas rodinys @@ -1706,7 +1633,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit Custom Slides - Redaguoti Tinkintas Skaidres + Redaguoti tinkintas skaidres @@ -1729,7 +1656,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Redaguoti visas skaidres iš karto. - + Split a slide into two by inserting a slide splitter. Padalinti skaidrę į dvi, įterpiant skaidrės skirtuką. @@ -1744,22 +1671,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Padėkos: - + You need to type in a title. Turite įrašyti pavadinimą. Ed&it All - Re&daguoti Visą + Re&daguoti visą - + Insert Slide - Įterpti Skaidrę + Įterpti skaidrę - + You need to add at least one slide. Jūs turite pridėti bent vieną skaidrę. @@ -1767,17 +1694,17 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide - Redaguoti Skaidrę + Redaguoti skaidrę CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Ar tikrai norite ištrinti "{items:d}" pasirinktą tinkintą skaidrę(-es)? @@ -1785,7 +1712,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I <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. + <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. @@ -1805,11 +1732,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Paveikslai - - - Load a new image. - Įkelti naują paveikslą. - Add a new image. @@ -1838,7 +1760,17 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. - Pridėti pasirinktą paveikslą prie pamaldų programos. + Pridėti pasirinktą paveikslą į pamaldų programą. + + + + Add new image(s). + Pridėti naują paveikslą(-us). + + + + Add new image(s) + Pridėti naują paveikslą(-us) @@ -1864,12 +1796,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. @@ -1879,7 +1811,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Select Image Group - Pasirinkite Paveikslų Grupę + Pasirinkite paveikslų grupę @@ -1905,47 +1837,30 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment - Pasirinkti Priedą + Pasirinkti priedą ImagePlugin.MediaItem - + Select Image(s) - Pasirinkite Paveikslą(-us) + 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(-ų) + 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. Nebuvo rodymo elementų, kuriuos galima buvo pridėti. @@ -1955,25 +1870,42 @@ Ar vistiek norite pridėti kitus paveikslus? -- 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? + + Are you sure you want to remove "{name}" and everything in it? + Ar tikrai norite šalinti "{name}" ir viską kas joje yra? + + + + The following image(s) no longer exist: {names} + Šio paveikslo(-ų) daugiau nebėra: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + Šio paveikslo(-ų) daugiau nebėra: {names} +Ar vis tiek norite pridėti kitus paveikslus? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Atsirado problemų keičiant jūsų foną, paveikslo failo "{name}" daugiau nebėra. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Matomas, paveikslų su kitokia nei ekrano proporcija, fonas. @@ -1981,90 +1913,90 @@ Ar vistiek norite pridėti kitus paveikslus? Media.player - + Audio - Garso Įrašai + Garso įrašai - + Video - Vaizdo Įrašai + 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. - + This media player uses your operating system to provide media capabilities. - + Šis medija grotuvas naudoja jūsų operacinę sistemą, kad pateiktų medija galimybes. 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ą. + <strong>Medija papildinys</strong><br />Medija papildinys atsako už garso ir vaizdo įrašų atkūrimą. - + 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. + Pridėti pasirinktą mediją į pamaldų programą. @@ -2072,7 +2004,7 @@ Ar vistiek norite pridėti kitus paveikslus? Select Media Clip - Pasirinkti Medija Iškarpą + Pasirinkti medija iškarpą @@ -2097,7 +2029,7 @@ Ar vistiek norite pridėti kitus paveikslus? Track Details - Išsamiau apie Takelį + Išsamiau apie takelį @@ -2122,7 +2054,7 @@ Ar vistiek norite pridėti kitus paveikslus? Clip Range - Iškarpos Rėžis + Iškarpos rėžis @@ -2178,47 +2110,47 @@ Ar vistiek norite pridėti kitus paveikslus? 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 Nustatyti medija iškarpos pavadinimą - + Name of mediaclip: Medija iškarpos pavadinimas: - + Enter a valid name or cancel Įveskite teisingą pavadinimą arba atšaukite - + Invalid character Netesingas simbolis - + The name of the mediaclip must not contain the character ":" Medija iškarpos pavadinime negali būti simbolio ":" @@ -2226,89 +2158,99 @@ Ar vistiek norite pridėti kitus paveikslus? MediaPlugin.MediaItem - + Select Media - Pasirinkite Mediją + 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. - Įvyko problema, keičiant jūsų foną, medijos failo "%s" nebėra. - - - + Missing Media File - Trūksta Medija Failo + 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. Nebuvo rodymo elementų, kuriuos galima buvo pridėti. - + Unsupported File - Nepalaikomas Failas + Nepalaikomas failas - + Use Player: - Naudoti Grotuvą: + 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 - Medijos iškarpa jau išsaugota + Medijos iškarpa jau įrašyta - + This mediaclip has already been saved - Ši medijos iškarpa jau yra išsaugota + Ši medijos iškarpa jau yra įrašyta + + + + File %s not supported using player %s + Failas %s yra nepalaikomas, naudojant grotuvą %s + + + + Unsupported Media File + Nepalaikomas medija failas + + + + CD/DVD playback is only supported if VLC is installed and enabled. + CD/DVD atkūrimas yra palaikomas tik tuomet, jeigu VLC yra įdiegta ir įjungta. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Atsirado problemų keičiant jūsų foną, medijos failo "{name}" nebėra. + + + + The optical disc {name} is no longer available. + Optinis diskas {name} daugiau nebeprieinamas. + + + + The file {name} no longer exists. + Failo {name} daugiau nebėra. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Vaizdo įrašai ({video});;Garso įrašai ({audio});;{files} (*) @@ -2320,43 +2262,21 @@ Ar vistiek norite pridėti kitus paveikslus? - Start Live items automatically - Automatiškai paleisti Gyvai rodomus elementus - - - - OPenLP.MainWindow - - - &Projector Manager - &Projektorių Tvarkytuvė + Start new Live media automatically + Automatiškai paleisti naują Gyvai rodomą mediją OpenLP - + Image Files - Paveikslų Failai + 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 + Atsarginė kopija @@ -2369,14 +2289,19 @@ Ar OpenLP turėtų naujinti dabar? 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 + Atverti - - Open - Atidaryti + + A backup of the data folder has been createdat {text} + Duomenų aplanko atsarginė kopija buvo sukurta {text} + + + + Video Files + Vaizdo įrašų failai @@ -2387,15 +2312,10 @@ Ar OpenLP turėtų naujinti dabar? Padėkos - + License Licencija - - - build %s - versija %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. @@ -2415,7 +2335,7 @@ OpenLP is free church presentation software, or lyrics projection software, used 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 <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ų. @@ -2424,7 +2344,7 @@ 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 @@ -2461,7 +2381,7 @@ OpenLP yra savanorių sukurta ir palaikoma programa. Jeigu jūs norėtumėte mat Afrikaans (af) - + Afrikanų (af) @@ -2521,7 +2441,7 @@ OpenLP yra savanorių sukurta ir palaikoma programa. Jeigu jūs norėtumėte mat Indonesian (id) - + Indoneziečių (id) @@ -2561,7 +2481,7 @@ OpenLP yra savanorių sukurta ir palaikoma programa. Jeigu jūs norėtumėte mat Tamil(Sri-Lanka) (ta_LK) - + Tamilų(Šri-Lanka) (ta_LK) @@ -2603,263 +2523,377 @@ OpenLP yra savanorių sukurta ir palaikoma programa. Jeigu jūs norėtumėte mat on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + 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 paskutinė, bet ne ką mažesnė padėka, + yra skiriama Dievui, mūsų Tėvui už tai, kad + Jis atsiuntė savo Sūnų numirti ant kryžiaus + ir taip išlaisvinti mus iš nuodėmės. Mes + pateikiame jums šią programinę įrangą + nemokamai, nes Jis mus išlaisvino. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Autorių Teisės © 2004-2016 %s -Autorių Teisių dalys © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + Autorių Teisės (C) 2004-2016 {cr} + +Autorių Teisių dalys (C) 2004-2016 {others} + + + + build {version} + darinys {version} OpenLP.AdvancedTab - + UI Settings - Vartotojo Sąsajos Nustatymai - - - - Number of recent files to display: - Rodomų paskiausių failų skaičius: + Naudotojo sąsajos nustatymai - 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 + 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ą + Atverti 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 + Išplėstiniai - Browse for an image file to display. - Naršyti, ieškant rodymui skirto paveikslų failo. + Default Service Name + Numatytasis pamaldų pavadinimas - 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: + 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. + Išsamesnės informacijos kaip naudoti, ieškokite OpenLP naudotojo vadove. - - Revert to the default service name "%s". - Atkurti numatytąjį pamaldų pavadinimą "%s". - - - + Example: Pavyzdys: - + Bypass X11 Window Manager - Apeiti X11 Langų Tvarkytuvę + Apeiti X11 langų tvarkytuvę - + Syntax error. Sintaksės klaida. - + Data Location - Duomenų Vieta + 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 + Duomenų katalogo klaida - + Select Data Directory Location - Pasirinkite Duomenų Katalogo Vietą + Pasirinkite duomenų katalogo vietą - + Confirm Data Directory Change - Patvirtinkite Duomenų Katalogo Pakeitimą + Patvirtinkite duomenų katalogo pakeitimą - + Reset Data Directory - Atkurti Duomenų Katalogą + Atkurti duomenų katalogą - + Overwrite Existing Data - Pakeisti Esamus Duomenis + Pakeisti esamus duomenis - + + Thursday + Ketvirtadienis + + + + Display Workarounds + Rodyti apėjimus + + + + Use alternating row colours in lists + Sąrašuose naudoti kintamąsias eilučių spalvas + + + + 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. + + + + 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žverta. + + + + Max height for non-text slides +in slide controller: + Didžiausias netekstinių skaidrių +aukštis skaidrių valdiklyje: + + + + Disabled + Išjungta + + + + When changing slides: + Keičiant skaidres: + + + + Do not auto-scroll + Neslinkti automatiškai + + + + Auto-scroll the previous slide into view + Automatiškai slinkti ankstesnę skaidrę į rodinį + + + + Auto-scroll the previous slide to top + Automatiškai slinkti ankstesnę skaidrę į viršų + + + + Auto-scroll the previous slide to middle + Automatiškai slinkti ankstesnę skaidrę į vidurį + + + + Auto-scroll the current slide into view + Automatiškai slinkti esamą skaidrę į rodinį + + + + Auto-scroll the current slide to top + Automatiškai slinkti esamą skaidrę į viršų + + + + Auto-scroll the current slide to middle + Automatiškai slinkti esamą skaidrę į vidurį + + + + Auto-scroll the current slide to bottom + Automatiškai slinkti esamą skaidrę į apačią + + + + Auto-scroll the next slide into view + Automatiškai slinkti kitą skaidrę į rodinį + + + + Auto-scroll the next slide to top + Automatiškai slinkti kitą skaidrę į viršų + + + + Auto-scroll the next slide to middle + Automatiškai slinkti kitą skaidrę į vidurį + + + + Auto-scroll the next slide to bottom + Automatiškai slinkti kitą skaidrę į apačią + + + + Number of recent service files to display: + Rodomų, paskiausiai naudotų pamaldų programų failų skaičius: + + + + Open the last used Library tab on startup + Paleidus programą, atverti paskutinę naudotą bibliotekos kortelę + + + + Double-click to send items straight to Live + Dvikartis spustelėjimas pradeda rodyti elementus Gyvai + + + + Preview items when clicked in Library + Peržiūrėti elementus, kai ant jų spustelėjama bibliotekoje + + + + Preview items when clicked in Service + Peržiūrėti elementus, kai ant jų spustelėjama Pamaldų programoje + + + + Automatic + Automatiškai + + + + Revert to the default service name "{name}". + Atkurti numatytąjį pamaldų pavadinimą "{name}". + + + OpenLP data directory was not found -%s +{path} 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. @@ -2868,81 +2902,49 @@ 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 +{path} -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. +Anksčiau, ši duomenų katalogo vieta buvo pakeista į kitokią, nei numatyta OpenLP. Jeigu nauja vieta yra keičiamojoje 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ą. +Spustelėkite "Taip", kad atstatytumėte duomenų katalogo vietą į numatytąją. - + Are you sure you want to change the location of the OpenLP data directory to: -%s +{path} The data directory will be changed when OpenLP is closed. Ar tikrai norite pakeisti OpenLP duomenų katalogo vietą į: -%s +{path} 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 - - - + WARNING: The location you have selected -%s +{path} 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 +{path} 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. - - - - 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.ColorButton - + Click to select a color. Spustelėkite, norėdami pasirinkti spalvą. @@ -2950,252 +2952,252 @@ This location will be used after OpenLP is closed. OpenLP.DB - + RGB RGB - + Video - Vaizdo Įrašai + 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 @@ -3203,79 +3205,92 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred - Įvyko Klaida + Įvyko klaida - + Send E-Mail - Siųsti El. laišką + Siųsti el. laišką - + Save to File - Išsaugoti į Failą + Įrašyti į failą - + Attach File - Prisegti Failą - - - - Description characters to enter : %s - Įvesti aprašo simbolių : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Prašome įvesti aprašą ką darėte, kas privertė atsirasti šią klaidą. Jei įmanoma, rašykite anglų kalba. -(Mažiausiai 20 simbolių) + Prisegti failą - 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. Also attach any files that triggered the problem. - 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. Taip pat pridėkite failus, kurie galėjo sukelti problemą. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Prašome aprašyti ką bandėte padaryti.</strong> &nbsp;Jei įmanoma, rašykite anglų kalba. + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + <strong>Oi, OpenLP susidūrė su problema ir negalėjo būti atkurta!</strong> <br><br><strong>Jūs galite padėti </strong> OpenLP kūrėjams <strong>tai pataisyti</strong>,<br> išsiųsdami jiems <strong>klaidos ataskaitą</strong> į {email}{newlines} + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + {first_part}<strong>Nėra el. pašto programos? </strong> Galite <strong>įrašyti</strong> šią informaciją į <strong>failą</strong> ir<br>išsiųsti jį iš savo <strong>pašto naršyklėje</strong>, pridėję šį failą kaip <strong>priedą.</strong><br><br><strong>Dėkojame<strong>, kad esate geresnės OpenLP programos kūrimo dalimi!<br> + + + + <strong>Thank you for your description!</strong> + <strong>Dėkojame už jūsų aprašą!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Papasakokite, ką darėte, kai tai nutiko.</strong> + + + + <strong>Please enter a more detailed description of the situation + OpenLP.ExceptionForm - - Platform: %s - - Platforma: %s - - - - + Save Crash Report - Išsaugoti Strigties Ataskaitą + Įrašyti strigties ataskaitą - + Text files (*.txt *.log *.text) Tekstiniai failai (*.txt *.log *.text) + + + Platform: {platform} + + Platforma: {platform} + + OpenLP.FileRenameForm File Rename - Pervadinti Failą + Pervadinti failą New File Name: - Naujas Failo Pavadinimas: + Naujas failo pavadinimas: File Copy - Kopijuoti Failą + Kopijuoti failą @@ -3283,7 +3298,7 @@ This location will be used after OpenLP is closed. Select Translation - Pasirinkite Vertimą + Pasirinkite vertimą @@ -3299,275 +3314,270 @@ This location will be used after OpenLP is closed. OpenLP.FirstTimeWizard - + Songs Giesmės - + First Time Wizard - Pirmojo Karto Vedlys + Pirmojo karto vediklis - + Welcome to the First Time Wizard - Sveiki Atvykę į Pirmojo Karto Vedlį + Sveiki atvykę į pirmojo karto vediklį - - 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 + Numatytieji nustatymai - - Downloading %s... - Atsiunčiama %s... - - - + Enabling selected plugins... Įjungiami pasirinkti papildiniai... - + No Internet Connection - Nėra Interneto Ryšio + Nėra interneto ryšio - + Unable to detect an Internet connection. Nepavyko aptikti interneto ryšio. - + Sample Songs - Pavyzdinės Giesmės + 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 + 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 + 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. + Prašome palaukti, kol OpenLP bus nustatyta ir jūsų duomenys atsiųsti. - + Setting Up Nustatoma - - 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 + 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. + Atsiuntimo metu įvyko ryšio klaida, tolimesni atsiuntimai bus praleisti. Pabandykite iš naujo paleisti pirmojo karto vediklį 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į. + Atsiuntimo metu atsirado ryšio problemų, todėl tolimesni atsiuntimai bus praleisti. Vėliau pabandykite iš naujo paleisti pirmojo karto vediklį. - - 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 + 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 + 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 + 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ų + + + Select parts of the program you wish to use + Pasirinkite programos dalis, kurias norėtumėte naudoti + + + + You can also change these settings after the Wizard. + Po vediklio, taip pat galėsite keisti šiuos nustatymus. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Tinkintos skaidrės – Lengviau tvarkomos nei giesmės ir turi savo atskirą skaidrių sąrašą + + + + Bibles – Import and show Bibles + Biblijos – Importuoti ir rodyti Biblijas + + + + Images – Show images or replace background with them + Paveikslai – rodyti paveikslus arba pakeisti jais foną + + + + Presentations – Show .ppt, .odp and .pdf files + Pateiktys – Rodyti .ppt, .odp ir .pdf failus + + + + Media – Playback of Audio and Video files + Medija – Garso ir vaizdo failų atkūrimas + + + + Remote – Control OpenLP via browser or smartphone app + Nuotolinė prieiga – Valdyti OpenLP per naršyklę ar išmaniojo telefono programėlę + + + + Song Usage Monitor + Giesmių naudojimo prižiūryklė + + + + Alerts – Display informative messages while showing other slides + Įspėjimai – Rodyti informacinius pranešimus, tuo pačiu metu rodant kitas skaidres + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projektoriai – Valdyti jūsų tinkle esančius PJLink suderinamus projektorius per OpenLP + + + + Downloading {name}... + Atsiunčiama {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Atsiuntimas užbaigtas. Spustelėkite mygtuką {button}, kad grįžtumėte į OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Atsiuntimas užbaigtas. Spustelėkite mygtuką {button}, kad paleistumėte OpenLP. + + + + Click the {button} button to return to OpenLP. + Spustelėkite mygtuką {button}, kad grįžtumėte į OpenLP. + + + + Click the {button} button to start OpenLP. + Spustelėkite mygtuką {button}, kad paleistumėte OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + Šis vediklis padės jums sukonfigūruoti OpenLP pradiniam naudojimui. Tam, kad pradėtumėte, spustelėkite apačioje esantį mygtuką {button}. + + + + 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 {button} 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 vediklis reikalauja interneto ryšio, kad galėtų atsiųsti pavyzdines giesmes, Biblijas ir temas. Spustelėkite mygtuką {button} dabar, kad paleistumėte OpenLP su pradiniais nustatymais ir be jokių pavyzdinių duomenų. + +Norėdami iš naujo paleisti Pirmojo karto vediklį ir importuoti šiuos pavyzdinius duomenis vėliau, patikrinkite savo interneto ryšį ir iš naujo paleiskite šį vediklį, pasirinkdami programoje OpenLP "Įrankiai/Iš naujo paleisti pirmojo karto vediklį". + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +Tam, kad visiškai atšauktumėte pirmojo karto vediklį (ir nepaleistumėte OpenLP), spustelėkite dabar mygtuką {button}. + OpenLP.FormattingTagDialog Configure Formatting Tags - Konfigūruoti Formatavimo Žymes + Konfigūruoti formatavimo žymes @@ -3592,55 +3602,60 @@ Kad visiškai atšauktumėte Pirmojo Karto Vedlį (ir nepaleistumėte OpenLP), s Default Formatting - Numatytasis Formatavimas + Numatytasis formatavimas Custom Formatting - Pasirinktinis Formatavimas + Pasirinktinis formatavimas OpenLP.FormattingTagForm - + <HTML here> <HTML čia> - + Validation Error - Tikrinimo Klaida + 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. + Tag {tag} already defined. + Žymė {tag} jau yra apibrėžta. - Description %s already defined. - Aprašas %s jau yra apibrėžtas. + Description {tag} already defined. + Aprašas {tag} jau yra apibrėžtas. - - Start tag %s is not valid HTML - Pradžios žymė %s nėra teisingas HTML + + Start tag {tag} is not valid HTML + Pradžios žymė {tag} nėra teisingas HTML - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + Pabaigos žymė {end} neatitinka, pradžios žymės {start}, pabaigos žymę + + + + New Tag {row:d} + Nauja žymė {row:d} @@ -3729,170 +3744,200 @@ Kad visiškai atšauktumėte Pirmojo Karto Vedlį (ir nepaleistumėte OpenLP), s 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 + 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ą + Rodyti prisistatymo langą - + Application Settings - Programos Nustatymai + Programos nustatymai - + Prompt to save before starting a new service - Raginti išsaugoti, prieš pradedant naują pamaldų programą + Raginti įrašyti, prieš pradedant naują pamaldų programą - - Automatically preview next item in service - Automatiškai peržiūrėti kitą pamaldų programos elementą - - - + sec - sek + sek. - + CCLI Details - CCLI Detalės + Išsamesnė CCLI informacija - + SongSelect username: SongSelect naudotojo 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 + Fono garsas - + Start background audio paused Pradėti, pristabdžius fono garso įrašą - + Service Item Slide Limits - Pamaldų Programos Elemento Skaidrės Ribos + 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 + &Pasilikti skaidrėje - + &Wrap around P&rasukinėti skaidres - + &Move to next/previous service item P&ereiti prie kito/ankstesnio pamaldų programos elemento + + + Logo + Logotipas + + + + Logo file: + Logotipo failas: + + + + 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ą. + + + + Don't show logo on startup + Nerodyti logotipo, paleidžiant programą + + + + Automatically open the previous service file + Automatiškai atverti ankstesnį pamaldų programos failą + + + + Unblank display when changing slide in Live + Atidengti ekraną, kai rodyme Gyvai keičiama skaidrė + + + + Unblank display when sending items to Live + Atidengti ekraną, kai į rodymą Gyvai siunčiami elementai + + + + Automatically preview the next item in service + Automatiškai peržiūrėti kitą pamaldų programos elementą + OpenLP.LanguageManager - + Language Kalba - + Please restart OpenLP to use your new language setting. Norėdami naudotis naujais kalbos nustatymais, paleiskite OpenLP iš naujo. @@ -3900,9 +3945,9 @@ Kad visiškai atšauktumėte Pirmojo Karto Vedlį (ir nepaleistumėte OpenLP), s OpenLP.MainDisplay - + OpenLP Display - OpenLP Ekranas + OpenLP ekranas @@ -3927,11 +3972,6 @@ Kad visiškai atšauktumėte Pirmojo Karto Vedlį (ir nepaleistumėte OpenLP), s &View &Rodinys - - - M&ode - &Veiksena - &Tools @@ -3952,46 +3992,31 @@ Kad visiškai atšauktumėte Pirmojo Karto Vedlį (ir nepaleistumėte OpenLP), s &Help &Pagalba - - - Service Manager - Pamaldų Programos Tvarkytuvė - - - - Theme Manager - Temų Tvarkytuvė - Open an existing service. - Atidaryti esamą pamaldų programą. + Atverti esamą pamaldų programą. Save the current service to disk. - Išsaugoti dabartinę pamaldų programą į diską. + Įrašyti dabartinę pamaldų programą į diską. Save Service As - Išsaugoti Pamaldų Programą Kaip + Įrašyti pamaldų programą kaip Save the current service under a new name. - Išsaugoti dabartinę pamaldų programą nauju pavadinimu. + Įrašyti dabartinę pamaldų programą nauju pavadinimu. E&xit &Išeiti - - - Quit OpenLP - Baigti OpenLP darbą - &Theme @@ -4003,191 +4028,67 @@ Kad visiškai atšauktumėte Pirmojo Karto Vedlį (ir nepaleistumėte OpenLP), s &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ą. - - - - List the Plugins - Išvardinti Papildinius - - - + &User Guide - &Naudotojo Vadovas + &Naudotojo vadovas - + &About &Apie - - More information about OpenLP - Daugiau informacijos apie OpenLP - - - + &Online Help - Pagalba &Internete + 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į... + 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 versija atnaujinta - + OpenLP Main Display Blanked - OpenLP Pagrindinis Ekranas Uždengtas + OpenLP pagrindinis ekranas uždengtas - + The Main Display has been blanked out - Pagrindinis Ekranas buvo uždengtas + Pagrindinis ekranas buvo uždengtas - - Default Theme: %s - Numatytoji Tema: %s - - - + English Please add the name of your language here Lithuanian @@ -4195,30 +4096,30 @@ Galite atsisiųsti paskiausią versiją iš http://openlp.org/. Configure &Shortcuts... - Konfigūruoti &Sparčiuosius Klavišus... + Konfigūruoti &sparčiuosius klavišus... - + Open &Data Folder... - Atidaryti &Duomenų Aplanką.... + Atverti &duomenų aplanką.... - + Open the folder where songs, bibles and other data resides. - Atidaryti aplanką, kuriame yra giesmės, Biblijos bei kiti duomenys. + Atverti aplanką, kuriame yra giesmės, Biblijos bei kiti duomenys. - + &Autodetect &Aptikti automatiškai - + Update Theme Images - Atnaujinti Temos Paveikslus + Atnaujinti temos paveikslus - + Update the preview images for all themes. Atnaujinti visų temų peržiūros paveikslus. @@ -4228,59 +4129,44 @@ Galite atsisiųsti paskiausią versiją iš http://openlp.org/. Spausdinti dabartinę pamaldų programą. - - 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į + Iš naujo paleisti pirmojo karto vediklį - + Re-run the First Time Wizard, importing songs, Bibles and themes. - Iš naujo paleisti Pirmojo Karto Vedlį, giesmių, Biblijų ir temų importavimui. + Iš naujo paleisti pirmojo karto vediklį, giesmių, Biblijų ir temų importavimui. - + Re-run First Time Wizard? - Paleisti Pirmojo Karto Vedlį iš naujo? + Paleisti pirmojo karto vediklį 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? + Ar tikrai norite paleisti pirmojo karto vediklį 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ą. +Šio vediklio 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šą + Išvalyti sąrašą - + Clear the list of recent files. - Išvalyti paskiausių failų sąrašą. + Išvalyti paskiausiai naudotų failų sąrašą. Configure &Formatting Tags... - Konfigūruoti &Formatavimo Žymes - - - - Export OpenLP settings to a specified *.config file - Eksportuoti OpenLP nustatymus į nurodytą *.config failą + Konfigūruoti &formatavimo žymes @@ -4288,63 +4174,29 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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. + OpenLP dabar bus užverta. Importuoti nustatymai bus pritaikyti kitą kartą, paleidus OpenLP. - + Export Settings File - Eksportuoti Nustatymų Failą + 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 + Naujo duomenų katalogo klaida @@ -4357,12 +4209,12 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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. @@ -4375,7 +4227,7 @@ Nustatymų importavimas padarys pastovius pakeitimus jūsų dabartinei OpenLP ko 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. @@ -4384,59 +4236,34 @@ Processing has terminated and no changes have been made. 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 Nustatymų eksportavimo klaida - - - The key "%s" does not have a default value so it will be skipped in this export. - Raktas "%s" neturi numatytosios reikšmės, todėl šiame eksportavime jis bus praleistas. - - - - An error occurred while exporting the settings: %s - Eksportuojant nustatymus įvyko klaida: %s - &Recent Services - + Paskiausiai naudotos pamaldų p&rogramos &New Service - + &Nauja pamaldų programa &Open Service - + Atverti pamaldų pr&ogramą &Save Service - + Į&rašyti pamaldų programą Save Service &As... - + Įraš&yti pamaldų programą kaip... @@ -4444,131 +4271,349 @@ Apdorojimas buvo nutrauktas ir nepadaryta jokių pokyčių. &Tvarkyti papildinius - + Exit OpenLP Išeiti iš OpenLP - + Are you sure you want to exit OpenLP? Ar tikrai norite išeiti iš OpenLP? - + &Exit OpenLP Iš&eiti iš OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Dabar yra prieinama atsisiųsti OpenLP {new} versija (šiuo metu jūs naudojate {current} versiją). + +Jūs galite atsisiųsti naujausią versiją iš http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + Raktas "{key}" neturi numatytosios reikšmės, todėl šiame eksportavime jis bus praleistas. + + + + An error occurred while exporting the settings: {err} + Eksportuojant nustatymus, įvyko klaida: {err} + + + + Default Theme: {theme} + Numatytoji tema: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + OpenLP duomenys kopijuojami į naują duomenų katalogo vietą - {path} - Prašome palaukti, kol bus užbaigtas kopijavimas + + + + OpenLP Data directory copy failed + +{err} + OpenLP duomenų katalogo kopijavimas nepavyko + +{err} + + + + &Layout Presets + Iša&nkstinės išdėstymo parinktys + + + + Service + Pamaldų programa + + + + Themes + Temos + + + + Projectors + Projektoriai + + + + Close OpenLP - Shut down the program. + Užverti OpenLP - Išjungti programą. + + + + Export settings to a *.config file. + Eksportuoti nustatymus į *.config failą. + + + + Import settings from a *.config file previously exported from this or another machine. + Importuoti nustatymus iš *.config failo, kuris anksčiau buvo eksportuotas šiame ar kitame kompiuteryje. + + + + &Projectors + &Projektoriai + + + + Hide or show Projectors. + Slėpti ar rodyti projektorius. + + + + Toggle visibility of the Projectors. + Perjungti projektorių matomumą + + + + L&ibrary + B&iblioteka + + + + Hide or show the Library. + Slėpti ar rodyti biblioteką. + + + + Toggle the visibility of the Library. + Perjungti bibliotekos matomumą. + + + + &Themes + &Temos + + + + Hide or show themes + Slėpti ar rodyti temas + + + + Toggle visibility of the Themes. + Perjungti temų matomumą. + + + + &Service + &Pamaldų programa + + + + Hide or show Service. + Slėpti ar rodyti pamaldų programą. + + + + Toggle visibility of the Service. + Perjungti pamaldų programos matomumą. + + + + &Preview + &Peržiūra + + + + Hide or show Preview. + Slėpti ar rodyti peržiūrą. + + + + Toggle visibility of the Preview. + Perjungti peržiūros matomumą. + + + + Li&ve + Gy&vai + + + + Hide or show Live + Slėpti ar rodyti rodinį Gyvai + + + + L&ock visibility of the panels + Užr&akinti skydelių matomumą + + + + Lock visibility of the panels. + Užrakinti skydelių matomumą. + + + + Toggle visibility of the Live. + Perjungti rodinio Gyvai matomumą. + + + + You can enable and disable plugins from here. + Čia galite išjungti ir įjungti papildinius. + + + + More information about OpenLP. + Daugiau informacijos apie OpenLP. + + + + Set the interface language to {name} + Nustatyti sąsajos kalbą į {name} + + + + &Show all + &Rodyti visus + + + + Reset the interface back to the default layout and show all the panels. + Atstatyti sąsają atgal į numatytąjį išdėstymą ir rodyti visus skydelius. + + + + Use layout that focuses on setting up the Service. + Naudoti išdėstymą, kuris susitelkia ties pamaldų programos sudarymu. + + + + Use layout that focuses on Live. + Naudoti išdėstymą, kuris susitelkia ties rodymu Gyvai. + + + + OpenLP Settings (*.conf) + OpenLP nustatymai (*.conf) + OpenLP.Manager - + Database Error - Duomenų Bazės Klaida + 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. +Database: {db} + OpenLP nepavyksta įkelti jūsų duomenų bazės. -Duomenų bazė: %s +Duomenų bazė: {db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + Įkeliama duomenų bazė buvo sukurta naujesnėje OpenLP versijoje. Duomenų bazės versija yra {db_ver}, tuo tarpu OpenLP tikisi versijos {db_up}. Duomenų bazė nebus įkelta. + +Duomenų bazė: {db_name} OpenLP.MediaManagerItem - + No Items Selected - Nepasirinkti Elementai + Nepasirinkti elementai - + &Add to selected Service Item - &Pridėti prie pasirinkto Pamaldų programos elemento + &Pridėti į pasirinktą pamaldų programos elementą - + 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. + Privalote pasirinkti į kurį, jau esamą, pamaldų programos elementą pridėti. - + Invalid Service Item - Neteisingas Pamaldų Programos Elementas + 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ų + Jokių paieškos rezultatų - + Invalid File Type - Neteisingas Failo Tipas + 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. + + + Invalid File {name}. +Suffix not supported + Neteisingas failas {name}. +Povardis nepalaikomas + + + + You must select a {title} service item. + Privalote pasirinkti pamaldų programos elementą {title}. + + + + Search is too short to be used in: "Search while typing" + Paieška yra per trumpa, kad būtų naudojama: "Paieškoje, renkant tekstą" + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Trūksta <lyrics> žymės. - + <verse> tag is missing. Trūksta <verse> žymės. @@ -4576,22 +4621,22 @@ Nepalaikoma priesaga OpenLP.PJLink1 - + Unknown status Nežinoma būsena - + No message Nėra pranešimų - + Error while sending data to projector Klaida, siunčiant duomenis į projektorių - + Undefined command: Neapibrėžta komanda: @@ -4599,32 +4644,32 @@ Nepalaikoma priesaga OpenLP.PlayerTab - + Players Grotuvai - - - Available Media Players - Prieinami Medija Grotuvai - - Player Search Order - Grotuvų Paieškos Tvarka + 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) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" PASTABA: Norėdami naudoti VLC, privalote įdiegti %s versiją @@ -4633,391 +4678,386 @@ Nepalaikoma priesaga OpenLP.PluginForm - + Plugin Details - Išsamiau apie Papildinį + Išsamiau apie papildinį - + Status: Būsena: - + Active Aktyvus - - Inactive - Neaktyvus - - - - %s (Inactive) - %s (Neaktyvus) - - - - %s (Active) - %s (Aktyvus) + + Manage Plugins + Tvarkyti papildinius - %s (Disabled) - %s (Išjungta) + {name} (Disabled) + {name} (Išjungtas) - - Manage Plugins - Tvarkyti papildinius + + {name} (Active) + {name} (Aktyvus) + + + + {name} (Inactive) + {name} (Neaktyvus) OpenLP.PrintServiceDialog - + Fit Page - Priderinti prie Puslapio + Priderinti prie puslapio - + Fit Width - Priderinti prie Pločio + 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 - Normalus Mastelis - - - - Other Options - Kitos Parinktys + Normalus mastelis + 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 + Pamaldų programa - + Print Spausdinti - + Title: Pavadinimas: - + Custom Footer Text: - Tinkintas Poraštės Tekstas: + Tinkintas poraštės tekstas: OpenLP.ProjectorConstants - + OK - OK + Gerai - + General projector error Bendra projektoriaus klaida - + Not connected error Jungimosi klaida - + Lamp error Lempos klaida - + Fan error Ventiliatoriaus klaida - + High temperature detected Aptikta aukšta temperatūra - + Cover open detected Aptiktas atidarytas dangtis - + Check filter Patikrinkite filtrą - + Authentication Error - Tapatybės Nustatymo Klaida + Tapatybės nustatymo klaida - + Undefined Command - Neapibrėžta Komanda + Neapibrėžta komanda - + Invalid Parameter - Neteisingas Parametras + Neteisingas parametras - + Projector Busy - Projektorius Užimtas + Projektorius užimtas - + Projector/Display Error - Projektoriaus/Ekrano Klaida + 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 Neteisingas priešdelio simbolis - + The connection was refused by the peer (or timed out) Ryšys buvo atmestas kitos pusės (arba baigėsi jam skirtas laikas) - + 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 Adresas nurodytas su socket.bind() jau yra naudojamas ir buvo nustatytas būti išskirtiniu - + The address specified to socket.bind() does not belong to the host socket.bind() nurodytas adresas nepriklauso kompiuteriui - + 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) Ryšys su įgaliotuoju serveriu buvo netikėtai nutrauktas (prieš tai, kai buvo užmegztas ryšys su kita puse) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Baigėsi susijungimui su įgaliotuoju serveriu skirtas laikas arba įgaliotasis serveris nustojo atsakinėti tapatybės nustatymo etape. - + 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 Energijos taupymo veiksena - + Warmup in progress Vyksta įšilimas - + Power is on Maitinimas įjungtas - + Cooldown in progress Vyksta ataušimas - + 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 Ryšio užmezgimas su įgaliotuoju serveriu nepavyko, nes nepavyko suprasti iš įgaliotojo serverio gauto atsakymo @@ -5025,70 +5065,70 @@ Nepalaikoma priesaga OpenLP.ProjectorEdit - + Name Not Set - Nenustatytas Pavadinimas + Nenustatytas pavadinimas - + 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 - Dubliuoti Pavadinimą + Dubliuoti pavadinimą OpenLP.ProjectorEditForm - + Add New Projector - Pridėti Naują Projektorių + Pridėti naują projektorių + + + + Edit Projector + Redaguoti projektorių - Edit Projector - Redaguoti Projektorių + IP Address + IP adresas - - IP Address - IP Adresas + + Port Number + Prievado numeris - Port Number - Prievado Numeris - - - PIN PIN - + Name Pavadinimas - + Location Vieta - + Notes Pastabos - + Database Error - Duomenų Bazės Klaida + Duomenų bazės klaida - + There was an error saving projector information. See the log for the error Įvyko klaida, išsaugant projektoriaus informaciją. Išsamesnei informacijai apie klaidą, žiūrėkite žurnalą @@ -5096,305 +5136,360 @@ Nepalaikoma priesaga OpenLP.ProjectorManager - + Add Projector - Pridėti Projektorių + Pridėti projektorių - - Add a new projector - Pridėti naują projektorių - - - + Edit Projector - Redaguoti Projektorių + Redaguoti projektorių - - Edit selected projector - Redaguoti pasirinktą projektorių - - - + Delete Projector - Ištrinti Projektorių + Ištrinti projektorių - - Delete selected projector - Ištrinti pasirinktą projektorių - - - + Select Input Source - Pasirinkti Įvesties Šaltinį + Pasirinkti įvesties šaltinį - - Choose input source on selected projector - Pasirinkti pasirinkto projektoriaus įvesties šaltinį - - - + View Projector - Rodyti Projektorių + Rodyti projektorių - - 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 Pradėti projektoriaus būdėjimo veikseną - - Put selected projector in standby - Įvesti projektorių į būdėjimo veikseną - - - + 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ą + Žiū&rėti projektoriaus informaciją - + &Edit Projector - R&edaguoti Projektorių + R&edaguoti projektorių - + &Connect Projector - &Prijungti Projektorių + &Prijungti projektorių - + D&isconnect Projector - &Atjungti Projektorių + &Atjungti projektorių - + Power &On Projector - Į&jungti Projektorių + Į&jungti projektorių - + Power O&ff Projector - &Išjungti Projektorių + &Išjungti projektorių - + Select &Input - Pasirinkt&i Įvestį + Pasirinkt&i įvestį - + Edit Input Source - Redaguoti Įvesties Šaltinį + Redaguoti įvesties šaltinį - + &Blank Projector Screen - &Uždengti Projektoriaus Ekraną + &Uždengti projektoriaus ekraną - + &Show Projector Screen - &Rodyti Projektoriaus Ekraną + &Rodyti projektoriaus ekraną - + &Delete Projector - &Ištrinti Projektorių + &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 + Projektoriaus pavadinimas - + Manufacturer Gamintojas - + Model Modelis - + Other info Kita informacija - + Power status Maitinimo būsena - + Shutter is Sklendė yra - + Closed Uždaryta - + Current source input is Esama šaltinio įvestis yra - + Lamp Lempa - - On - Įjungta - - - - 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 + Projektoriaus informacija - + No message Nėra pranešimų - + Not Implemented Yet Dar neįgyvendinta - - Delete projector (%s) %s? - Ištrinti projektorių (%s) %s? - - - + Are you sure you want to delete this projector? Ar tikrai norite ištrinti šį projektorių? + + + Add a new projector. + Pridėti naują projektorių. + + + + Edit selected projector. + Redaguoti pasirinktą projektorių. + + + + Delete selected projector. + Ištrinti pasirinktą projektorių. + + + + Choose input source on selected projector. + Pasirinkti pasirinkto projektoriaus įvesties šaltinį. + + + + 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 projector. + Atsijungti nuo pasirinkto projektoriaus. + + + + Disconnect from selected projectors. + Atsijungti nuo pasirinktų projektorių. + + + + Power on selected projector. + Įjungti pasirinktą projektorių. + + + + Power on selected projectors. + Įjungti pasirinktus projektorius. + + + + Put selected projector in standby. + Įvesti pasirinktą projektorių į budėjimo veikseną. + + + + Put selected projectors in standby. + Įvesti pasirinktus projektorius į budėjimo veikseną. + + + + Blank selected projectors screen + Uždengti pasirinktų projektorių ekraną + + + + Blank selected projectors screen. + Uždengti pasirinktų projektorių ekraną. + + + + Show selected projector screen. + Rodyti pasirinkto projektoriaus ekraną. + + + + Show selected projectors screen. + Rodyti pasirinktų projektorių ekraną. + + + + is on + yra įjungtas + + + + is off + yra išjungtas + + + + Authentication Error + Tapatybės nustatymo klaida + + + + No Authentication Error + Tapatybės nustatymo nebuvimo klaida + OpenLP.ProjectorPJLink - + Fan Ventiliatorius - + Lamp Lempa - + Temperature Temperatūra - + Cover Dangtis - + Filter Filtras - + Other Kita @@ -5409,12 +5504,12 @@ Nepalaikoma priesaga Communication Options - Komunikacijos Parinktys + Komunikacijos parinktys Connect to projectors on startup - Paleidus programą, prisijungti prie projektorių + Paleidžiant programą, prisijungti prie projektorių @@ -5440,19 +5535,19 @@ Nepalaikoma priesaga OpenLP.ProjectorWizard - + Duplicate IP Address - Dublikuoti IP Adresą + Dublikuoti IP adresą - + Invalid IP Address - Neteisingas IP Adresas + Neteisingas IP adresas - + Invalid Port Number - Neteisingas Prievado Numeris + Neteisingas prievado numeris @@ -5460,30 +5555,30 @@ Nepalaikoma priesaga Screen - Ekrano + Ekranas - + primary pirminis OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Pradžia</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Trukmė</strong>: %s - - [slide %d] - [skaidrė %d] + [slide {frame:d}] + [skaidrė {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Pradžia</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Trukmė</strong>: {length} @@ -5491,7 +5586,7 @@ Nepalaikoma priesaga Reorder Service Item - Pertvarkyti Pamaldų Programos Elementą + Pertvarkyti pamaldų programos elementą @@ -5539,7 +5634,7 @@ Nepalaikoma priesaga &Delete From Service - &Ištrinti iš Pamaldų Programos + &Ištrinti iš pamaldų programos @@ -5547,52 +5642,52 @@ Nepalaikoma priesaga Ištrinti pasirinktą elementą iš pamaldų programos. - + &Add New Item - &Pridėti Naują Elementą + &Pridėti naują elementą - + &Add to Selected Item - &Pridėti prie Pasirinkto Elemento + &Pridėti į pasirinktą elementą - + &Edit Item - &Redaguoti Elementą + &Redaguoti elementą - + &Reorder Item - Pe&rtvarkyti Elementą + Pe&rtvarkyti elementą - + &Notes &Pastabos - + &Change Item Theme - Pa&keisti Elemento Temą + Pa&keisti elemento temą - + File is not a valid service. Failas nėra teisinga pamaldų programa. - + Missing Display Handler - Trūksta Ekrano Doroklės + Trūksta ekrano doroklės - + Your item cannot be displayed as there is no handler to display it Jūsų elementas negali būti rodomas, kadangi nėra doroklės, kuri jį rodytų - + 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 @@ -5617,9 +5712,9 @@ Nepalaikoma priesaga Suskleisti visus pamaldų programos elementus. - + Open File - Atidaryti Failą + Atverti failą @@ -5647,29 +5742,29 @@ Nepalaikoma priesaga Siųsti pasirinktą elementą į Gyvai. - + &Start Time Pradžio&s laikas - + Show &Preview - Ro&dyti Peržiūroje + Ro&dyti peržiūroje - + Modified Service - Pakeista Pamaldų Programa + 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ą? + Dabartinė pamaldų programa buvo pakeista. Ar norėtumėte įrašyti šią pamaldų programą? Custom Service Notes: - Pasirinktinos Pamaldų Programos Pastabos: + Pasirinktinos pamaldų programos pastabos: @@ -5682,29 +5777,29 @@ Nepalaikoma priesaga Grojimo laikas: - + Untitled Service - Bevardė Pamaldų Programa + Bevardė pamaldų programa - + File could not be opened because it is corrupt. - Nepavyko atidaryti failo, nes jis yra pažeistas. + Nepavyko atverti failo, nes jis yra pažeistas. - + Empty File - Tuščias Failas + Tuščias failas - + This service file does not contain any data. Šiame pamaldų programos faile nėra jokių duomenų. - + Corrupt File - Pažeistas Failas + Pažeistas failas @@ -5714,7 +5809,7 @@ Nepalaikoma priesaga Save this service. - Išsaugoti šią pamaldų programą. + Įrašyti šią pamaldų programą. @@ -5722,147 +5817,147 @@ Nepalaikoma priesaga Pasirinkite temą pamaldoms. - + Slide theme Skaidrės tema - + Notes Pastabos - + Edit Redaguoti - + Service copy only Kopijuoti tik pamaldų programą - + Error Saving File - Klaida, bandant Išsaugoti Failą + 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(-ų) + Trūksta pamaldų programos failo(-ų) - + &Rename... &Pervadinti... - + Create New &Custom Slide - Sukurti Naują &Tinkintą Skaidrę + Sukurti naują &tinkintą skaidrę - + &Auto play slides &Automatiškai rodyti skaidres - + Auto play slides &Loop - Automatiškai rodyti skaidres &Ciklu + Automatiškai rodyti skaidres &ciklu - + Auto play slides &Once - Automatiškai rodyti skaidres &Vieną kartą + Automatiškai rodyti skaidres &vieną kartą - + &Delay between slides &Pauzė tarp skaidrių - + OpenLP Service Files (*.osz *.oszl) - OpenLP Pamaldų Programos Failai (*.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 pamaldų programos failai (*.osz);; OpenLP pamaldų programos failai - mažieji (*.oszl) - + OpenLP Service Files (*.osz);; - OpenLP Pamaldų Programos Failai (*.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ą. + Pamaldų programos failas, kurį bandote atverti yra seno formato. +Prašome jį įrašyti, 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 + &Automatinis paleidimas - neaktyvus - + &Auto Start - active - &Automatinis Paleidimas - aktyvus + &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 - Įvyko klaida, įrašinėjant pamaldų programos failą: %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Pamaldų programoje trūksta šio failo(-ų): %s + Pamaldų programoje trūksta šio failo(-ų): {name} -Jei tęsite išsaugojimą, šie failai bus pašalinti. +Jei tęsite įrašymą, šie failai bus pašalinti. + + + + An error occurred while writing the service file: {error} + Įvyko klaida, įrašinėjant pamaldų programos failą: {error} @@ -5870,7 +5965,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Service Item Notes - Pamaldų Programos Elemento Pastabos + Pamaldų programos elemento pastabos @@ -5891,17 +5986,12 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Shortcut - Spartusis Klavišas + 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šą. + Dublikuoti spartųjį klavišą @@ -5936,7 +6026,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Restore Default Shortcuts - Atkurti Numatytuosius Sparčiuosius Klavišus + Atkurti numatytuosius sparčiuosius klavišus @@ -5946,221 +6036,236 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Configure Shortcuts - Konfigūruoti Sparčiuosius Klavišus + Konfigūruoti sparčiuosius klavišus + + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + Spartusis klavišas "{key}" jau yra priskirtas kitam veiksmui, prašome naudoti kitą spartųjį klavišą. OpenLP.SlideController - + Hide Slėpti - + Go To - Pereiti Prie + Pereiti į - + Blank Screen - Uždengti Ekraną + Uždengti ekraną - + Blank to Theme - Rodyti Temos Foną + Rodyti temos foną - + Show Desktop - Rodyti Darbalaukį - - - - Previous Service - Ankstesnė Pamaldų programa - - - - Next Service - Kita Pamaldų programa + Rodyti darbalaukį - Escape Item - Ištrūkimo Elementas + Previous Service + Ankstesnė pamaldų programa - + + Next Service + Kita pamaldų programa + + + + Escape Item + Ištrūkimo elementas + + + Move to previous. Pereiti prie ankstesnio. - + Move to next. Pereiti prie kito. - + Play Slides - Rodyti Skaidres + 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. + Pridėti į pamaldų programą. - + 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" + Garso įrašų garsis. - Go to "Pre-Chorus" - Pereiti prie "Prieš-Priegiesmio" + Go to "Verse" + Pereiti į "Posmelį" - Go to "Intro" - Pereiti prie "Įžangos" + Go to "Chorus" + Pereiti į "Priegiesmį" + Go to "Bridge" + Pereiti į "Tiltelį" + + + + Go to "Pre-Chorus" + Pereiti į "Prieš-priegiesmį" + + + + Go to "Intro" + Pereiti į "Įžangą" + + + Go to "Ending" - Pereiti prie "Pabaigos" + Pereiti į "Pabaigą" - + Go to "Other" - Pereiti prie "Kita" + Pereiti į "Kitą" - + Previous Slide - Ankstesnė Skaidrė + Ankstesnė skaidrė - + Next Slide - Kita Skaidrė + Kita skaidrė - + Pause Audio - Pristabdyti Garso Takelį - - - - Background Audio - Fono Garsas + Pristabdyti garso takelį + Background Audio + Fono garsas + + + Go to next audio track. Pereiti prie kito garso takelio. - + Tracks Takeliai + + + Loop playing media. + Groti mediją ciklu. + + + + Video timer. + Vaizdo laikmatis. + OpenLP.SourceSelectForm - + Select Projector Source - Pasirinkti Projektoriaus Šaltinį + Pasirinkti projektoriaus šaltinį - + Edit Projector Source Text - Redaguoti Projektoriaus Šaltinio Tekstą + Redaguoti projektoriaus šaltinio tekstą - + Ignoring current changes and return to OpenLP Nepaisyti esamų pakeitimų ir grįžti į OpenLP - + Delete all user-defined text and revert to PJLink default text Ištrinti visą naudotojo apibrėžtą tekstą ir grįžti prie PJLink numatytojo teksto - + Discard changes and reset to previous user-defined text Atmesti pakeitimus ir atstatyti ankstesnį naudotojo apibrėžtą tekstą - + Save changes and return to OpenLP - išsaugoti pakeitimus ir grįžti į OpenLP + Įrašyti pakeitimus ir grįžti į OpenLP - + Delete entries for this projector Ištrinti šio projektoriaus įrašus - + Are you sure you want to delete ALL user-defined source input text for this projector? Ar tikrai norite ištrinti VISĄ naudotojo apibrėžtą šaltinio įvesties tekstą šiam projektoriui? @@ -6168,17 +6273,17 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. OpenLP.SpellTextEdit - + Spelling Suggestions - Rašybos Tikrinimo Pasiūlymai + Rašybos tikrinimo pasiūlymai - + Formatting Tags - Formatavimo Žymės + Formatavimo žymės - + Language: Kalba: @@ -6188,7 +6293,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Theme Layout - Temos Išdėstymas + Temos išdėstymas @@ -6206,7 +6311,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Item Start and Finish Time - Elemento Pradžios ir Pabaigos Laikas + Elemento pradžios ir pabaigos laikas @@ -6241,7 +6346,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Time Validation Error - Laiko Tikrinimo Klaida + Laiko tikrinimo klaida @@ -6257,7 +6362,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. OpenLP.ThemeForm - + (approximately %d lines per slide) (apytiksliai %d eilučių skaidrėje) @@ -6265,522 +6370,532 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. OpenLP.ThemeManager - + Create a new theme. Sukurti naują temą. - + Edit Theme - Redaguoti Temą + Redaguoti temą - + Edit a theme. Redaguoti temą. - + Delete Theme - Ištrinti Temą + Ištrinti temą - + Delete a theme. Ištrinti temą. - + Import Theme - Importuoti Temą + Importuoti temą - + Import a theme. Importuoti temą. - + Export Theme - Eksportuoti Temą + Eksportuoti temą - + Export a theme. Eksportuoti temą. - + &Edit Theme - &Redaguoti Temą + &Redaguoti temą - + &Delete Theme - &Ištrinti Temą + &Ištrinti temą - + Set As &Global Default - Nustatyti &Globaliai Numatytąja + Nustatyti &globaliai numatytąja - - %s (default) - %s (pagal numatymą) - - - + 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. - + You have not selected a theme. Jūs nepasirinkote temos. - - Save Theme - (%s) - Išsaugoti Temą - (%s) - - - + Theme Exported - Tema Eksportuota + Tema eksportuota - + Your theme has been successfully exported. Jūsų tema buvo sėkmingai eksportuota. - + Theme Export Failed - Temos Eksportavimas Nepavyko + Temos eksportavimas nepavyko - + Select Theme Import File - Pasirinkite Temos Importavimo Failą + Pasirinkite temos importavimo failą - + File is not a valid theme. Failas nėra teisinga tema. - + &Copy Theme - &Kopijuoti Temą + &Kopijuoti temą - + &Rename Theme - &Pervadinti Temą + &Pervadinti temą - + &Export Theme - &Eksportuoti Temą + &Eksportuoti temą - + You must select a theme to rename. Privalote pasirinkti kurią temą norite pervadinti. - + Rename Confirmation - Pervadinimo Patvirtinimas + 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 + Ištrynimo patvirtinimas - + Delete %s theme? Ištrinti %s temą? - + Validation Error - Tikrinimo Klaida + Tikrinimo klaida - + A theme with this name already exists. Tema tokiu pavadinimu jau yra. - - Copy of %s - Copy of <theme name> - %s kopija - - - + Theme Already Exists - Tema Jau Yra + 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 - Temos eksportavimas nepavyko, nes įvyko ši klaida: %s - - - + OpenLP Themes (*.otz) - OpenLP Temos (*.otz) + OpenLP temos (*.otz) - - %s time(s) by %s - - - - + Unable to delete theme Nepavyko ištrinti temos + + + {text} (default) + {text} (numatytoji) + + + + Copy of {name} + Copy of <theme name> + {name} kopija + + + + Save Theme - ({name}) + Įrašyti temą - ({name}) + + + + The theme export failed because this error occurred: {err} + Temos eksportavimas nepavyko, nes įvyko ši klaida: {err} + + + + {name} (default) + {name} (numatytoji) + + + + Theme {name} already exists. Do you want to replace it? + Tema {name} jau yra. Ar norite ją pakeisti? + + {count} time(s) by {plugin} + {count} kartą(-ų) pagal {plugin} + + + Theme is currently used -%s +{text} Tema šiuo metu yra naudojama -%s +{text} OpenLP.ThemeWizard - + Theme Wizard - Temos Vedlys + Temos vediklis - + Welcome to the Theme Wizard - Sveiki Atvykę į Temos Vedlį + Sveiki atvykę į temos vediklį - + Set Up Background - Nustatykite Foną + 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ė + Viršutinė kairė - apatinė dešinė - + Bottom Left - Top Right - Apatinė Kairė - Viršutinė Dešinė + Apatinė kairė - viršutinė dešinė - + Main Area Font Details - Pagrindinės Srities Šrifto Detalės + Išsamesnė pagrindinės srities šrifto informacija - + 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: + Eilučių intervalai: - + &Outline: &Kontūras: - + &Shadow: Š&ešėlis: - + Bold Pusjuodis - + Italic Kursyvas - + Footer Area Font Details - Poraštės Srities Šrifto Detalės + Išsamesnė poraštės srities šrifto informacija - + 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 + Išsamesnė teksto formatavimo informacija - + Allows additional display formatting information to be defined Leidžia apibrėžti papildomą rodymo formatavimo informaciją - + Horizontal Align: - Horizontalus Lygiavimas: + Horizontalus lygiavimas: - + Left Kairėje - + Right Dešinėje - + Center Centre - + Output Area Locations - Išvesties Sričių Vietos + Išvesties sričių vietos - + &Main Area - &Pagrindinė Sritis + &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ą. + Šis vediklis 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 + &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 + Išdėstymo peržiūra - + Transparent Permatomas - + Preview and Save - Peržiūra ir Išsaugojimas + Peržiūra ir įrašymas - + Preview the theme and save it. - Peržiūrėkite temą ir ją išsaugokite. + Peržiūrėkite temą ir ją įrašykite. - + Background Image Empty - Fono Paveikslas Tuščias + Fono paveikslas tuščias - + Select Image - Pasirinkite Paveikslą + Pasirinkite paveikslą - + Theme Name Missing - Trūksta Temos Pavadinimo + 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 + 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į. + Jūs nepasirinkote fono paveikslo. Prieš tęsiant, prašome pasirinkti fono paveikslą. + + + + Edit Theme - {name} + Redaguoti temą - {name} + + + + Select Video + Pasirinkti vaizdo įrašą @@ -6788,17 +6903,17 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Global Theme - Globali Tema + Globali tema Theme Level - Temos Lygis + Temos lygis S&ong Level - Gies&mių Lygis + Gies&mių lygis @@ -6808,7 +6923,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. &Service Level - &Pamaldų Programos Lygis + &Pamaldų programos lygis @@ -6818,7 +6933,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. &Global Level - &Globalus Lygis + &Globalus lygis @@ -6833,7 +6948,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Universal Settings - Universalūs Nustatymai + Universalūs nustatymai @@ -6861,78 +6976,78 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. &Vertical Align: - &Vertikalus Lygiavimas: + &Vertikalus lygiavimas: - + Finished import. Importavimas užbaigtas. - + Format: Formatas: - + Importing Importuojama - + Importing "%s"... Importuojama "%s"... - + Select Import Source - Pasirinkite Importavimo Šaltinį + Pasirinkite importavimo šaltinį - + Select the import format and the location to import from. Pasirinkite importavimo formatą ir vietą iš kurios importuosite. - + Open %s File - Atidaryti %s Failą + Atverti %s failą - + %p% %p% - + Ready. Pasiruošę. - + Starting import... Pradedamas importavimas... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Jūs turite nurodyti bent vieną %s failą, iš kurio importuoti. - + Welcome to the Bible Import Wizard - Sveiki Atvykę į Biblijos Importavimo Vedlį + Sveiki atvykę į Biblijos importavimo vediklį - + Welcome to the Song Export Wizard - Sveiki Atvykę į Giesmių Eksportavimo Vedlį + Sveiki atvykę į giesmių eksportavimo vediklį - + Welcome to the Song Import Wizard - Sveiki Atvykę į Giesmių Importavimo Vedlį + Sveiki atvykę į giesmių importavimo vediklį @@ -6955,7 +7070,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Song Maintenance - Giesmių Priežiūra + Giesmių tvarkymas @@ -6980,582 +7095,637 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. XML sintaksės klaida - - Welcome to the Bible Upgrade Wizard - Sveiki Atvykę į Biblijos Naujinimo Vedlį - - - + Open %s Folder - Atidaryti %s Folder + Atverti %s aplanką - + 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 + Importuojamos giesmės - + Welcome to the Duplicate Song Removal Wizard - Sveiki Atvykę į Giesmių Dublikatų Šalinimo Vedlį + Sveiki atvykę į giesmių dublikatų šalinimo vediklį - + Written by Parašė Author Unknown - Nežinomas Autorius + Nežinomas autorius - + About Apie - + &Add &Pridėti - + Add group Pridėti grupę - + Advanced Išplėstinė - + All Files - Visi Failai + Visi failai - + Automatic Automatiškai - + Background Color - Fono Spalva + 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: + 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 + Dublikavimo klaida - + &Edit &Redaguoti - + Empty Field - Tuščias Laukas + Tuščias laukas - + Error Klaida - + Export Eksportuoti - + File Failas - + File Not Found - Failas Nerastas + 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 tšk. - + Help Pagalba - + h The abbreviated unit for hours val. - + Invalid Folder Selected Singular - Pasirinktas Neteisingas Aplankas + Pasirinktas neteisingas aplankas - + Invalid File Selected Singular - Pasirinktas Neteisingas Failas + Pasirinktas neteisingas failas - + Invalid Files Selected Plural - Pasirinkti Neteisingi Failai + Pasirinkti neteisingi failai - + Image Paveikslas - + Import Importuoti - + Layout style: Išdėstymo stilius: - + Live Gyvai - + Live Background Error - Rodymo Gyvai Fono Klaida + Rodymo Gyvai fono klaida - + Live Toolbar - Rodymo Gyvai Įrankių Juosta + Rodymo Gyvai įrankių juosta - + Load Įkelti - + 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 + New Service + Nauja pamaldų programa - No Files Selected - Plural - Nepasirinkti Failai + New Theme + Nauja tema - No Item Selected - Singular - Nepasirinktas Elementas + Next Track + Kitas takelis - No Items Selected + No Folder Selected + Singular + Nepasirinktas aplankas + + + + No File Selected + Singular + Nepasirinktas failas + + + + No Files Selected Plural - Nepasirinkti Elementai + Nepasirinkti failai + + + + No Item Selected + Singular + Nepasirinktas elementas + No Items Selected + Plural + Nepasirinkti elementai + + + OpenLP is already running. Do you wish to continue? OpenLP jau yra vykdoma. Ar norite tęsti? - + Open service. - Atidaryti pamaldų programą. + Atverti pamaldų programą. - + Play Slides in Loop - Rodyti Skaidres Ciklu + Rodyti skaidres ciklu - + Play Slides to End - Rodyti Skaidres iki Galo + Rodyti skaidres iki galo - + Preview Peržiūra - + Print Service - Spausdinti Pamaldų Programą + Spausdinti pamaldų programą - + Projector Singular Projektorius - + Projectors Plural Projektoriai - + Replace Background - Pakeisti Foną + Pakeisti foną - + Replace live background. Pakeisti rodymo Gyvai foną. - + Reset Background - Atstatyti Foną + 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 + Įrašyti ir peržiūrėti - + Search Paieška - + Search Themes... Search bar place holder text - Temų Paieška... + 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 Nustatymus - + Save Service - Išsaugoti Pamaldų Programą + Įrašyti pamaldų programą - + Service - Pamaldų Programa + Pamaldų programa - + Optional &Split - Pasirinktinis Pa&dalinimas + 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 - Pradėti %s - - - + Stop Play Slides in Loop - Nustoti Rodyti Skaidres Ciklu + Nustoti rodyti skaidres ciklu - + Stop Play Slides to End - Nustoti Rodyti Skaidres iki Galo + Nustoti rodyti skaidres iki galo - + Theme Singular Temos - + Themes Plural Temos - + Tools Įrankiai - + Top Viršuje - + Unsupported File - Nepalaikomas Failas + Nepalaikomas failas - + Verse Per Slide Kiekviena Biblijos eilutė atskiroje skaidrėje - + Verse Per Line Kiekviena Biblijos eilutė naujoje eilutėje - + Version Versija - + View Rodinys - + View Mode - Rodinio Veiksena + Rodinio veiksena - + CCLI song number: CCLI giesmės numeris: - + Preview Toolbar - Peržiūros Įrankių juosta + Peržiūros įrankių juosta - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Rodymo Gyvai fono pakeitimas yra neprieinamas, kaip WebKit grotuvas yra išjungtas. Songbook Singular - + Giesmynas Songbooks Plural + Giesmynai + + + + Background color: + Fono spalva: + + + + Add group. + Pridėti grupę. + + + + File {name} not found. +Please try selecting it individually. + Failas {name} nerastas. +Prašome jūsų pasirinkti jį patiems. + + + + Start {code} + + + Video + Vaizdo įrašai + + + + Search is Empty or too Short + Paieška yra tuščia arba per trumpa + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>Jūsų įvesta paieška yra tuščia arba trumpesnė nei 3 simbolių ilgio.</strong><br><br>Prašome bandyti dar kartą, naudojant ilgesnę paiešką. + + + + No Bibles Available + Nėra prieinamų Biblijų + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>Šiuo metu nėra įdiegtų Biblijų.</strong><br><br>Prašome naudoti importavimo vediklį, kad įdiegtumėte vieną ar daugiau Biblijų. + + + + Book Chapter + Knygos skyrius + + + + Chapter + Skyrius + + + + Verse + Eilutė + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + Knygų pavadinimai gali būti trumpinami, pavyzdžiui, Ps 23 = Psalmės 23 + 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 @@ -7574,7 +7744,7 @@ Prašome jūsų pasirinkti jį patiems. <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 naudotojas gali pasirinkti išskleidžiamajame langelyje. + <strong>Pateikties papildinys</strong><br />Pateikties papildinys suteikia galimybę rodyti pateiktis, naudojant kelias skirtingas programas. Prieinamas pateikčių programas naudotojas gali pasirinkti išskleidžiamajame langelyje. @@ -7625,7 +7795,7 @@ Prašome jūsų pasirinkti jį patiems. Select Presentation(s) - Pasirinkite Pateiktį(-is) + Pasirinkite pateiktį(-is) @@ -7638,47 +7808,47 @@ Prašome jūsų pasirinkti jį patiems. Pateikti, naudojant: - + File Exists - Failas Jau Yra + 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 + Trūksta pateikties - - The presentation %s is incomplete, please reload. - Pateiktis %s yra nepilna, prašome įkelti iš naujo. + + Presentations ({text}) + Pateiktys ({text}) - - The presentation %s no longer exists. - Pateikties %s jau nebėra. + + The presentation {name} no longer exists. + Pateikties {name} daugiau nebėra. + + + + The presentation {name} is incomplete, please reload. + Pateiktis {name} yra nepilna, prašome ją įkelti iš naujo. 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. + + 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. @@ -7686,12 +7856,7 @@ Prašome jūsų pasirinkti jį patiems. Available Controllers - Prieinami Valdikliai - - - - %s (unavailable) - %s (neprieinama) + Prieinami valdikliai @@ -7709,12 +7874,12 @@ Prašome jūsų pasirinkti jį patiems. 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. @@ -7725,13 +7890,21 @@ Prašome jūsų pasirinkti jį patiems. - Clicking on a selected slide in the slidecontroller advances to next effect. - Spustelėjimas skaidrių sąraše ant pasirinktos skaidrės pradeda perėjimą į kitą efektą/veiksmą. + Clicking on the current slide advances to the next effect + Spustelėjimas ant esamos skaidrės pradeda perėjimą į kitą efektą/veiksmą - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Leisti PowerPoint valdyti pateikties lango dydį ir vietą (Windows 8 mastelio keitimo problėmos apėjimas). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + Leisti PowerPoint valdyti pateikčių dydį ir monitorių +(Tai gali pataisyti PowerPoint mastelio nustatymo problemas, +esančias Windows 8 ir 10) + + + + {name} (unavailable) + {name} (neprieinama) @@ -7739,7 +7912,7 @@ Prašome jūsų pasirinkti jį patiems. <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ą. + <strong>Nuotolinės prieigos papildinys</strong><br />Nuotolinės prieigos papildinys suteikia galimybę siųsti pranešimus kitame kompiuteryje vykdomai OpenLP versijai per saityno naršyklę ar per nuotolinę API sąsają. @@ -7762,7 +7935,7 @@ Prašome jūsų pasirinkti jį patiems. Server Config Change - Serverio Konfigūracijos Pasikeitimas + Serverio konfigūracijos pasikeitimas @@ -7773,207 +7946,217 @@ Prašome jūsų pasirinkti jį patiems. RemotePlugin.Mobile - + Service Manager - Pamaldų Programos Tvarkytuvė + Pamaldų programos tvarkytuvė - + Slide Controller - Skaidrių Valdiklis + Skaidrių valdiklis - + Alerts Įspėjimai - + Search Paieška - + Home Pradžia - + Refresh Įkelti iš naujo - + Blank Uždengti - + Theme Temos - + Desktop Darbalaukis - + Show Rodyti - + Prev Ankstesnė - + Next Kitas - + Text Tekstas - + Show Alert - Rodyti Įspėjimą + Rodyti įspėjimą - + Go Live Rodyti Gyvai - + Add to Service - Pridėti prie Pamaldų Programos + Pridėti į Pamaldų programą - + Add &amp; Go to Service Pridėti ir pereiti prie Pamaldų programos - + No Results - Nėra Rezultatų + Nėra rezultatų - + Options Parinktys - + Service - Pamaldų Programa + Pamaldų programa - + Slides Skaidrės - + Settings Nustatymus - + Remote Nuotolinė prieiga - + Stage View - Scenos Rodinys + Scenos rodinys - + Live View - Gyvas Rodinys + Gyvas rodinys RemotePlugin.RemoteTab - + Serve on IP address: Aptarnavimo IP adresas: - + Port number: Prievado numeris: - + Server Settings - Serverio Nustatymai + 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 + Android programa - + Live view URL: Gyvo rodinio URL: - + HTTPS Server - HTTPS Serveris + 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 - Naudotojo Tapatybės Nustatymas + Naudotojo tapatybės nustatymas - + User id: Naudotojo id: - + Password: Slaptažodis: - + Show thumbnails of non-text slides in remote and stage view. Rodyti netekstinių skaidrių miniatiūras nuotoliniame ir scenos rodinyje. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Nuskenuokite QR kodą arba spustelėkite <a href="%s">atsisiųsti</a>, kad įdiegtumėte Android programą iš Google Play. + + iOS App + iOS programa + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Nuskenuokite QR kodą arba spustelėkite <a href="{qr}">atsisiųsti</a>, kad įdiegtumėte Android programėlę iš Google Play. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Nuskenuokite QR kodą arba spustelėkite <a href="{qr}">atsisiųsti</a>, kad įdiegtumėte iOS programėlę iš App Store. @@ -7981,12 +8164,12 @@ Prašome jūsų pasirinkti jį patiems. &Song Usage Tracking - Giesmių &Naudojimo Sekimas + Giesmių &naudojimo sekimas &Delete Tracking Data - Iš&trinti Sekimo Duomenis + Iš&trinti sekimo duomenis @@ -7996,7 +8179,7 @@ Prašome jūsų pasirinkti jį patiems. &Extract Tracking Data - Iš&skleisti Sekimo Duomenis + Iš&skleisti sekimo duomenis @@ -8006,7 +8189,7 @@ Prašome jūsų pasirinkti jį patiems. Toggle Tracking - Perjungti Sekimą + Perjungti sekimą @@ -8014,50 +8197,50 @@ Prašome jūsų pasirinkti jį patiems. 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. + <strong>Giesmių naudojimo papildinys</strong><br />Šis papildinys seka giesmių naudojimą pamaldų metu. + + + + SongUsage + name singular + Giesmių naudojimas SongUsage - name singular - Giesmių Naudojimas - - - - SongUsage name plural - Giesmių Naudojimas + Giesmių naudojimas - + SongUsage container title - Giesmių Naudojimas + Giesmių naudojimas - + Song Usage - Giesmių Naudojimas + Giesmių naudojimas - + Song usage tracking is active. Giesmių naudojimo sekimas yra aktyvus. - + Song usage tracking is inactive. Giesmių naudojimo sekimas yra neaktyvus. - + display ekranas - + printed atspausdinta @@ -8067,22 +8250,22 @@ Prašome jūsų pasirinkti jį patiems. Delete Song Usage Data - Ištrinti Giesmių Naudojimo Duomenis + Ištrinti giesmių naudojimo duomenis Delete Selected Song Usage Events? - Ištrinti Pasirinktus Giesmių Naudojimo Įvykius? + 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? + Ar tikrai norite ištrinti pasirinktus giesmių naudojimo duomenis? Deletion Successful - Ištrynimas Sėkmingas + Ištrynimas sėkmingas @@ -8102,12 +8285,12 @@ Visi iki šios datos įrašyti duomenys bus negrįžtamai ištrinti. Song Usage Extraction - Giesmių Naudojimo Išskleidimas + Giesmių naudojimo išskleidimas Select Date Range - Pasirinkite Datos Atkarpą + Pasirinkite datos atkarpą @@ -8117,36 +8300,22 @@ Visi iki šios datos įrašyti duomenys bus negrįžtamai ištrinti. Report Location - Ataskaitos Vieta + Ataskaitos vieta Output File Location - Išvesties Failo Vieta + Išvesties failo vieta - - usage_detail_%s_%s.txt - naudojimo_informacija_%s_%s.txt - - - + Report Creation - Ataskaitos Kūrimas - - - - Report -%s -has been successfully created. - Ataskaita -%s -sėkmingai sukurta. + Ataskaitos kūrimas Output Path Not Selected - Nepasirinktas Išvesties Kelias + Nepasirinktas išvesties kelias @@ -8156,45 +8325,59 @@ Please select an existing path on your computer. Prašome pasirinkti, savo kompiuteryje esantį, kelią. - + Report Creation Failed - Ataskaitos Kūrimas Nepavyko + Ataskaitos kūrimas nepavyko - - An error occurred while creating the report: %s - Įvyko klaida, kuriant ataskaitą: %s + + usage_detail_{old}_{new}.txt + naudojimo_informacija_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + Ataskaita +{name} +sėkmingai sukurta. + + + + An error occurred while creating the report: {error} + Kuriant ataskaitą, įvyko klaida: {error} SongsPlugin - + &Song &Giesmę - + Import songs using the import wizard. - Importuoti giesmes, naudojant importavimo vedlį. + Importuoti giesmes, naudojant importavimo vediklį. - + <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. + <strong>Giesmių papildinys</strong><br />Giesmių papildinys suteikia galimybę rodyti bei valdyti giesmes. - + &Re-index Songs - Iš naujo &indeksuoti Giesmes + Iš naujo &indeksuoti giesmes - + Re-index the songs database to improve searching and ordering. Iš naujo indeksuoti giesmių duomenų bazę, siekiant pagerinti paiešką ir rikiavimą. - + Reindexing songs... Iš naujo indeksuojamos giesmės... @@ -8271,7 +8454,7 @@ Prašome pasirinkti, savo kompiuteryje esantį, kelią. Character Encoding - Simbolių Koduotė + Simbolių koduotė @@ -8290,80 +8473,80 @@ The encoding is responsible for the correct character representation. 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į. + Eksportuoja giesmes per eksportavimo vediklį. - + 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 + Rasti &giesmių dublikatus - + Find and remove duplicate songs in the song database. Rasti ir pašalinti giesmių duomenų bazėje esančius, giesmių dublikatus. @@ -8386,7 +8569,7 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. Words and Music Author who wrote both lyrics and music of a song - Žodžiai ir Muzika + Žodžiai ir muzika @@ -8400,7 +8583,7 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. Author Maintenance - Autorių Priežiūra + Autorių tvarkymas @@ -8452,64 +8635,69 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administruoja %s - - - - "%s" could not be imported. %s - Nepavyko importuoti "%s". %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] [aukščiau yra giesmės žymės su pastabomis, importuotomis iš 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. + + + Administered by {admin} + Administruoja {admin} + + + + "{title}" could not be imported. {entry} + Nepavyko importuoti "{title}". {entry} + + + + "{title}" could not be imported. {error} + Nepavyko importuoti "{title}". {error} + SongsPlugin.EditBibleForm - + Meta Data - Meta Duomenys + Metaduomenys - + Custom Book Names - Pasirinktini Knygų Pavadinimai + Pasirinktini knygų pavadinimai @@ -8517,7 +8705,7 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. Song Editor - Giesmės Redaktorius + Giesmės redaktorius @@ -8542,17 +8730,17 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. Ed&it All - Re&daguoti Visą + Re&daguoti visą Title && Lyrics - Pavadinimas ir Giesmės žodžiai + Pavadinimas ir giesmės žodžiai &Add to Song - &Pridėti prie Giesmės + &Pridėti į giesmę @@ -8562,7 +8750,7 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. A&dd to Song - Pri&dėti prie Giesmės + Pri&dėti prie giesmės @@ -8572,12 +8760,12 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. New &Theme - Nauja &Tema + Nauja &tema Copyright Information - Autorių Teisių Informacija + Autorių teisių informacija @@ -8587,87 +8775,87 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. Theme, Copyright Info && Comments - Tema, Autorių Teisės ir Komentarai + Tema, autorių teisės ir komentarai - + Add Author - Pridėti Autorių + 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ų. + Jūs nepasirinkote teisingo autoriaus. Arba pasirinkite autorių iš sąrašo, arba įrašykite naują autorių ir spustelėkite mygtuką "Pridėti į giesmę", kad pridėtumėte naują autorių. - + Add Topic - Pridėti Temą + 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ą. + Jūs nepasirinkote teisingos temos. Arba pasirinkite temą iš sąrašo, arba įrašykite naują temą ir spustelėkite mygtuką "Pridėti į giesmę", 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į. - + You need to have an author for this song. Ši giesmė privalo turėti autorių. Linked Audio - Susiję Garso Įrašai + Susiję garso įrašai Add &File(s) - Pridėti &Failą(-us) + Pridėti &failą(-us) Add &Media - Pridėti &Mediją + Pridėti &mediją Remove &All - Šalinti &Viską + Šalinti &viską - + Open File(s) - Atidaryti Failą(-us) + Atverti failą(-us) @@ -8680,98 +8868,117 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. <strong>Įspėjimas:</strong> Jūs neįvedėte posmelių tvarkos. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Nėra posmelio, atitinkančio "%(invalid)s". Teisingi įrašai yra %(valid)s. -Prašome įvesti tarpais atskirtus posmelius. - - - + Invalid Verse Order - Neteisinga Posmelių Tvarka + Neteisinga posmelių tvarka &Edit Author Type - &Keisti Autoriaus Tipą + &Keisti autoriaus tipą - + Edit Author Type - Keisti Autoriaus Tipą + Keisti autoriaus tipą - + Choose type for this author Pasirinkite šiam autoriui tipą - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks - &Tvarkyti Autorius, Temas, Giesmynus + &Tvarkyti autorius, temas, giesmynus Add &to Song - + Pridė&ti prie giesmės Re&move - + Ša&linti Authors, Topics && Songbooks - + Autoriai, temos ir giesmynai - + Add Songbook - + Pridėti giesmyną - + This Songbook does not exist, do you want to add it? Tokio giesmyno nėra, ar norite jį pridėti? - + This Songbook is already in the list. Šis giesmynas jau yra sąraše. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + Jūs nepasirinkote teisingą giesmyną. Arba pasirinkite giesmyną iš sąrašo, arba įrašykite naują giesmyną ir spustelėkite mygtuką "Pridėti į giesmę", kad pridėtumėte naują giesmyną. + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Nėra posmelių, atitinkančių "{invalid}". Teisingi įrašai yra {valid}. +Prašome įvesti tarpais atskirtus posmelius. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Nėra posmelio, atitinkančio "{invalid}". Teisingi įrašai yra {valid}. +Prašome įvesti tarpais atskirtus posmelius. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + Šiuose posmeliuose yra ne vietoje padėtų formatavimo žymių: + +{tag} + +Prieš tęsiant, prašome ištaisyti šias žymes. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + Jūs turite {count} posmelius, pavadinimu {name} {number}. Daugiausiai, jūs galite turėti 26 posmelius tokiu pačiu pavadinimu 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ą. @@ -8781,88 +8988,88 @@ Please enter the verses separated by spaces. Song Export Wizard - Giesmių Eksportavimo Vedlys - - - - Select Songs - Pasirinkite Giesmes + Giesmių eksportavimo vediklis + 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ą + 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ę. + Eksportavimui, turite pridėti bent vieną giesmę. - + No Save Location specified - Nenurodyta Išsaugojimo vieta + Nenurodyta įrašymo vieta - + Starting export... Pradedamas eksportavimas... - + You need to specify a directory. Privalote nurodyti katalogą. - + Select Destination Folder - Pasirinkite Paskirties Aplanką + 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. + Pasirinkite katalogą, kuriame norite, kad būtų įrašytos 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ą. + Šis vediklis padės jums eksportuoti savo giesmes į atvirą ir nemokamą <strong>OpenLyrics </strong> šlovinimo giesmių formatą. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Neteisingas Foilpresenter giesmės failas. Nerasta posmelių. @@ -8870,7 +9077,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Įjungti paiešką rinkimo metu @@ -8878,247 +9085,262 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files - Pasirinkite Dokumentą/Pateikties Failus + Pasirinkite dokumentą/Pateikties failus Song Import Wizard - Giesmių Importavimo Vedlys + Giesmių importavimo vediklis - + 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. + Šis vediklis 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 + Bendrinis dokumentas/pateiktis - + Add Files... - Pridėti Failus... + Pridėti failus... - + Remove File(s) - Šalinti Failą(-us) + Šalinti failą(-us) - + Please wait while your songs are imported. Prašome palaukti, kol bus importuotos jūsų giesmės. - + Words Of Worship Song Files - Words Of Worship Giesmių Failai + Words Of Worship giesmių failai - + Songs Of Fellowship Song Files - Songs Of Fellowship Giesmių Failai + Songs Of Fellowship giesmių failai - + SongBeamer Files - SongBeamer Failai + SongBeamer failai - + SongShow Plus Song Files - SongShow Plus Giesmių Failai + SongShow Plus giesmių failai - + Foilpresenter Song Files - Foilpresenter Giesmių Failai + Foilpresenter giesmių failai - + Copy Kopijuoti - + Save to File - Išsaugoti į Failą + Įrašyti į 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 Files - OpenLyrics Failai + OpenLyrics failai - + CCLI SongSelect Files - CCLI SongSelect Failai + CCLI SongSelect failai - + EasySlides XML File - EasySlides XML Failas + EasySlides XML failas - + EasyWorship Song Database - EasyWorship Giesmių Duomenų Bazė + EasyWorship giesmių duomenų bazė - + DreamBeam Song Files - DreamBeam Giesmių Failai + 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>. + 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 + SundayPlus giesmių failai - + This importer has been disabled. Šis importavimo įrankis buvo išjungtas. - + MediaShout Database - MediaShout Duomenų Bazė + 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į. + MediaShout importavimo įrankis yra palaikomas tik operacinėje sistemoje Windows. Jis buvo išjungtas dėl trūkstamo Python modulio. Norėdami naudotis šiuo importavimo įrankiu, turėsite įdiegti "pyodbc" modulį. - + SongPro Text Files - SongPro Tekstiniai Failai + SongPro tekstiniai failai - + SongPro (Export File) - SongPro (Eksportavimo Failas) + 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 + EasyWorship pamaldų programos failas - + WorshipCenter Pro Song Files - WorshipCenter Pro Giesmių Failai + 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į. + 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 importavimo įrankiu, turėsite įdiegti "pyodbc" modulį. - + PowerPraise Song Files - PowerPraise Giesmių Failai + PowerPraise giesmių failai - + PresentationManager Song Files - PresentationManager Giesmių Failai + PresentationManager giesmių failai - - ProPresenter 4 Song Files - ProPresenter 4 Giesmių Failai - - - + Worship Assistant Files - Worship Assistant Failai + 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ą. + Programoje Worship Assistant, eksportuokite savo duomenų bazę į CSV failą. - + OpenLyrics or OpenLP 2 Exported Song - + OpenLyrics ar OpenLP 2 eksportuota giesmė - + OpenLP 2 Databases OpenLP 2 duomenų bazės - + LyriX Files LyriX failai - + LyriX (Exported TXT-files) LyriX (Eksportuoti TXT-failai) - + VideoPsalm Files VideoPsalm failai - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - VideoPsalm giesmynai įprastai yra saugomi kataloge %s + + OPS Pro database + OPS Pro duomenų bazė + + + + The OPS 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. + OPS Pro importavimo įrankis yra palaikomas tik operacinėje sistemoje Windows. Jis buvo išjungtas dėl trūkstamo Python modulio. Norėdami naudotis šiuo importavimo įrankiu, turėsite įdiegti "pyodbc" modulį. + + + + ProPresenter Song Files + ProPresenter giesmės failai + + + + The VideoPsalm songbooks are normally located in {path} + VideoPsalm giesmynai įprastai yra saugomi kataloge {path} SongsPlugin.LyrixImport - Error: %s - Klaida: %s + File {name} + Failas {name} + + + + Error: {error} + Klaida: {error} @@ -9126,7 +9348,7 @@ Please enter the verses separated by spaces. Select Media File(s) - Pasirinkite Medija Failą(-us) + Pasirinkite medija failą(-us) @@ -9137,79 +9359,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Pavadinimai - + Lyrics Giesmės žodžiai - + CCLI License: - CCLI Licencija: + CCLI licencija: - + Entire Song - Visoje Giesmėje + Visoje giesmėje - + Maintain the lists of authors, topics and books. - Prižiūrėti autorių, temų ir giesmynų sąrašus. + Tvarkyti autorių, temų ir giesmynų sąrašus. - + copy For song cloning kopijuoti - + Search Titles... - Pavadinimų Paieška... + Pavadinimų paieška... - + Search Entire Song... - Paieška Visoje Giesmėje... + Paieška visoje giesmėje... - + Search Lyrics... - Giesmės Žodžių Paieška... + Giesmės žodžių paieška... - + Search Authors... - Autorių Paieška... + Autorių paieška... - - Are you sure you want to delete the "%d" selected song(s)? - - - - + Search Songbooks... - + Paieška giesmynuose... + + + + Search Topics... + Ieškoti temose... + + + + Copyright + Autorių teisės + + + + Search Copyright... + Ieškoti autorių teisėse... + + + + CCLI number + CCLI numeris + + + + Search CCLI number... + Ieškoti CCLI numeryje... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + Ar tikrai norite ištrinti "{items:d}" pasirinktą giesmę(-es)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. - Nepavyko atidaryti MediaShout duomenų bazės. + Nepavyko atverti MediaShout duomenų bazės. + + + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Neįmanoma prisijungti prie OPS Pro duomenų bazės. + + + + "{title}" could not be imported. {error} + Nepavyko importuoti "{title}". {error} SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Neteisinga OpenLP 2 giesmių duomenų bazė. @@ -9217,9 +9477,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Eksportuojama "%s"... + + Exporting "{title}"... + Eksportuojama "{title}"... @@ -9238,29 +9498,37 @@ Please enter the verses separated by spaces. Nėra giesmių, kurias importuoti. - + Verses not found. Missing "PART" header. Eilutės nerastos. Trūksta "PART" antraštės. - No %s files found. - Nerasta %s failų. + No {text} files found. + Nerasta jokių {text} failų. - Invalid %s file. Unexpected byte value. - Neteisingas %s failas. Netikėta baito reikšmė. + Invalid {text} file. Unexpected byte value. + Neteisingas {text} failas. Netikėta baito reikšmė. - Invalid %s file. Missing "TITLE" header. - Neteisingas %s failas. Trūksta "TITLE" antraštės. + Invalid {text} file. Missing "TITLE" header. + Neteisingas {text} failas. Trūksta "TITLE" antraštės. - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Neteisingas %s failas. Trūksta "COPYRIGHTLINE" antraštės. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Neteisingas {text} failas. Trūksta "COPYRIGHTLINE" antraštės. + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + Failas nėra XML formato, kuris savo ruožtu yra vienintelis palaikomas formatas. @@ -9283,25 +9551,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + Giesmyno tvarkymas 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į. + Eksportavimas užbaigtas. Tam, 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 + + Your song export failed because this error occurred: {error} + Jūsų giesmių importavimas nepavyko, nes įvyko ši klaida: {error} @@ -9317,17 +9585,17 @@ Please enter the verses separated by spaces. Nepavyko importuoti sekančių giesmių: - + Cannot access OpenOffice or LibreOffice Nepavyko prieiti prie OpenOffice ar LibreOffice - + Unable to open file - Nepavyko atidaryti failą + Nepavyko atverti failo - + File not found Failas nerastas @@ -9335,109 +9603,109 @@ Please enter the verses separated by spaces. 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. + Šis giesmynas jau yra. - + Could not save your changes. - Nepavyko išsaugoti jūsų pakeitimų. + Nepavyko įrašyti 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. + Nepavyko įrašyti 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. + Nepavyko įrašyti jūsų modifikuotos temos, nes ji jau yra. - + Delete Author - Ištrinti Autorių + 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ą + 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ą + 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + Autorius {original} jau yra. Ar norėtumėte, kad giesmės, kurių autorius {new}, naudotų esantį autorių {original}? - - 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 topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + Tema {original} jau yra. Ar norėtumėte, kad giesmės, kurių tema {new}, naudotų esančią temą {original}? - - 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? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + Giesmynas {original} jau yra. Ar norėtumėte, kad giesmės, kurių giesmynas {new} naudotų esamą giesmyną {original}? @@ -9445,7 +9713,7 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - CCLI SongSelect Importavimo Įrankis + CCLI SongSelect importavimo įrankis @@ -9465,7 +9733,7 @@ Please enter the verses separated by spaces. Save username and password - Išsaugoti naudotojo vardą ir slaptažodį + Įrašyti naudotojo vardą ir slaptažodį @@ -9475,7 +9743,7 @@ Please enter the verses separated by spaces. Search Text: - Paieškos Tekstas: + Paieškos tekstas: @@ -9483,52 +9751,47 @@ Please enter the verses separated by spaces. Paieška - - Found %s song(s) - Rasta %s giesmė(-ių) - - - + Logout Atsijungti - + View Rodinys - + Title: Pavadinimas: - + Author(s): Autorius(-iai): - - - Copyright: - Autorių Teisės: - - CCLI Number: - CCLI Numeris: + Copyright: + Autorių teisės: + CCLI Number: + CCLI numeris: + + + Lyrics: Giesmės žodžiai: - + Back - Grįžti + Atgal - + Import Importuoti @@ -9550,17 +9813,17 @@ Please enter the verses separated by spaces. Save Username and Password - Išsaugoti Naudotojo Vardą ir Slaptažodį + Įrašyti naudotojo 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: Naudotojo 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. + ĮSPĖJIMAS: Naudotojo vardo ir slaptažodžio išsaugojimas yra NESAUGUS, jūsų slaptažodis yra laikomas GRYNO TEKSTO pavidalu. Spustelėkite Taip, kad įrašyti savo slaptažodį arba Ne, kad tai atšauktumėte. Error Logging In - Prisijungimo Klaida + Prisijungimo klaida @@ -9568,9 +9831,9 @@ Please enter the verses separated by spaces. Įvyko prisijungimo klaida, galbūt, jūsų naudotojo vardas arba slaptažodis yra neteisingas? - + Song Imported - Giesmė Importuota + Giesmė importuota @@ -9583,14 +9846,19 @@ Please enter the verses separated by spaces. Š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ų? Stop - + Stabdyti + + + + Found {count:d} song(s) + Rasta {count:d} giesmė(-ių) @@ -9598,32 +9866,32 @@ Please enter the verses separated by spaces. Songs Mode - Giesmių Veiksena - - - - Display verses on live tool bar - Rodyti posmelius rodymo Gyvai įrankių juostoje + Giesmių veiksena Update service from song edit Atnaujinti pamaldų programą, redaguojant giesmę + + + Display songbook in footer + Poraštėje rodyti giesmyną + + + + Enable "Go to verse" button in Live panel + Skydelyje Gyvai, įjungti mygtuką "Pereiti į posmelį" + - Import missing songs from service files + Import missing songs from Service files Importuoti trūkstamas giesmes iš pamaldų programos failų - - - Display songbook in footer - Rodyti giesmyną poraštėje - - Display "%s" symbol before copyright info - Prieš autorių teisių informaciją rodyti "%s" simbolį + Display "{symbol}" symbol before copyright info + Prieš autorių teisių informaciją rodyti "{symbol}" simbolį @@ -9631,7 +9899,7 @@ Please enter the verses separated by spaces. Topic Maintenance - Temų Priežiūra + Temų tvarkymas @@ -9647,37 +9915,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Posmelis - + Chorus Priegiesmis - + Bridge Tiltelis - + Pre-Chorus - Prieš-Priegiesmis + Prieš-priegiesmis - + Intro Įžanga - + Ending Pabaiga - + Other Kita @@ -9685,22 +9953,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - Klaida: %s + + Error: {error} + Klaida: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + Neteisingas Words of Worship giesmės failas. Trūksta "{text}" antraštės. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + Neteisingas Words of Worship giesmės failas. Trūksta "{text}" eilutės. @@ -9711,30 +9979,30 @@ Please enter the verses separated by spaces. 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 - Įrašas %d + + Line {number:d}: {error} + Eilutė {number:d}: {error} + + + + Record {count:d} + Įrašas {count:d} + + + + Decoding error: {error} + Dekodavimo klaida: {error} SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Neįmanoma prisijungti prie WorshipCenter Pro duomenų bazės. @@ -9747,67 +10015,993 @@ Please enter the verses separated by spaces. 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 Įrašas %d + + + Line {number:d}: {error} + Eilutė {number:d}: {error} + + + + Record {index} + Įrašas {index} + + + + Decoding error: {error} + Dekodavimo klaida: {error} + Wizard Wizard - Vedlys + Vediklis - + 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ė. + Šis vediklis 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ų. + + + Review duplicate songs ({current}/{total}) + Peržiūrėti giesmių dublikatus ({current}/{total}) + + + + common.languages + + + (Afan) Oromo + Language code: om + Oromų + + + + Abkhazian + Language code: ab + Abchazų + + + + Afar + Language code: aa + Afarų + + + + Afrikaans + Language code: af + Afrikanų + + + + Albanian + Language code: sq + Albanų + + + + Amharic + Language code: am + Amharų + + + + Amuzgo + Language code: amu + Amuzgų + + + + Ancient Greek + Language code: grc + Senovės graikų + + + + Arabic + Language code: ar + Arabų + + + + Armenian + Language code: hy + Armėnų + + + + Assamese + Language code: as + Asamų + + + + Aymara + Language code: ay + Aimarų + + + + Azerbaijani + Language code: az + Azerbaidžaniečių + + + + Bashkir + Language code: ba + Baškirų + + + + Basque + Language code: eu + Baskų + + + + Bengali + Language code: bn + Bengalų + + + + Bhutani + Language code: dz + Botijų + + + + Bihari + Language code: bh + Biharų + + + + Bislama + Language code: bi + Bislama + + + + Breton + Language code: br + Bretonų + + + + Bulgarian + Language code: bg + Bulgarų + + + + Burmese + Language code: my + Mjanmų + + + + Byelorussian + Language code: be + Baltarusių + + + + Cakchiquel + Language code: cak + Kakčikelių + + + + Cambodian + Language code: km + Khmerų + + + + Catalan + Language code: ca + Katalonų + + + + Chinese + Language code: zh + Kinų + + + + Comaltepec Chinantec + Language code: cco + Comaltepec Chinantec + + + + Corsican + Language code: co + Korsikiečių + + + + Croatian + Language code: hr + Kroatų + + + + Czech + Language code: cs + Čekų + + + + Danish + Language code: da + Danų + + + + Dutch + Language code: nl + Olandų + + + + English + Language code: en + Lithuanian + + + + Esperanto + Language code: eo + Esperanto + + + + Estonian + Language code: et + Estų + + + + Faeroese + Language code: fo + Farerų + + + + Fiji + Language code: fj + Fidžių + + + + Finnish + Language code: fi + Suomių + + + + French + Language code: fr + Prancūzų + + + + Frisian + Language code: fy + Fryzų + + + + Galician + Language code: gl + Galisų + + + + Georgian + Language code: ka + Gruzinų + + + + German + Language code: de + Vokiečių + + + + Greek + Language code: el + Graikų + + + + Greenlandic + Language code: kl + Grenlandų + + + + Guarani + Language code: gn + Gvaranių + + + + Gujarati + Language code: gu + Gudžaratų + + + + Haitian Creole + Language code: ht + Haičio kreolų + + + + Hausa + Language code: ha + Hausų + + + + Hebrew (former iw) + Language code: he + Hebrajų (buvusi iw) + + + + Hiligaynon + Language code: hil + Ilongų + + + + Hindi + Language code: hi + Hindi + + + + Hungarian + Language code: hu + Vengrų + + + + Icelandic + Language code: is + Islandų + + + + Indonesian (former in) + Language code: id + Indoneziečių (buvusi in) + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Interlingue + + + + Inuktitut (Eskimo) + Language code: iu + Inuktikuto (Eskimų) + + + + Inupiak + Language code: ik + Inupiakų + + + + Irish + Language code: ga + Airių + + + + Italian + Language code: it + Italų + + + + Jakalteko + Language code: jac + Jakalteko + + + + Japanese + Language code: ja + Japonų + + + + Javanese + Language code: jw + Javiečių + + + + K'iche' + Language code: quc + Vidurio kjičių + + + + Kannada + Language code: kn + Kanadų + + + + Kashmiri + Language code: ks + Kašmyrų + + + + Kazakh + Language code: kk + Kazachų + + + + Kekchí + Language code: kek + Kekchí + + + + Kinyarwanda + Language code: rw + Kinjaruanda + + + + Kirghiz + Language code: ky + Kirgizų + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Korėjiečių + + + + Kurdish + Language code: ku + Kurdų + + + + Laothian + Language code: lo + Laosiečių (Lao) + + + + Latin + Language code: la + Lotynų + + + + Latvian, Lettish + Language code: lv + Latvių + + + + Lingala + Language code: ln + Lingala + + + + Lithuanian + Language code: lt + Lietuvių + + + + Macedonian + Language code: mk + Makedonų + + + + Malagasy + Language code: mg + Malagasių + + + + Malay + Language code: ms + Malajų + + + + Malayalam + Language code: ml + Malajalių + + + + Maltese + Language code: mt + Maltiečių + + + + Mam + Language code: mam + Šiaurės mamų + + + + Maori + Language code: mi + Moorių + + + + Maori + Language code: mri + Moorių + + + + Marathi + Language code: mr + Marathų + + + + Moldavian + Language code: mo + Moldavų + + + + Mongolian + Language code: mn + Mongolų + + + + Nahuatl + Language code: nah + Actekų + + + + Nauru + Language code: na + Nauriečių + + + + Nepali + Language code: ne + Nepalų + + + + Norwegian + Language code: no + Norvegų + + + + Occitan + Language code: oc + Oksitanų + + + + Oriya + Language code: or + Orijų + + + + Pashto, Pushto + Language code: ps + Puštūnų + + + + Persian + Language code: fa + Persų + + + + Plautdietsch + Language code: pdt + Plautdietšų + + + + Polish + Language code: pl + Lenkų + + + + Portuguese + Language code: pt + Portugalų + + + + Punjabi + Language code: pa + Pendžabų + + + + Quechua + Language code: qu + Kečujų + + + + Rhaeto-Romance + Language code: rm + Retoromanų + + + + Romanian + Language code: ro + Rumunų + + + + Russian + Language code: ru + Rusų + + + + Samoan + Language code: sm + Samojiečių + + + + Sangro + Language code: sg + Songo + + + + Sanskrit + Language code: sa + Sanskrito + + + + Scots Gaelic + Language code: gd + Škotų gėlų + + + + Serbian + Language code: sr + Serbų + + + + Serbo-Croatian + Language code: sh + Serbų-kroatų + + + + Sesotho + Language code: st + Pietų sotų + + + + Setswana + Language code: tn + Tsvanų + + + + Shona + Language code: sn + Šanų + + + + Sindhi + Language code: sd + Sindhų + + + + Singhalese + Language code: si + Sinhalų + + + + Siswati + Language code: ss + Svazių + + + + Slovak + Language code: sk + Slovakų + + + + Slovenian + Language code: sl + Slovėnų + + + + Somali + Language code: so + Somalių + + + + Spanish + Language code: es + Ispanų + + + + Sudanese + Language code: su + Sudaniečių + + + + Swahili + Language code: sw + Svahilių + + + + Swedish + Language code: sv + Švedų + + + + Tagalog + Language code: tl + Tagalų + + + + Tajik + Language code: tg + Tadžikų + + + + Tamil + Language code: ta + Tamilų + + + + Tatar + Language code: tt + Totorių + + + + Tegulu + Language code: te + Telugų + + + + Thai + Language code: th + Tajų + + + + Tibetan + Language code: bo + Tibetiečių + + + + Tigrinya + Language code: ti + Tigrinų + + + + Tonga + Language code: to + Tongų + + + + Tsonga + Language code: ts + Tsongų + + + + Turkish + Language code: tr + Turkų + + + + Turkmen + Language code: tk + Turkmėnų + + + + Twi + Language code: tw + Tvi + + + + Uigur + Language code: ug + Uigūrų + + + + Ukrainian + Language code: uk + Ukrainiečių + + + + Urdu + Language code: ur + Urdų + + + + Uspanteco + Language code: usp + Uspantekų + + + + Uzbek + Language code: uz + Uzbekų + + + + Vietnamese + Language code: vi + Vietnamiečių + + + + Volapuk + Language code: vo + Volapiuko + + + + Welch + Language code: cy + Valų + + + + Wolof + Language code: wo + Volofų + + + + Xhosa + Language code: xh + Kosų + + + + Yiddish (former ji) + Language code: yi + Jidiš (buvusi ji) + + + + Yoruba + Language code: yo + Jorubų + + + + Zhuang + Language code: za + Džuangų + + + + Zulu + Language code: zu + Zulų + \ No newline at end of file diff --git a/resources/i18n/nb.ts b/resources/i18n/nb.ts index 624c1105f..6245dcc16 100644 --- a/resources/i18n/nb.ts +++ b/resources/i18n/nb.ts @@ -86,7 +86,7 @@ You have not entered a parameter to be replaced. Do you want to continue anyway? - Du har ikke angitt et parameter i feltet. + Du har ikke angitt et parameter. Vil du fortsette? @@ -120,32 +120,27 @@ Vennligst skriv inn tekst før du klikker Ny. AlertsPlugin.AlertsTab - + Font Skrifttype - + Font name: Skriftnavn: - + Font color: Skriftfarge: - - Background color: - Bakgrunnsfarge: - - - + Font size: Skriftstørrelse: - + Alert timeout: Meldingsvarighet: @@ -153,88 +148,78 @@ Vennligst skriv inn tekst før du klikker Ny. 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. Fremvis valgte bibel. - + Add the selected Bible to the service. Legg valgte bibelsitat til møteprogrammet. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bibeltillegg</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. - Genesis @@ -278,12 +263,12 @@ Vennligst skriv inn tekst før du klikker Ny. 1 Samuel - 1. Samuel + 1. Samuelsbok 2 Samuel - 2. Samuel + 2. Samuelsbok @@ -739,161 +724,116 @@ Vennligst skriv inn tekst før du klikker Ny. Denne bibelen finnes allerede. Vennligst importer en annen bibel eller slett den eksisterende. - - You need to specify a book name for "%s". - Du må angi et boknavn 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. - Boknavnet "%s" er ikke riktig. -Tall kan bare brukes først i navnet og må -etterfølges av en eller flere ikke-numeriske tegn. - - - + Duplicate Book Name Dublett boknavn - - The Book Name "%s" has been entered more than once. - Boknavnet "%s" har blitt angitt flere ganger. + + You need to specify a book name for "{text}". + Du må angi et boknavn for "{text}". + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Boknavnet "{name}" er ikke riktig. +Tall kan bare brukes først i navnet og må +etterfølges av en eller flere ikke-numeriske tegn. + + + + The Book Name "{name}" has been entered more than once. + Boknavnet "{name}" har blitt angitt flere ganger. BiblesPlugin.BibleManager - + Scripture Reference Error Feil i bibelreferanse - - Web Bible cannot be used - Nettbibel kan ikke brukes + + Web Bible cannot be used in Text Search + Nettbibel kan ikke brukes i tekstsøk - - 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 importveiviseren 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Din skriftstedhenvisning er enten ikke støttet av OpenLP eller er ugyldig. Vennligst sørg for at din referanse oppfyller ett av følgende mønstre eller se i manualen: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Bok kapittel -Bok kapittel%(range)sKapittel -Bok kapittel%(verse)sVers%(range)sVers -Bok kapittel%(verse)sVers%(range)sVers%(list)sVers%(range)sVers -Bok kapittel%(verse)sVers%(range)sVers%(list)sKapittel%(verse)sVers%(range)sVerse -Bok kapittel%(verse)sVers%(range)sKapittel%(verse)sVerse +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Tekstsøk er ikke tilgjengelig for nettbibler. +Vennligst bruk referansesøk i stedet. + +Dette betyr at bibelutgaven du bruker +eller sekundær utgave er installert som nettbibel. + +Hvis du forsøkte å utføre et referansesøk +i kombinert søk, er referansen ugyldig. + + + + Nothing found + Ingenting funnet BiblesPlugin.BiblesTab - + Verse Display Versvisning - + Only show new chapter numbers Vis bare nye kapittelnumre - + Bible theme: Bibeltema: - + No Brackets Ingen klammer - + ( And ) ( Og ) - + { And } { Og } - + [ And ] [ Og ] - - Note: -Changes do not affect verses already in the service. - Merk: -Endringer påvirker ikke vers som allerede finnes i møteprogrammet. - - - + Display second Bible verses Vis alternative bibelvers - + Custom Scripture References Egendefinerte skriftstedhenvisninger - - Verse Separator: - Vers-skilletegn: - - - - Range Separator: - Utvalgs-skilletegn: - - - - List Separator: - Listeskillere: - - - - End Mark: - Sluttmerker: - - - + 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. @@ -902,37 +842,84 @@ De må skilles med en loddrett strek. "|" Vennligst tøm denne redigeringslinjen for å bruke standardverdien. - + English Norsk (bokmål) - + Default Bible Language Standard bibelspråk - + Book name language in search field, search results and on display: - Boknavn språk i søkefelt, + Boknavnspråk i søkefelt, søkeresultat og på skjerm: - + Bible Language Bibelspråk - + Application Language Programspråk - + Show verse numbers Vis versnumrene + + + Note: Changes do not affect verses in the Service + Merk: Endringer påvirker ikke versene i møteprogrammet + + + + Verse separator: + Versskiller: + + + + Range separator: + Utvalgsskiller: + + + + List separator: + Listeskiller: + + + + End mark: + Sluttmerke: + + + + Quick Search Settings + Innstillinger for hurtigsøk + + + + Reset search type to "Text or Scripture Reference" on startup + Reset søketype til "tekst eller referanse" ved oppstart + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Ikke vis feil dersom ingenting er funnet i "tekst eller referanse" + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Søk automatisk mens du skriver (tekstsøk må inneholde +minst {count} bokstaver og et mellomrom av ytelsesgrunner) + BiblesPlugin.BookNameDialog @@ -988,70 +975,76 @@ søkeresultat og på skjerm: BiblesPlugin.CSVBible - - Importing books... %s - Importerer bøker... %s - - - + Importing verses... done. Importerer vers... utført. + + + Importing books... {book} + Importerer bøker... {book} + + + + Importing verses from {book}... + Importing verses from <book name>... + Importerer vers fra {book}... + BiblesPlugin.EditBibleForm - + Bible Editor Bibelredigerer - + License Details Lisensdetaljer - + Version name: Versjonnavn: - + Copyright: Copyright: - + Permissions: Rettigheter: - + Default Bible Language Standard bibelspråk - + Book name language in search field, search results and on display: Boknavn språk i søkefelt, søkeresultat og på skjerm: - + Global Settings Globale innstillinger - + Bible Language Bibelspråk - + Application Language Programspråk - + English Norsk (bokmål) @@ -1071,224 +1064,259 @@ Det er ikke mulig å tilpasse boknavn. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrerer bibel og laster bøker... - + Registering Language... 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. + + + Importing {book}... + Importing <book name>... + Importerer {book}... + BiblesPlugin.ImportWizardForm - + Bible Import Wizard Verktøy for 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. 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å 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. Offentlig eiendom ("Public Domain") bibler må markeres som dette. - + 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 importer en annen bibel eller slett den eksisterende. - + Your Bible import failed. Bibelimport 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. + + + Bibles: + Bibler: + + + + SWORD data folder: + SWORD data mappe: + + + + SWORD zip-file: + SWORD zip-fil: + + + + Defaults to the standard SWORD data folder + Standardinstillinger for standard SWORD datamappe + + + + Import from folder + Importer fra mappe + + + + Import from Zip-file + Importer fra zip-fil + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + For å importere SWORD bibler må "pysword python-modulen" være installert. Vennligst les bruksanvisningen for instruksjoner. + BiblesPlugin.LanguageDialog @@ -1319,292 +1347,189 @@ Det er ikke mulig å tilpasse boknavn. BiblesPlugin.MediaItem - - Quick - Hurtig - - - + Find: Søk: - + Book: Bok: - + Chapter: Kapittel: - + Verse: Vers: - + From: Fra: - + To: Til: - + Text Search Tekstsøk - + Second: Alternativ: - + Scripture Reference Bibelreferanse - + Toggle to keep or clear the previous results. 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 søkeresultater for bibelvers. Ønsker du å slette dine søkeresultater og starte et nytt søk? - + Bible not fully loaded. Bibelen er ikke fullstendig lastet. - + 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. - Den andre bibelen inneholder ikke alle versene i hovedbibelen. Bare vers funnet i begge vil bli vist. %d vers er ikke med i resultatet. - - - + Search Scripture Reference... Søk skriftsted... - + Search Text... Søk tekst... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Søk + + + + Select + Velg + + + + Clear the search results. + Slett søkeresultater. + + + + Text or Reference + Tekst eller referanse + + + + Text or Reference... + Tekst eller referanse... + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Er du sikker på at du vil slette "%s" bibel fra OpenLP? + Er du sikker på at du vil slette "{bible}" bibel fra OpenLP? Du må importere denne bibelen på nytt for å bruke den igjen. - - Advanced - Avansert + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + Den andre bibelen inneholder ikke alle versene i hovedbibelen. +Bare vers funnet i begge vil bli vist. + +{count:d} vers er ikke med i resultatet. BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Ugyldig filtype for valgte bibel. OpenSong-bibler kan være komprimert. Du må dekomprimere dem før import. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - Feil bibelfiltype lagt inn. 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 importalternativet. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importerer %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + Importerer {name} {chapter}... 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... + + + The file is not a valid OSIS-XML file: +{text} + Filen er ikke en gyldig OSIS-XML-fil +{text} + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Velg en backupmappe + + Importing {name}... + Importerer {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Oppgraderingsveiviser - - - - 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. - Denne veiviseren hjelper deg til å oppgradere dine eksisterende bibler fra en tidligere versjon av OpenLP 2. Klikk neste nedenfor for å starte oppgraderingen. - - - - Select Backup Directory - Velg backupmappe - - - - Please select a backup directory for your Bibles - Vennligst 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 programmet. 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>. - - - - Please select a backup location for your Bibles. - Velg backupstasjon for dine bibler. - - - - Backup Directory: - Backupkatalog: - - - - There is no need to backup my Bibles - Det er ikke nødvendig å sikkerhetskopiere mine bibler - - - - Select Bibles - Velg bibel - - - - Please select the Bibles to upgrade - Velg bibel som skal oppgraderes - - - - Upgrading - Oppgraderer - - - - Please wait while your Bibles are upgraded. - 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 angitte mappen. - - - - Upgrading Bible %s of %s: "%s" -Failed - Bibeloppgradering %s av %s: "%s" mislyktes - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Oppgraderer bibel %s av %s: "%s" -Oppgraderer ... - - - - Download Error - Nedlastingsfeil - - - - To upgrade your Web Bibles an Internet connection is required. - For å oppgradere din internettbibel er tilkobling til internett påkrevd. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Oppgraderer bibel %s av %s: "%s" -Oppgraderer %s... - - - - Upgrading Bible %s of %s: "%s" -Complete - Oppgraderer bibel %s av %s: "%s" -Utført - - - - , %s failed - , %s feilet - - - - Upgrading Bible(s): %s successful%s - Oppgraderer bibel(er): %s vellykket%s - - - - Upgrade failed. - Oppgraderingen mislyktes. - - - - You need to specify a backup directory for your Bibles. - Du må spesifisere en mappe for backup av dine bibler. - - - - Starting upgrade... - Starter oppgradering... - - - - There are no Bibles that need to be upgraded. - Det er ingen bibler som trenger oppgradering. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Oppgradering bibel(bibler): %(success)d vellykket%(failed_text)s -Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørsel. Internettilkobling er påkrevd. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + En uventet feil oppsto under importen av SWORD-bibelen, vennligst rapporter denne til OpenLP-utviklerne. +{error} BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Feil bibelfiltype oppgitt. Zefania-bibler kan være komprimert. Du må dekomprimere dem før import. @@ -1612,9 +1537,9 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importerer %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importerer {book} {chapter}... @@ -1729,7 +1654,7 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse Rediger alle lysbilder på en gang. - + Split a slide into two by inserting a slide splitter. Del lysbilde i to ved å sette inn en lysbildedeler. @@ -1744,7 +1669,7 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse &Credits: - + You need to type in a title. Du må skrive inn en tittel. @@ -1754,12 +1679,12 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse Red&iger alle - + Insert Slide Sett inn lysbilde - + You need to add at least one slide. Du må legge til minst ett lysbilde. @@ -1767,7 +1692,7 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse CustomPlugin.EditVerseForm - + Edit Slide Rediger bilde @@ -1775,9 +1700,9 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Er du sikker på at du vil slette de "%d" valgte egendefinerte bilde(ne)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Er du sikker på at du vil slette de "{items:d}" valgte egendefinerte bilde(ne)? @@ -1805,11 +1730,6 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse container title Bilder - - - Load a new image. - Last et nytt bilde. - Add a new image. @@ -1840,6 +1760,16 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse Add the selected image to the service. Legg valgte bilde til møteprogrammet. + + + Add new image(s). + Legg til nytt(-e) bilde(r). + + + + Add new image(s) + Legg til nytt(-e) bilde(r) + ImagePlugin.AddGroupForm @@ -1864,12 +1794,12 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse 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. @@ -1905,7 +1835,7 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse ImagePlugin.ExceptionDialog - + Select Attachment Velg vedlegg @@ -1913,39 +1843,22 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse ImagePlugin.MediaItem - + Select Image(s) 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(t) 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 ikke noe visningselement å legge til. @@ -1955,25 +1868,42 @@ 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 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? + + Are you sure you want to remove "{name}" and everything in it? + Er du sikker på at du vil fjerne "{name}" med alt innhold? + + + + The following image(s) no longer exist: {names} + De(t) følgende bilde(r) finnes ikke lenger: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + De(t) følgende bilde(r) finnes ikke lenger: {names} +Vil du likevel legge til de andre bildene? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Det oppstod et problem ved erstatting av bakgrunnen, bildefilen "{name}" finnes ikke lenger. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Synlig bakgrunn for bilder med bildeformat annerledes enn skjermen. @@ -1981,27 +1911,27 @@ Vil du likevel legge til de andre bildene? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Denne mediespilleren bruker operativsystemet for å gi mediefunksjoner. @@ -2009,60 +1939,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 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. Fremvis valgte media. - + Add the selected media to the service. Legg valgte media til møteprogram. @@ -2178,47 +2108,47 @@ Vil du likevel legge til de andre bildene? VLC mislyktes i avspillingen - + CD not loaded correctly CD er ikke lagt riktig i - + The CD was not loaded correctly, please re-load and try again. CD ikke lagt riktig i, prøv igjen. - + DVD not loaded correctly DVD er ikke lagt riktig i - + The DVD was not loaded correctly, please re-load and try again. DVD er ikke lagt riktig i, prøv igjen. - + Set name of mediaclip Navngi medieklipp - + Name of mediaclip: Navn på medieklipp: - + Enter a valid name or cancel Angi et gyldig navn eller avbryt - + Invalid character Ugyldig tegn - + The name of the mediaclip must not contain the character ":" Navnet på medieklippet kan ikke inneholde tegnet ":" @@ -2226,90 +2156,100 @@ Vil du likevel legge til de andre bildene? MediaPlugin.MediaItem - + Select Media Velg media - + You must select a media file to delete. 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 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 ikke noe visningselement å legge til. - + Unsupported File - Denne filtypen støttes ikke + Filtypen støttes ikke - + Use Player: Bruk mediaspiller: - + VLC player required VLC mediaspiller er påkrevd - + VLC player required for playback of optical devices 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 Mediaklippet er allerede lagret - + This mediaclip has already been saved Dette mediaklippet har allerede blitt lagret + + + File %s not supported using player %s + Fil %s er ikke støttet når du bruker spiller %s + + + + Unsupported Media File + Mediafilen støttes ikke + + + + CD/DVD playback is only supported if VLC is installed and enabled. + CD/DVD-avspilling støttes bare når VLC er installert og aktivert. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Det oppstod et problem ved erstatting av bakgrunnen, mediefilen "{name}" finnes ikke lenger. + + + + The optical disc {name} is no longer available. + Den optiske platen {name} er ikke lenger tilgjengelig. + + + + The file {name} no longer exists. + Filen {name} finnes ikke lenger. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Videoer ({video});;Lyd ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2320,41 +2260,19 @@ Vil du likevel legge til de andre bildene? - Start Live items automatically - Start automatisk - - - - OPenLP.MainWindow - - - &Projector Manager - Behandle &prosjektorinnstillinger + Start new Live media automatically + Start nye Live-medier automatisk OpenLP - + Image Files Bildefiler - - Information - Informasjon - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Bibelformatet er forandret. -Du må oppgradere eksisterende bibler. -Vil du at OpenLP skal oppgradere nå? - - - + Backup Sikkerhetskopi @@ -2369,15 +2287,20 @@ Vil du at OpenLP skal oppgradere nå? Sikkerhetskopieringen mislyktes! - - A backup of the data folder has been created at %s - En sikkerhetskopi av datamappen er opprettet i %s - - - + Open Åpne + + + A backup of the data folder has been createdat {text} + En sikkerhetskopi av datamappen er opprettet i {text} + + + + Video Files + Videofiler + OpenLP.AboutForm @@ -2387,15 +2310,10 @@ Vil du at OpenLP skal oppgradere nå? Medvirkende - + License Lisens - - - 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. @@ -2424,7 +2342,7 @@ Finn ut mer om OpenLP: http://openlp.org/ OpenLP er skrevet og vedlikeholdt av frivillige. Hvis du ønsker at det blir skrevet mer gratis kristen programvare, kan du vurdere et frivillig bidrag ved å klikke på knappen nedenfor. - + Volunteer Frivillig @@ -2616,260 +2534,363 @@ OpenLP er skrevet og vedlikeholdt av frivillige. Hvis du ønsker at det blir skr fritt uten omkostninger, - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Delvis copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + Copyright (C) 2004-2016 {cr} + +Delvis copyright (C) 2004-2016 {others} + + + + build {version} + build {version} OpenLP.AdvancedTab - + UI Settings Innstillinger for brukergrensesnitt - - - Number of recent files to display: - Antall nylig brukte filer som skal vises: - - Remember active media manager tab on startup - Husk aktiv fane i innholdselementer ved oppstart - - - - Double-click to send items straight to live - Dobbelklikk for å sende poster direkte til fremvisning - - - Expand new service items on creation Utvid nye programposter ved opprettelse - + Enable application exit confirmation Aktiver avslutningsbekreftelse - + Mouse Cursor Musepekeren - + Hide mouse cursor when over display window Skjul musepekeren når den er over visningsvinduet - - Default Image - Standard bilde - - - - Background color: - Bakgrunnsfarge: - - - - Image file: - Bildefil: - - - + Open File Åpne fil - + Advanced Avansert - - - Preview items when clicked in Media Manager - Forhåndsvis poster markert i Innholdselementer - - Browse for an image file to display. - Søk etter en bildefil som skal vises. - - - - Revert to the default OpenLP logo. - Gå tilbake til standard OpenLP logo. - - - Default Service Name Standard møteprogramnavn - + Enable default service name Aktiver standard møteprogramnavn - + Date and Time: Dato og tid: - + Monday Mandag - + Tuesday Tirsdag - + Wednesday Onsdag - + Friday Fredag - + Saturday Lørdag - + Sunday Søndag - + Now - + Time when usual service starts. Tidspunkt når møtet normalt starter. - + Name: Navn: - + Consult the OpenLP manual for usage. Se OpenLP brukermanual for bruk. - - Revert to the default service name "%s". - Tilbakestill til standard møteprogramnavn "%s". - - - + Example: Eksempel: - + Bypass X11 Window Manager Forbigå X11 Window Manager - + Syntax error. Syntaksfeil. - + Data Location Sti til lagringsområde - + Current path: Gjeldende sti: - + Custom path: Egendefinert sti: - + Browse for new data file location. Bla for ny datafilplassering. - + Set the data location to the default. Tilbakestill til standard dataplassering. - + Cancel Avbryt - + Cancel OpenLP data directory location change. Avbryt endring av datafilplasseringen i OpenLP. - + Copy data to new location. Kopier data til ny plassering. - + Copy the OpenLP data files to the new location. Kopier OpenLP datafiler til den nye plasseringen. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>ADVARSEL:</strong> Den nye datakatalogen inneholder OpenLP data filer. Disse filene VIL bli overskrevet under kopieringen. - + Data Directory Error Datakatalogfeil - + Select Data Directory Location Velg plassering for datakatalog - + Confirm Data Directory Change Bekreft endring av datakatalog - + Reset Data Directory Tilbakestill datakatalog - + Overwrite Existing Data Overskriv eksisterende data - + + Thursday + Torsdag + + + + Display Workarounds + Skjermvisningsløsninger + + + + Use alternating row colours in lists + Bruk vekslende radfarger i lister + + + + Restart Required + Omstart påkrevd + + + + This change will only take effect once OpenLP has been restarted. + Denne endringen vil bare tre i kraft når OpenLP har blitt startet på nytt. + + + + 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. + Er du sikker på at du vil endre plasseringen av OpenLP datakatalogen til standardplassering? + +Denne plasseringen vil bli brukt etter OpenLP er lukket. + + + + Max height for non-text slides +in slide controller: + Max height for non-text slides +in slide controller: + + + + Disabled + Deaktivert + + + + When changing slides: + Under skifting av lysbilder: + + + + Do not auto-scroll + Ikke rull automatisk + + + + Auto-scroll the previous slide into view + Autorull forrige bilde til visning + + + + Auto-scroll the previous slide to top + Autorull forrige bilde til topp + + + + Auto-scroll the previous slide to middle + Autorull forrige bilde til midten + + + + Auto-scroll the current slide into view + Autorull gjeldende bilde til visning + + + + Auto-scroll the current slide to top + Autorull gjeldende bilde til topp + + + + Auto-scroll the current slide to middle + Autorull gjeldende bilde til midten + + + + Auto-scroll the current slide to bottom + Autorull gjeldende bilde til bunn + + + + Auto-scroll the next slide into view + Autorull neste bilde til visning + + + + Auto-scroll the next slide to top + Autorull neste bilde til topp + + + + Auto-scroll the next slide to middle + Autorull neste bilde til midten + + + + Auto-scroll the next slide to bottom + Autorull neste bilde til bunn + + + + Number of recent service files to display: + Antall tidligere møteprogramfiler som skal vises: + + + + Open the last used Library tab on startup + Åpne sist bruke bibliotekfane ved oppstart + + + + Double-click to send items straight to Live + Dobbelklikk for å sende poster direkte til fremvisning + + + + Preview items when clicked in Library + Forhåndsvis poster markert i biblioteket + + + + Preview items when clicked in Service + Forhåndsvis poster som er markert i møteprogram + + + + Automatic + Automatisk + + + + Revert to the default service name "{name}". + Tilbakestill til standard møteprogramnavn "{name}". + + + OpenLP data directory was not found -%s +{path} 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. @@ -2878,83 +2899,49 @@ 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 datakatalog ble ikke funnet -%s +{path} Denne katalogen ble tidligere endret fra OpenLP standardplassering. Hvis den nye plasseringen var på flyttbare medier, må disse gjøres tilgjengelig. -Klikk "Nei" for å stoppe oppstarten av OpenLP. slik at du kan løse problemet. Klikk "Ja" for å nullstille datakatalogen til standardplasseringen. +Klikk "Nei" for å stoppe oppstarten av OpenLP. slik at du kan løse problemet. + +Klikk "Ja" for å tilbakestille datakatalogen til standardplasseringen. - + Are you sure you want to change the location of the OpenLP data directory to: -%s +{path} The data directory will be changed when OpenLP is closed. Er du sikker på at du vil endre plasseringen av OpenLP datakatalog til: - -%s - +{path} Datakatalogen vil bli endret når OpenLP blir lukket. - - Thursday - Torsdag - - - - Display Workarounds - Grafikkløsninger - - - - Use alternating row colours in lists - Bruk vekslende radfarger i lister - - - + WARNING: The location you have selected -%s +{path} appears to contain OpenLP data files. Do you wish to replace these files with the current data files? ADVARSEL: Plasseringen du har valgt -%s +{path} synes å inneholde OpenLP datafiler. Ønsker du å erstatte disse filene med gjeldende datafiler? - - - Restart Required - Omstart påkrevd - - - - This change will only take effect once OpenLP has been restarted. - Denne endringen vil bare tre i kraft når OpenLP har blitt startet på nytt. - - - - 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. - Er du sikker på at du vil endre plasseringen av OpenLP datakatalogen til standardplassering? - -Denne plasseringen vil bli brukt etter OpenLP er lukket. - OpenLP.ColorButton - + Click to select a color. Klikk for å velge farge. @@ -2962,252 +2949,252 @@ Denne plasseringen vil bli brukt etter OpenLP er lukket. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digital - + Storage Lager - + Network Nettverk - + 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 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 - + Network 1 Nettverk 1 - + Network 2 Nettverk 2 - + Network 3 Nettverk 3 - + Network 4 Nettverk 4 - + Network 5 Nettverk 5 - + Network 6 Nettverk 6 - + Network 7 Nettverk 7 - + Network 8 Nettverk 8 - + Network 9 Nettverk 9 @@ -3215,61 +3202,75 @@ Denne plasseringen vil bli brukt etter OpenLP er lukket. OpenLP.ExceptionDialog - + Error Occurred Feil oppstod - + Send E-Mail Send e-post - + Save to File Lagre til fil - + Attach File Legg ved fil - - - Description characters to enter : %s - Skriv forklarende tekst: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Legg ved en beskrivelse over hva du gjorde som forårsaket denne feilen. Om mulig skriv på engelsk. (Minimum 20 tegn) - - 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. Also attach any files that triggered the problem. - 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. Legg også ved eventuelle filer som utløste problemet. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Legg ved en beskrivelse over hva du forsøkte å gjøre.</strong> &nbsp;Hvis mulig, skriv på engelsk. + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + <strong>Oops, OpenLP støtte på et problem og kan ikke starte!!</strong> <br><br><strong>Du kan hjelpe </strong>OpenLP utviklerne å <strong>løse dette</strong> by<br> ved å sende dem en <strong>bugrapport</strong> til {email}{newlines} + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + {first_part}<strong>Ikke noe epostprogram? </strong> Du kan <strong>lagre</strong> denne informasjonen i en <strong>fil</strong> og<br>sende den fra din <strong>webmail</strong> via et <strong>vedlegg.</strong><br><br><strong>Tusen takk<strong> for at du er med på å gjøre OpenLP bedre!<br> + + + + <strong>Thank you for your description!</strong> + Takk for din beskrivelse! + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Fortell oss hva du gjorde da dette skjedde.</strong> + + + + <strong>Please enter a more detailed description of the situation + Vennligst skriv inn en mer detaljert beskrivelse av situasjonen OpenLP.ExceptionForm - - Platform: %s - - Plattform: %s - - - - + Save Crash Report Lagre krasjrapport - + Text files (*.txt *.log *.text) Tekstfiler (*.txt *.log *.text) + + + Platform: {platform} + + Plattform: {platform} + + OpenLP.FileRenameForm @@ -3310,267 +3311,262 @@ Denne plasseringen vil bli brukt etter OpenLP er lukket. OpenLP.FirstTimeWizard - + Songs Sanger - + First Time Wizard Oppstartsveiviser - + Welcome to the First Time Wizard Velkommen til oppstartsveiviseren - - 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 - Tillat fjernstyring - - - - Monitor Song Usage - Overvåk bruk av sanger - - - - Allow Alerts - Tillat varselmeldinger - - - + Default Settings Standardinnstillinger - - Downloading %s... - Nedlasting %s... - - - + Enabling selected plugins... Aktiverer programtillegg... - + No Internet Connection Ingen internettilkobling - + Unable to detect an Internet connection. Umulig å oppdage en internettilkobling. - + 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 Eksempeltema - + 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 framvisningsskjerm: - + 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. Vennligst 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 Internettilkobling ble funnet. Oppstartsveiviseren trenger en Internett-tilkobling for å kunne laste ned eksempelsanger, bibler og temaer. Klikk Fullfør-knappen for å starte OpenLP og utføre innledende innstillinger uten eksempeldata. - -For å kjøre oppstartsveiviseren og importere disse eksempeldata på et senere tidspunkt, kan du kontrollere Internettilkoblingen og kjøre denne veiviseren ved å velge "Verktøy / Kjør oppstartsveiviser 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 forbindelsesproblemer, så videre nedlasting ble avsluttet. Prøv å kjøre oppstartsveiviseren 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 oppstartsveiviseren 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 oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk på %s knappen nå. - - - + Downloading Resource Index 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 kan ikke lastes ned - - Unable to download some files - Noen filer er umulig å laste ned + + Select parts of the program you wish to use + Velg tillegg du ønsker å bruke + + + + You can also change these settings after the Wizard. + Du kan også endre disse innstillingene senere. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Egendefinerte lysbilder - Enklere å håndtere enn sanger, og de har sin egen liste med lysbilder + + + + Bibles – Import and show Bibles + Bibler - Importer og vis bibler + + + + Images – Show images or replace background with them + Bilder - Vis bilder eller erstatt bakgrunnen med dem + + + + Presentations – Show .ppt, .odp and .pdf files + Presentasjoner - Vis .ppt, .odp og .pdf-filer + + + + Media – Playback of Audio and Video files + Media - Spill av lyd- og videofiler + + + + Remote – Control OpenLP via browser or smartphone app + Fjernstyring - Kontroller OpenLP fra en webside eller en smarttelefon-app + + + + Song Usage Monitor + Vis bruksloggen + + + + Alerts – Display informative messages while showing other slides + Meldinger - Vis informative meldinger mens du viser andre lysbilder + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projektører - Kontroller PJLink-kompatible projektører på ditt nettverk fra OpenLP + + + + Downloading {name}... + Laster ned {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Nedlastingen er ferdig. Klikk på {button} knappen for å returnere til OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Nedlastingen er ferdig. Klikk på {button} knappen for å starte OpenLP. + + + + Click the {button} button to return to OpenLP. + Klikk på {button} for å gå tilbake til OpenLP. + + + + Click the {button} button to start OpenLP. + Klikk på {button} knappen for å starte OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + Denne veiviseren hjelper deg å sette opp OpenLP for førstegangs bruk. Klikk {button} knappen under for å starte. + + + + 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 {button} 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 Internettilkobling ble funnet. Oppstartsveiviseren trenger en Internett-tilkobling for å kunne laste ned eksempelsanger, bibler og temaer. Klikk {button} for å starte OpenLP og utføre innledende innstillinger uten eksempeldata. + +For å kjøre oppstartsveiviseren og importere disse eksempeldata på et senere tidspunkt, kan du kontrollere Internettilkoblingen og kjøre denne veiviseren ved å velge "Verktøy/Kjør oppstartsveiviser på nytt" fra OpenLP. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk på {button} knappen nå. @@ -3614,44 +3610,49 @@ For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk p OpenLP.FormattingTagForm - + <HTML here> <Sett inn HTML-kode her> - + Validation Error Kontrollfeil - + Description is missing Beskrivelse mangler - + Tag is missing Tagg mangler - Tag %s already defined. - Tagg %s er allerede definert. + Tag {tag} already defined. + Tagg {tag} er allerede definert. - Description %s already defined. - Beskrivelse %s er allerede definert. + Description {tag} already defined. + Beskrivelse {tag} er allerede definert. - - Start tag %s is not valid HTML - Start tagg %s er ikke gyldig HTMLkode + + Start tag {tag} is not valid HTML + Start tagg {tag} er ikke gyldig HTMLkode - - End tag %(end)s does not match end tag for start tag %(start)s - Slutttagg %(end)s stemmer ikke overens med slutttagg for starttagg %(start)s + + End tag {end} does not match end tag for start tag {start} + Slutttagg {end} stemmer ikke overens med slutttagg for starttagg {start} + + + + New Tag {row:d} + Ny kode {row:d} @@ -3740,170 +3741,200 @@ For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk p OpenLP.GeneralTab - + General Generell - + Monitors Skjermer - + Select monitor for output display: Velg skjerm som innhold skal vises på: - + Display if a single screen Vis dersom enkel skjerm - + Application Startup Programoppstart - + Show blank screen warning Vis "blank skjerm"-advarsel - - Automatically open the last service - Åpne forrige møteprogram automatisk - - - + Show the splash screen Vis logo - + Application Settings Møteprograminnstillinger - + Prompt to save before starting a new service Spør om å lagre før du starter et nytt møteprogram - - Automatically preview next item in service - Automatisk forhåndsvis neste post i møteprogrammet - - - + sec sek - + CCLI Details CCLI-detaljer - + SongSelect username: SongSelect brukernavn: - + SongSelect password: SongSelect passord: - + X X - + Y Y - + Height Høyde - + Width Bredde - + Check for updates to OpenLP Se etter oppdateringer til OpenLP - - Unblank display when adding new live item - Gjør skjerm synlig når nytt element blir lagt til - - - + Timed slide interval: Tidsbestemt lysbildeintervall: - + Background Audio Bakgrunnslyd - + Start background audio paused Start med bakgrunnslyd pauset - + Service Item Slide Limits Bildeveksling - + Override display position: Manuell skjermposisjon: - + Repeat track list Gjenta spilleliste - + Behavior of next/previous on the last/first slide: Innstilling for navigering gjennom bildene: - + &Remain on Slide &Bli på siste bilde i sangen - + &Wrap around - &Gjennom sangen - starte om + &Gjenta fra toppen - + &Move to next/previous service item - &Gjennom sangen - neste post på programmet + &Gå til neste post på programmet + + + + Logo + Logo + + + + Logo file: + Logo fil: + + + + Browse for an image file to display. + Søk etter en bildefil som skal vises. + + + + Revert to the default OpenLP logo. + Gå tilbake til standard OpenLP logo. + + + + Don't show logo on startup + Ikke vis logo ved oppstart + + + + Automatically open the previous service file + Åpne sist brukte møteprogram automatisk + + + + Unblank display when changing slide in Live + Gjør skjerm synlig når du endrer bilde i fremvisning + + + + Unblank display when sending items to Live + Gjør skjerm synlig når du sender element til fremvisning + + + + Automatically preview the next item in service + Automatisk forhåndsvis neste post i møteprogram OpenLP.LanguageManager - + Language Språk - + Please restart OpenLP to use your new language setting. Vennligst start OpenLP på nytt for å bruke de nye språkinnstillingene. @@ -3911,7 +3942,7 @@ For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk p OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -3938,11 +3969,6 @@ For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk p &View &Vis - - - M&ode - M&odus - &Tools @@ -3963,16 +3989,6 @@ For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk p &Help &Hjelp - - - Service Manager - Møteprogram - - - - Theme Manager - Temabehandler - Open an existing service. @@ -3998,11 +4014,6 @@ For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk p E&xit &Avslutt - - - Quit OpenLP - Avslutt OpenLP - &Theme @@ -4014,192 +4025,67 @@ For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk p &Sett opp OpenLP... - - &Media Manager - &Innholdselementer (Bibliotek) - - - - Toggle Media Manager - Vis Innholdselementer - - - - Toggle the visibility of the media manager. - Slå på/av Innholdselementer. - - - - &Theme Manager - &Temabehandler - - - - Toggle Theme Manager - Vis temabehandler - - - - Toggle the visibility of the theme manager. - Slå på/av temabehandler. - - - - &Service Manager - &Møteprogram - - - - Toggle Service Manager - Vis møteprogram - - - - Toggle the visibility of the service manager. - Slå på/av møteprogrambehandler. - - - - &Preview Panel - &Forhåndsvisningspanel - - - - Toggle Preview Panel - Vis forhåndsvisningspanel - - - - Toggle the visibility of the preview panel. - Slå på/av forhåndsvisningspanel. - - - - &Live Panel - Fr&emvisningspanel - - - - Toggle Live Panel - Vis Fremvisningspanel - - - - Toggle the visibility of the live panel. - Slå på/av fremvisningpanel. - - - - List the Plugins - List opp tilleggsmoduler - - - + &User Guide &Brukerveiledning - + &About &Om - - More information about OpenLP - Mer informasjon om OpenLP - - - + &Online Help Online &hjelp - + &Web Site &Nettside - + Use the system language, if available. Bruk systemspråk dersom tilgjengelig. - - Set the interface language to %s - Sett brukerspråk til %s - - - + Add &Tool... Legg til v&erktøy... - + Add an application to the list of tools. Legg til en applikasjon i verktøylisten. - - &Default - &Standard - - - - Set the view mode back to the default. - Tilbakestill programmet til standard visning. - - - + &Setup &Planlegging - - Set the view mode to Setup. - Sett progammet i planleggingmodus. - - - + &Live &Fremvisning - - Set the view mode to Live. - Sett programmet i fremvisningmodus. - - - - 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 nå tilgjengelig for nedlasting (du bruker versjon %s). - - -Du kan laste ned siste versjon fra http://openlp.org/. - - - + OpenLP Version Updated OpenLP er oppdatert - + OpenLP Main Display Blanked OpenLP visningsskjerm er avslått - + The Main Display has been blanked out Visningsskjerm er avslått - - Default Theme: %s - Standard tema: %s - - - + English Please add the name of your language here Norsk (bokmål) @@ -4210,27 +4096,27 @@ Du kan laste ned siste versjon fra http://openlp.org/. Konfigurer &hurtigtaster... - + Open &Data Folder... Åpne &datakatalog... - + Open the folder where songs, bibles and other data resides. Åpne mappen der sanger, bibler og andre data lagres. - + &Autodetect Oppdag &automatisk - + Update Theme Images Oppdater temabilder - + Update the preview images for all themes. Oppdater forhåndsvisningsbilder for alle tema. @@ -4240,47 +4126,37 @@ Du kan laste ned siste versjon fra http://openlp.org/. Skriv ut gjeldende møteprogram. - - L&ock Panels - L&ås paneler - - - - Prevent the panels being moved. - Forhindre at paneler blir flyttet. - - - + Re-run First Time Wizard Kjør oppstartsveiviseren på nytt - + Re-run the First Time Wizard, importing songs, Bibles and themes. Kjør oppstartsveiviseren på nytt og importer sanger, bibler og tema. - + Re-run First Time Wizard? Vil du kjøre oppstartsveiviseren på nytt? - + 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. Vil du kjøre oppstartsveiviseren på nytt? -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. +Dersom du kjører veiviseren på nytt vil det sannsynlig føre til forandringer i gjeldende oppsett i OpenLP og muligens legge til sanger i eksisterende sangliste og bytte gjeldende tema. - + Clear List Clear List of recent files Tøm listen - + Clear the list of recent files. Tøm listen over siste brukte møteprogram. @@ -4289,75 +4165,36 @@ Dersom du kjører veiviseren på nytt vil det sannsynlig føre til forandringer Configure &Formatting Tags... Konfigurerer &formateringskoder... - - - Export OpenLP settings to a specified *.config file - Eksporter OpenLP-innstillingene til en spesifisert *.config-fil - Settings Innstillinger - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importer OpenLP-innstillier fra en spesifisert *.config fil som tidligere er eksportert fra denne eller en annen datamaskin - - - + Import settings? Vil du importere innstillinger? - - Open File - Åpne fil - - - - OpenLP Export Settings Files (*.conf) - OpenLP eksportinnstillingsfiler (*.conf) - - - + Import settings Importer innstillinger - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP vil nå avsluttes. Importerte innstillinger blir aktive ved neste oppstart av OpenLP. - + Export Settings File Eksporter innstillingsfil - - OpenLP Export Settings File (*.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 datakatalogplassering - %s. Vent til kopieringen er ferdig - - - - OpenLP Data directory copy failed - -%s - Kopiering til OpenLP datakatalog mislyktes - -%s - General @@ -4369,12 +4206,12 @@ Dersom du kjører veiviseren på nytt vil det sannsynlig føre til forandringer Bibliotek - + Jump to the search box of the current active plugin. Gå til søkeboksen for den aktive plugin. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4384,10 +4221,10 @@ Dersom du kjører veiviseren på nytt vil det sannsynlig føre til forandringer Å importere innstillinger vil gjøre permanente forandringer i din nåværende OpenLP konfigurasjon. -Dersom du importerer feil innstillinger kan det føre til uberegnelig opptreden eller OpenLP avsluttes unormalt. +Dersom du importerer feil innstillinger kan det medføre 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. @@ -4396,35 +4233,10 @@ Processing has terminated and no changes have been made. Behandlingen er avsluttet og ingen endringer er gjort. - - Projector Manager - Projektorbehandler - - - - 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 - &Recent Services @@ -4453,134 +4265,353 @@ Behandlingen er avsluttet og ingen endringer er gjort. &Manage Plugins - &Behandle Tilleggsmoduler + &Behandle programtillegg - + Exit OpenLP Avslutt OpenLP - + Are you sure you want to exit OpenLP? Er du sikker på at du vil avslutte OpenLP? - + &Exit OpenLP &Avslutt OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Versjon {new} av OpenLP er nå tilgjengelig for nedlasting (du bruker versjon {current}). + + +Du kan laste ned siste versjon fra http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + Tasten "{key}" har ikke en standardverdi, så den vil bli hoppet over i denne eksporten. + + + + An error occurred while exporting the settings: {err} + Det oppstod en feil under eksport av innstillingene: {err} + + + + Default Theme: {theme} + Standard tema: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Kopierer OpenLP data til ny datakatalogplassering - {path} - Vent til kopieringen er ferdig + + + + OpenLP Data directory copy failed + +{err} + Kopiering til OpenLP datakatalog mislyktes + +{err} + + + + &Layout Presets + &Layout innstillinger + + + + Service + Møteprogram + + + + Themes + Temaer + + + + Projectors + Projektorer + + + + Close OpenLP - Shut down the program. + Lukk OpenLP - Avslutt programmet + + + + Export settings to a *.config file. + Eksporter innstillinger til en *.config-fil + + + + Import settings from a *.config file previously exported from this or another machine. + Importer OpenLP-innstillinger fra en *.config fil som tidligere er eksportert fra denne eller en annen datamaskin. + + + + &Projectors + &Projektorer + + + + Hide or show Projectors. + Skjul eller vis projektorer + + + + Toggle visibility of the Projectors. + Endre synlighet for projektorer. + + + + L&ibrary + B&ibliotek + + + + Hide or show the Library. + Skjul eller vis biblioteket + + + + Toggle the visibility of the Library. + Endre synlighet for biblioteket. + + + + &Themes + &Temaer + + + + Hide or show themes + Vis eller skjul temaer + + + + Toggle visibility of the Themes. + Endre synlighet for temaer. + + + + &Service + &Møteprogram + + + + Hide or show Service. + Skjul eller vis møteprogram. + + + + Toggle visibility of the Service. + Endre synlighet for møteprogram + + + + &Preview + &Forhåndsvisning + + + + Hide or show Preview. + Vis eller skjul forhåndsvisning. + + + + Toggle visibility of the Preview. + Endre synlighet for forhåndsvisning. + + + + Li&ve + Fr&emvisning + + + + Hide or show Live + Skjul eller vis fremvisning. + + + + L&ock visibility of the panels + L&ås panelene + + + + Lock visibility of the panels. + Lås panelene + + + + Toggle visibility of the Live. + Slå på/av fremvisning + + + + You can enable and disable plugins from here. + Du kan slå av eller på programtillegg her + + + + More information about OpenLP. + Mer informasjon om OpenLP. + + + + Set the interface language to {name} + Sett brukerspråk til {name} + + + + &Show all + &Vis alt + + + + Reset the interface back to the default layout and show all the panels. + Resett brukerflate til standard oppsett og vis alle paneler. + + + + Use layout that focuses on setting up the Service. + Bruk oppsett som fokuserer på å sette opp møteprogrammet. + + + + Use layout that focuses on Live. + Bruk oppsett som fokuserer på fremvisning. + + + + OpenLP Settings (*.conf) + OpenLP innstillinger (*.conf) + 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 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 - OpenLP kan ikke laste databasen. +Database: {db} + OpenLP kan ikke laste inn din database. -Database: %s +Database: {db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + Databasen som ble forsøkt lastet er laget i en nyere versjon av OpenLP. Databasen har versjon {db_ver}, mens OpenLP ventet versjon {db_up}. Databasen blir ikke lastet. + +Database: {db_name} OpenLP.MediaManagerItem - + No Items Selected Ingen poster er valgt - + &Add to selected Service Item &Legg til i valgt post i møteprogrammet - + You must select one or more items to preview. Du må velge en eller flere poster som skal forhåndsvises. - + You must select one or more items to send live. Du må velge en eller flere poster som skal fremvises. - + You must select one or more items. Du må velge en eller flere poster. - + You must select an existing service item to add to. Du må velge en eksisterende post i møteprogrammet som skal legges til. - + Invalid Service Item Ugyldig møteprogrampost - - You must select a %s service item. - Du må velge en post av typen %s i møteprogrammet. - - - + You must select one or more items to add. Du må velge en eller flere poster som skal legges til. - + No Search Results Ingen søkeresultat - + Invalid File Type Ugyldig filtype - - Invalid File %s. -Suffix not supported - Ugyldig fil %s. -Filendelsen støttes ikke - - - + &Clone &Klone - + Duplicate files were found on import and were ignored. Doble versjoner av filene ble funnet ved importen og ble ignorert. + + + Invalid File {name}. +Suffix not supported + Ugyldig fil {name}. +Filendelsen støttes ikke + + + + You must select a {title} service item. + Du må velge et {title} møteprogram element. + + + + Search is too short to be used in: "Search while typing" + Søketekst er for kort til å bli brukt ved "Søk mens du skriver" + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tagg mangler. - + <verse> tag is missing. <verse> tagg mangler. @@ -4588,22 +4619,22 @@ Filendelsen støttes ikke OpenLP.PJLink1 - + Unknown status Ukjent status - + No message Ingen melding - + Error while sending data to projector Feil under sending av data til projektor - + Undefined command: Udefinert kommando: @@ -4611,32 +4642,32 @@ Filendelsen støttes ikke OpenLP.PlayerTab - + Players Spillere - + Available Media Players Tilgjengelige mediaspillere - + Player Search Order Søkerekkefølge for mediaspillere - + Visible background for videos with aspect ratio different to screen. Synlig bakgrunn for videoer med størrelsesformat annerledes enn skjermen. - + %s (unavailable) %s (utilgjengelig) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" MERK: For å bruke VLC må du installere versjon %s @@ -4645,55 +4676,50 @@ Filendelsen støttes ikke OpenLP.PluginForm - + Plugin Details Moduldetaljer - + Status: Status: - + Active Aktiv - - Inactive - Inaktiv - - - - %s (Inactive) - %s (Inaktiv) - - - - %s (Active) - %s (Aktiv) + + Manage Plugins + Behandle programtillegg - %s (Disabled) - %s (Deaktivert) + {name} (Disabled) + {name} (Deaktivert) - - Manage Plugins - Behandle tilleggsmoduler + + {name} (Active) + {name} (Aktiv) + + + + {name} (Inactive) + {name} (Ikke aktivert) OpenLP.PrintServiceDialog - + Fit Page Tilpass til siden - + Fit Width Tilpass til bredden @@ -4701,77 +4727,77 @@ Filendelsen støttes ikke OpenLP.PrintServiceForm - + Options Alternativer - + Copy Kopier - + Copy as HTML Kopier som HTML - + Zoom In Zoom inn - + Zoom Out Zoom ut - + Zoom Original Tilbakestill zoom - + Other Options Andre alternativ - + Include slide text if available Inkluder sidetekst dersom tilgjengelig - + Include service item notes Inkluder notater - + Include play length of media items Inkluder spillelengde for mediaelementer - + Add page break before each text item Legg til sideskift for hvert tekstelement - + Service Sheet Møteprogram - + Print Skriv ut - + Title: Tittel: - + Custom Footer Text: Egendefinert bunntekst: @@ -4779,257 +4805,257 @@ Filendelsen støttes ikke OpenLP.ProjectorConstants - + OK OK - + General projector error Generell projektorfeil - + Not connected error "Ikke tilkoblet"-feil - + Lamp error Lampefeil - + Fan error Viftefeil - + High temperature detected Oppdaget høy temperatur - + Cover open detected Oppdaget åpent deksel - + Check filter Kontroller filter - + Authentication Error Godkjenningsfeil - + Undefined Command Udefinert kommando - + Invalid Parameter Ugyldig parameter - + Projector Busy Projektor opptatt - + Projector/Display Error 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) + Tilkoblingen ble nektet av noden (eller fikk 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 tilkoblinger) - + 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 Proxy-adresse angitt med setProxy() ble ikke funnet - + An unidentified error occurred En ukjent feil oppstod - + Not connected Ikke tilkoblet - + Connecting Kobler til - + Connected Tilkoblet - + Getting status Mottar status - + Off Av - + Initialize in progress Initialisering pågår - + Power in standby Strøm i standby - + Warmup in progress Oppvarming pågår - + Power is on Strømmen er slått på - + Cooldown in progress Avkjøling pågår - + Projector Information available Projektorinformasjon er tilgjengelig - + Sending data Sender data - + 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 @@ -5037,17 +5063,17 @@ Filendelsen støttes ikke 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 @@ -5055,52 +5081,52 @@ Filendelsen støttes ikke OpenLP.ProjectorEditForm - + Add New Projector Legg til ny projektor - + Edit Projector Rediger projektor - + IP Address IP-adresse - + Port Number Port nummer - + PIN PIN kode - + Name Navn - + Location Plassering - + Notes Notater - + Database Error Databasefeil - + There was an error saving projector information. See the log for the error Det oppsto en feil ved lagring av projektorinformasjonen. Se i loggen for informasjon @@ -5108,305 +5134,360 @@ Filendelsen støttes ikke OpenLP.ProjectorManager - + Add Projector Legg til projektor - - Add a new projector - Legg til en ny projektor - - - + Edit Projector Rediger projektor - - Edit selected projector - Rediger valgte projektor - - - + Delete Projector Slett projektor - - Delete selected projector - Slett valgte projektor - - - + Select Input Source Velg inngangskilde - - Choose input source on selected projector - Velg inngangskilde for valgte projektor - - - + View Projector Vis projektor - - View selected projector information - Vis informasjon for valgte projektor - - - - Connect to selected projector - Koble til valgte projektor - - - + Connect to selected projectors Koble til valgte projektorer - + Disconnect from selected projectors Koble fra valgte projektorer - + Disconnect from selected projector Koble fra valgte projektor - + Power on selected projector Slå på valgte projektor - + Standby selected projector Valgte projektor i ventemodus - - Put selected projector in standby - Sett valgt projektor i ventemodus - - - + 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 - + Name Navn - + IP IP - + Port Port - + Notes Notater - + 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 - + Lamp Lampe - - On - - - - - Off - Av - - - + Hours Timer - + No current errors or warnings Ingen aktuelle feil eller advarsler - + Current errors/warnings Aktuelle feil/advarsler - + Projector Information Projektorinformasjon - + No message Ingen melding - + Not Implemented Yet Ikke implementert ennå - - Delete projector (%s) %s? - Slett projektor (%s) %s? - - - + Are you sure you want to delete this projector? Er du sikker på at du vil slette denne projektoren? + + + Add a new projector. + Legg til en ny projektor. + + + + Edit selected projector. + Rediger valgte projektor + + + + Delete selected projector. + Slett valgte projektor. + + + + Choose input source on selected projector. + Velg inngangskilde for valgte projektor. + + + + View selected projector information. + Vis informasjon for valgte projektor. + + + + Connect to selected projector. + Koble til valgte projektor. + + + + Connect to selected projectors. + Koble til valgte projektorer. + + + + Disconnect from selected projector. + Koble fra valgte projektor. + + + + Disconnect from selected projectors. + Koble fra valgte projektorer. + + + + Power on selected projector. + Slå på valgte projektor. + + + + Power on selected projectors. + Slå på valgte projektorer. + + + + Put selected projector in standby. + Sett valgt projektor i ventemodus. + + + + Put selected projectors in standby. + Sett valgt projektor i ventemodus. + + + + Blank selected projectors screen + Slukk valgte projektorskjerm + + + + Blank selected projectors screen. + Slukk valgte projektorskjerm. + + + + Show selected projector screen. + Vis valgte projektorskjerm. + + + + Show selected projectors screen. + Vis valgte projektorskjerm. + + + + is on + er på + + + + is off + er slått av + + + + Authentication Error + Godkjenningsfeil + + + + No Authentication Error + Ingen autentiseringsfeil + OpenLP.ProjectorPJLink - + Fan Vifte - + Lamp Lampe - + Temperature Temperatur - + Cover Deksel - + Filter Filter - + Other Tilleggsinformasjon @@ -5452,17 +5533,17 @@ Filendelsen støttes ikke OpenLP.ProjectorWizard - + Duplicate IP Address Gjentatt IP-adresse - + Invalid IP Address Ugyldig IPadresse - + Invalid Port Number Ugyldig portnummer @@ -5475,27 +5556,27 @@ Filendelsen støttes ikke Skjerm - + primary primær OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Lengde</strong>: %s - - [slide %d] - [slide %d] + [slide {frame:d}] + [slide {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Start</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Lengde</strong>: {length} @@ -5526,7 +5607,7 @@ Filendelsen støttes ikke Move item up one position in the service. - Flytter posten opp et steg. + Flytter posten opp et trinn. @@ -5536,7 +5617,7 @@ Filendelsen støttes ikke Move item down one position in the service. - Flytter posten et steg ned. + Flytter posten ned ett trinn. @@ -5559,52 +5640,52 @@ Filendelsen støttes ikke Slett valgte post fra programmet. - + &Add New Item &Legg til ny post - + &Add to Selected Item Legg til i &valgt post - + &Edit Item &Rediger post - + &Reorder Item &Omorganiser post - + &Notes &Notater - + &Change Item Theme &Skift postens tema - + File is not a valid service. 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 @@ -5629,7 +5710,7 @@ Filendelsen støttes ikke Skjul alle poster i programmet. - + Open File Åpne fil @@ -5659,22 +5740,22 @@ Filendelsen støttes ikke Sender valgt element til fremvisning. - + &Start Time &Starttid - + Show &Preview &Forhåndsvis - + Modified Service Endret møteprogram - + The current service has been modified. Would you like to save this service? Gjeldende møteprogram er endret. Vil du lagre? @@ -5694,27 +5775,27 @@ Filendelsen støttes ikke Spilletid: - + Untitled Service Møteprogram uten navn - + File could not be opened because it is corrupt. Filen kunne ikke åpnes fordi den er skadet. - + Empty File Tom fil - + This service file does not contain any data. - Denne møteprogram filen er tom. + Denne møteprogramfilen er tom. - + Corrupt File Skadet fil @@ -5734,148 +5815,148 @@ Filendelsen støttes ikke Velg et tema for møteprogrammet. - + Slide theme Lysbildetema - + Notes Notater - + Edit Redigere - + Service copy only 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. - + Service File(s) Missing Møteprogramfil(er) mangler - + &Rename... &Endre navn... - + Create New &Custom Slide Opprett nytt egendefinert &lysbilde - + &Auto play slides Vis lysbilde &automatisk - + Auto play slides &Loop Vis lysbilder i &løkke - + Auto play slides &Once Vis lysbilde &en gang - + &Delay between slides &Pause mellom lysbildene - + OpenLP Service Files (*.osz *.oszl) OpenLP Møteprogramfiler (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - OpenLP Møteprogramfiler (*.osz);; OpenLP Møteprogramfiler - lett (*.oszl) + OpenLP Møteprogramfiler (*.osz);; OpenLP Møteprogramfiler - lite (*.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 + &Autostart - 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Følgende fil(er) i møteprogrammet mangler: %s + Følgende fil(er) mangler i møteprogrammet: {name} Disse filene vil bli fjernet hvis du fortsetter til lagre. + + + An error occurred while writing the service file: {error} + Det oppstod en feil under skriving av møteprogramfilen: {error} + OpenLP.ServiceNoteForm @@ -5906,14 +5987,9 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. Hurtigtast - + Duplicate Shortcut - Dublett snarvei - - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Hurtigtasten "%s" er allerede brukt til en annen handling, bruk en annen hurtigtast. + Dupliser snarvei @@ -5960,219 +6036,234 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. Configure Shortcuts Konfigurer hurtigtaster + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + Hurtigtasten "{key}" er allerede brukt til en annen handling, bruk en annen hurtigtast. + OpenLP.SlideController - + Hide Skjul - + Go To Gå til - + Blank Screen Vis sort skjerm - + Blank to Theme Vis tema - + Show Desktop Vis skrivebord - + Previous Service Forrige møteprogram - + Next Service Neste møteprogram - + Escape Item Avbryt post - + Move to previous. Flytt til forrige. - + Move to next. Flytt til neste. - + Play Slides Spill sider - + Delay between slides in seconds. Ventetid mellom bildene i sekunder. - + Move to live. Flytt til fremvisning. - + Add to Service. Legg til i møteprogram. - + Edit and reload song preview. Rediger og oppdater forhåndsvisning. - + Start playing media. Start avspilling av media. - + Pause audio. Pause lyden. - + Pause playing media. Pause avspilling av media. - + Stop playing media. Stopp avspilling av media. - + Video position. Videoposisjon. - + Audio Volume. Lydvolum. - + Go to "Verse" Gå til "Vers" - + Go to "Chorus" Gå til "Refreng" - + Go to "Bridge" Gå til "Mellomspill" - + Go to "Pre-Chorus" Gå til "Bro" - + Go to "Intro" Gå til "Intro" - + Go to "Ending" Gå til "Avslutt" - + Go to "Other" Gå til "Tilleggsinformasjon" - + Previous Slide Forrige bilde - + Next Slide Neste bilde - + Pause Audio Pause lyd - + Background Audio Bakgrunnslyd - + Go to next audio track. Gå til neste lydspor. - + Tracks Spor + + + Loop playing media. + Spill av media i sløyfe + + + + Video timer. + Video timer + 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 - + 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? @@ -6180,17 +6271,17 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. OpenLP.SpellTextEdit - + Spelling Suggestions Staveforslag - + Formatting Tags Formateringstagger - + Language: Språk: @@ -6269,7 +6360,7 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. OpenLP.ThemeForm - + (approximately %d lines per slide) (ca. %d linjer per bilde) @@ -6277,523 +6368,533 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. OpenLP.ThemeManager - + Create a new theme. Lag et nytt tema. - + Edit Theme Rediger tema - + Edit a theme. Rediger et tema. - + Delete Theme Slett tema - + Delete a theme. Slett et tema. - + Import Theme Importer tema - + Import a theme. Importer et tema. - + Export Theme Eksporter tema - + Export a theme. Eksporter et tema. - + &Edit Theme &Rediger tema - + &Delete Theme &Slett tema - + Set As &Global Default Sett som &globalt tema - - %s (default) - %s (standard) - - - + You must select a theme to edit. Du må velge et tema å redigere. - + You are unable to delete the default theme. Du kan ikke slette standardtemaet. - + You have not selected a theme. Du har ikke valgt et tema. - - Save Theme - (%s) - Lagre tema - (%s) - - - + Theme Exported Tema eksportert - + Your theme has been successfully exported. - Temaet har blitt eksportert uten problemer. + Temaeksporten var vellykket. - + Theme Export Failed Temaeksporten var mislykket - + Select Theme Import File Velg en tema importfil - + File is not a valid theme. Filen er ikke et gyldig tema. - + &Copy Theme &Kopier tema - + &Rename Theme &Endre navn på tema - + &Export Theme &Eksporter tema - + You must select a theme to rename. Du må velge et tema som skal endre navn. - + Rename Confirmation Bekreft navneendring - + Rename %s theme? Endre navn på tema %s? - + You must select a theme to delete. Du må velge et tema som skal slettes. - + Delete Confirmation Bekreft sletting - + Delete %s theme? Slett %s tema? - + Validation Error Kontrollfeil - + A theme with this name already exists. Et tema med dette navnet finnes allerede. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s gang(er) med %s - - - + Unable to delete theme Kan ikke slette tema + + + {text} (default) + {text} (standard) + + + + Copy of {name} + Copy of <theme name> + Kopi av {name} + + + + Save Theme - ({name}) + Lagre tema - ({name}) + + + + The theme export failed because this error occurred: {err} + Eksport av tema mislyktes fordi denne feilen oppstod: {err} + + + + {name} (default) + {name} (standard) + + + + Theme {name} already exists. Do you want to replace it? + Temaet {name} finnes allerede. Vil du erstatte det? + + {count} time(s) by {plugin} + {count} gang(er) av {plugin} + + + Theme is currently used -%s - Temaet er for tiden i bruk +{text} + Temaet er for tiden i bruk -%s +{text} OpenLP.ThemeWizard - + Theme Wizard Temaveiviser - + Welcome to the Theme Wizard Velkommen til temaveiviseren - + Set Up Background Sett opp bakgrunn - + Set up your theme's background according to the parameters below. Sett opp temabakgrunn i henhold til parameterne nedenfor. - + Background type: Bakgrunnstype: - + Gradient Gradient - + Gradient: Gradient: - + Horizontal Horisontal - + Vertical Vertikal - + Circular Sirkulær - + Top Left - Bottom Right Øverst til venstre - Nederst til høyre - + Bottom Left - Top Right Nederst til venstre - Øverst til høyre - + Main Area Font Details Fontdetaljer for hovedfeltet - + Define the font and display characteristics for the Display text Angi skriftstørrelsen og egenskaper for visningsteksten - + Font: Font: - + Size: Størrelse: - + Line Spacing: Linjeavstand: - + &Outline: &Kontur: - + &Shadow: &Skygge: - + Bold Fet - + Italic Kursiv - + Footer Area Font Details Fontdetaljer for bunntekstområdet - + Define the font and display characteristics for the Footer text Angi skriftstørrelsen og egenskaper for bunnteksten - + Text Formatting Details Tekstformatering - + Allows additional display formatting information to be defined Ytterlige innstillingsmuligheter for hvordan teksten skal vises - + Horizontal Align: Vannrett justering: - + Left Venstre - + Right Høyre - + Center Midten - + Output Area Locations Plassering av tekst - + &Main Area - &Hovedområdet + &Hovedområde - + &Use default location &Bruk standard plassering - + X position: X posisjon: - + px px - + Y position: Y posisjon: - + Width: Bredde: - + Height: Høyde: - + Use default location Bruk standard plassering - + Theme name: Tema navn: - - Edit Theme - %s - Rediger tema - %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. Denne veiviseren vil hjelpe deg å lage og redigere dine temaer. Klikk på Neste-knappen under for å starte oppsettet av bakgrunnen. - + Transitions: Overganger: - + &Footer Area &Bunntekst - + Starting color: Startfarge: - + Ending color: Sluttfarge: - + Background color: Bakgrunnsfarge: - + Justify Finjuster - + Layout Preview Forhåndsvisning av layout - + Transparent Gjennomsiktig - + Preview and Save Forhåndsvis og lagre - + Preview the theme and save it. Forhåndsvis og lagre temaet. - + Background Image Empty Bakgrunnsbilde er tomt - + Select Image Velg bilde - + Theme Name Missing Temanavn mangler - + There is no name for this theme. Please enter one. Du har ikke angitt navn for temaet. Vennligst legg til navn. - + Theme Name Invalid Ugyldig temanavn - + Invalid theme name. Please enter one. Ugyldig temanavn. Velg et nytt. - + Solid color Ensfarget - + color: farge: - + Allows you to change and move the Main and Footer areas. Her kan du endre og flytte tekst- og bunntekst områdene. - + You have not selected a background image. Please select one before continuing. Du har ikke valgt et bakgrunnsbilde. Vennligst velg et før du fortsetter. + + + Edit Theme - {name} + Rediger tema - {name} + + + + Select Video + Velg Video + OpenLP.ThemesTab @@ -6815,7 +6916,7 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. 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. - Bruker temaet fra hver sang i databasen. Hvis en sang ikke har et tema tilknyttet, brukes program tema. Hvis møteprogrammet ikke har et tema, brukes det globale tema. + Bruker temaet fra hver sang i databasen. Hvis en sang ikke har et tema tilknyttet brukes møteprogrammets tema. Hvis møteprogrammet ikke har et tema brukes globalt tema. @@ -6825,7 +6926,7 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. 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. - Bruk 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 brukes globalt tema. @@ -6858,17 +6959,17 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. Delete the selected item. - Slett valgte post. + Slett valgte element. Move selection up one position. - Flytt valgte ett steg opp. + Flytt valgte element ett trinn opp. Move selection down one position. - Flytt valgte ett steg ned. + Flytt valgte element ett trinn ned. @@ -6876,73 +6977,73 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. &Vertikal justering: - + Finished import. Import fullført. - + Format: Format: - + Importing Importerer - + Importing "%s"... Importerer "%s"... - + Select Import Source Velg importkilde - + Select the import format and the location to import from. Velg importformat og plasseringen du vil importere fra. - + Open %s File Åpne %s fil - + %p% %p% - + Ready. Klar. - + Starting import... Starter import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Du må angi minst én %s fil som du vil importere fra. - + Welcome to the Bible Import Wizard Velkommen til bibelimportveiviseren - + Welcome to the Song Export Wizard Velkommen til sangeksportveiviseren - + Welcome to the Song Import Wizard Velkommen til sangimportveiviseren @@ -6992,39 +7093,34 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. XML syntaksfeil - - Welcome to the Bible Upgrade Wizard - Velkommen til bibeloppgradering-veiviseren - - - + Open %s Folder Åpne %s mappe - + You need to specify one %s file to import from. A file type e.g. OpenSong Du må angi en %s fil du vil importere fra. - + You need to specify one %s folder to import from. A song format e.g. PowerSong 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 av sangduplikater - + Written by Skrevet av @@ -7034,504 +7130,492 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. Ukjent forfatter - + About Om - + &Add &Legg til - + Add group Legg til gruppe - + Advanced Avansert - + All Files Alle filer - + Automatic Automatisk - + Background Color Bakgrunnsfarge - + Bottom Bunn - + Browse... Bla... - + Cancel Avbryt - + CCLI number: CCLI nummer: - + Create a new service. Lag et nytt møteprogram. - + Confirm Delete Bekreft sletting - + Continuous Kontinuerlig - + Default Standard - + Default Color: Standard farge: - + 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. Møteprogram %Y-%m-%d %H-%M - + &Delete &Slett - + Display style: Visningsstil: - + Duplicate Error Duplikatfeil - + &Edit &Rediger - + Empty Field Tomt felt - + Error Feil - + Export Eksporter - + File Fil - + File Not Found Fil ikke funnet - - File %s not found. -Please try selecting it individually. - Fil %s ikke funnet. -Vennligst prøv å velge den individuelt. - - - + pt Abbreviated font pointsize unit pt - + Help Hjelp - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Ugyldig mappe valgt - + Invalid File Selected Singular Ugyldig fil valgt - + Invalid Files Selected Plural Ugyldige filer valgt - + Image Bilde - + Import Importere - + Layout style: Layout stil: - + Live Fremvisning - + Live Background Error - Fremvisning bakgrunns feil + Feil i levende bakgrunn - + Live Toolbar Fremvisning - verktøylinje - + Load Laste - + Manufacturer Singular Produsent - + Manufacturers Plural Produsenter - + Model Singular Modell - + Models Plural Modeller - + m The abbreviated unit for minutes m - + Middle Midten - + New Ny - + New Service Nytt møteprogram - + New Theme Nytt tema - + Next Track Neste spor - + No Folder Selected Singular Ingen mappe valgt - + No File Selected Singular Ingen fil er valgt - + No Files Selected Plural Inger filer er valgt - + No Item Selected Singular Ingen post er valgt - + No Items Selected Plural Ingen poster er valgt - + OpenLP is already running. Do you wish to continue? OpenLP kjører allerede. Vil du fortsette? - + Open service. Åpne møteprogram. - + Play Slides in Loop Kontinuerlig visning av sider - + Play Slides to End Vis sider til "siste side" - + Preview Forhåndsvisning - + Print Service Skriv ut møteprogram - + Projector Singular Projektor - + Projectors Plural Projektorer - + Replace Background Erstatt bakgrunn - + Replace live background. Bytt fremvisningbakgrunn. - + Reset Background Tilbakestill bakgrunn - + Reset live background. - Tilbakestill fremvisningbakgrunn. + Tilbakestill levende bakgrunn. - + 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 - + 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. + Splitte et lysbilde 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" + Stopp visning av sider til siste side - + Theme Singular Tema - + Themes Plural Temaer - + Tools Verktøy - + Top Topp - + Unsupported File Filtypen 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: - + Preview Toolbar Forhåndsvisning - verktøylinje - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - En kan ikke bytte fremvist bakgrunnsbilde når WebKit spilleren er deaktivert. + En kan ikke bytte levende bakgrunn når WebKit spilleren er deaktivert. @@ -7545,29 +7629,101 @@ Vennligst prøv å velge den individuelt. Plural Sangbøker + + + Background color: + Bakgrunnsfarge: + + + + Add group. + Legg til gruppe. + + + + File {name} not found. +Please try selecting it individually. + Fil {name} ikke funnet. +Vennligst prøv å velge den individuelt. + + + + Start {code} + Start {code} + + + + Video + Video + + + + Search is Empty or too Short + Søket er tomt eller for kort + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>Søket du har skrevet er tomt eller kortere enn 3 tegn. </strong><br><br>Forsøk igjen med en lengre tekst. + + + + No Bibles Available + Ingen bibler tilgjengelig + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>Det er ingen bibler installert. </strong><br><br>Vennligst bruk importveiviseren for å installere en eller flere bibler. + + + + Book Chapter + Bok kapittel + + + + Chapter + Kapittel + + + + Verse + Vers + + + + Psalm + Salme + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + Boknavn kan forkortes fra fulle navn, f.eks. Sal 23 = Salme 23 + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s og %s - + %s, and %s Locale list separator: end %s, og %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7650,46 +7806,46 @@ Vennligst prøv å velge den individuelt. Presenter ved hjelp av: - + File Exists Filen eksisterer allerede - + A presentation with that filename already exists. En presentasjon med dette filnavnet eksisterer allerede. - + This type of presentation is not supported. Denne type presentasjoner er ikke støttet. - - Presentations (%s) - Presentasjoner (%s) - - - + Missing Presentation Presentasjonen mangler - - The presentation %s is incomplete, please reload. - Presentasjonen %s er ufullstendig, vennligst oppdater. + + Presentations ({text}) + Presentasjoner ({text}) - - The presentation %s no longer exists. - Presentasjonen %s eksisterer ikke lenger. + + The presentation {name} no longer exists. + Presentasjonen {name} eksisterer ikke lenger. + + + + The presentation {name} is incomplete, please reload. + Presentasjonen {name} er ufullstendig, vennligst oppdater. 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. Det oppstod en feil i Powerpointintegrasjonen og presentasjonen vil bli stoppet. Start presentasjonen på nytt hvis du ønsker å fortsette. @@ -7700,11 +7856,6 @@ Vennligst prøv å velge den individuelt. Available Controllers Tilgjengelige presentasjonsprogram - - - %s (unavailable) - %s (utilgjengelig) - Allow presentation application to be overridden @@ -7721,12 +7872,12 @@ Vennligst prøv å velge den individuelt. 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. @@ -7737,13 +7888,20 @@ Vennligst prøv å velge den individuelt. - Clicking on a selected slide in the slidecontroller advances to next effect. - Ved å klikke på et valgt lysbilde i fremvisningskontrollen; fortsetter til neste effekt. + Clicking on the current slide advances to the next effect + Å klikke på et valgt lysbilde i fremvisningskontrollen fortsetter til neste effekt. - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - La PowerPoint kontrollere størrelsen og posisjonen til presentasjonsvinduet (løsning på Windows 8 skalerings problemer) + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + La PowerPoint kontrollere størrelsen og posisjonen til presentasjonsvinduet +(Dette kan løse skaleringsproblemer i Windows 8 og 10) + + + + {name} (unavailable) + {name} (ikke tilgjengelig) @@ -7774,138 +7932,138 @@ Vennligst prøv å velge den individuelt. Server Config Change - Endre serverinnstillingene + Endre serverinnstillinger Server configuration changes will require a restart to take effect. - Endring av serverinnstillingene krever omstart for å tre i kraft. + Endring av serverinnstillinger krever omstart for å tre i kraft. RemotePlugin.Mobile - + Service Manager Møteprogram - + Slide Controller Fremvisningskontroll - + Alerts Meldinger - + Search Søk - + Home Hjem - + Refresh Oppdater - + Blank Slukk - + Theme Tema - + Desktop Skrivebord - + Show Vis - + Prev Forrige - + Next Neste - + Text Tekst - + Show Alert 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 - + Remote Fjernstyring - + Stage View Scenevisning - + Live View Skjermvisning @@ -7913,79 +8071,89 @@ Vennligst prøv å velge den individuelt. RemotePlugin.RemoteTab - + Serve on IP address: Bruk IP-adresse: - + Port number: Portnummer: - + Server Settings Serverinnstillinger - + Remote URL: Fjernstyring URL: - + Stage view URL: Scenevisning URL: - + Display stage time in 12h format Vis scenetiden i 12-timersformat - + Android App Android App - + 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: - + Password: Passord: - + Show thumbnails of non-text slides in remote and stage view. Vis miniatyrbilder av ikke-tekst slides i fjernstyrings- og scenevisning. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Skann QR-koden eller klikk <a href="%s">last ned</a> for å installere Android appen fra Google Play. + + iOS App + iOS App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Skann QR-koden eller klikk <a href="{qr}">last ned</a> for å installere Android appen fra Google Play. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Skann QR-koden eller klikk <a href="{qr}">last ned</a> for å installere iOS-appen fra App Store. @@ -8023,55 +8191,55 @@ Vennligst prøv å velge den individuelt. Toggle the tracking of song usage. - Slår logging av sanger av/på. + Slår logging av sanger på/av. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <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. Sanglogging er aktiv. - + Song usage tracking is inactive. Sanglogging er ikke aktiv. - + display vise - + printed - utskrevet + skrevet ut @@ -8137,24 +8305,10 @@ Alle data som er registrert før denne datoen vil bli varig slettet.Ut-fil plassering - - usage_detail_%s_%s.txt - bruks_detaljer_%s_%s.txt - - - + Report Creation Rapport opprettet - - - Report -%s -has been successfully created. - Rapport -%s -er opprettet uten problem. - Output Path Not Selected @@ -8164,49 +8318,63 @@ er opprettet uten problem. 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. + Du må velge en gyldig målmappe 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 + + usage_detail_{old}_{new}.txt + bruksdetaljer_{gml}_{ny}.txt + + + + Report +{name} +has been successfully created. + Rapporten +{name} +er opprettet uten problemer. + + + + An error occurred while creating the report: {error} + Det oppstod en feil ved oppretting av rapporten: {error} 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>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. Reindekserer sangdatabasen for å oppnå bedre inndeling og søking. - + Reindexing songs... Indekserer sanger på nytt ... @@ -8301,80 +8469,80 @@ The encoding is responsible for the correct character representation. 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. @@ -8441,7 +8609,7 @@ Innstillingen er avgjørende for riktige tegn. You have not set a display name for the author, combine the first and last names? - Du har ikke satt et visningsnavn til forfatteren, kombiner for- og etternavn. + Du har ikke satt et visningsnavn for forfatteren, kombinere for- og etternavn? @@ -8463,62 +8631,67 @@ Innstillingen er avgjørende for riktige tegn. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administreres av %s - - - - "%s" could not be imported. %s - "%s" kunne ikke importeres. %s - - - + Unexpected data formatting. Uventet dataformatering. - + No song text found. Ingen sangtekst funnet. - + [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. + + + Administered by {admin} + Administeres av {admin} + + + + "{title}" could not be imported. {entry} + "{title}" kunne ikke importeres. {entry} + + + + "{title}" could not be imported. {error} + "{title}" kunne ikke importeres. {error} + SongsPlugin.EditBibleForm - + Meta Data Metadata - + Custom Book Names Egendefinerte boknavn @@ -8601,57 +8774,57 @@ Innstillingen er avgjørende for riktige tegn. Tema, copyright info && kommentarer - + Add Author Legg til forfatter - + This author does not exist, do you want to add them? Denne forfatteren eksisterer ikke, skal den opprettes? - + This author is already in the list. Denne forfatteren er allerede på listen. - + 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. Du har ikke valgt et gyldig forfatternavn. Enten velg en forfatter fra listen eller skriv inn en ny forfatter og klikk "Legg til forfatter" -knappen for å legge til en ny forfatter. - + Add Topic Legg til emne - + This topic does not exist, do you want to add it? Dette emnet eksisterer ikke, skal det opprettes? - + This topic is already in the list. Dette emnet eksisterer allerede i listen. - + 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å "Legg til emne"-knappen for å legge til det nye emnet. - + You need to type in a song title. Du må oppgi sangtittel. - + You need to type in at least one verse. Du må skrive inn minst ett vers. - + You need to have an author for this song. Du må angi en forfatter til denne sangen. @@ -8676,7 +8849,7 @@ Innstillingen er avgjørende for riktige tegn. Fjern &alle - + Open File(s) Åpne fil(er) @@ -8691,14 +8864,7 @@ Innstillingen er avgjørende for riktige tegn. <strong>Advarsel:</strong> Du har ikke angitt versrekkefølge. - - 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. - - - + Invalid Verse Order Feil versrekkefølge @@ -8708,22 +8874,15 @@ Fyll inn versene adskilt med mellomrom. &Rediger forfatterkategori - + Edit Author Type Rediger forfatterkategori - + Choose type for this author Velg kategori for denne forfatteren - - - 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. - &Manage Authors, Topics, Songbooks @@ -8745,45 +8904,77 @@ Fyll inn versene adskilt med mellomrom. Forfattere, emner && sangbøker - + Add Songbook Legg til sangbok - + This Songbook does not exist, do you want to add it? Denne sangboken eksisterer ikke, skal den opprettes? - + This Songbook is already in the list. Denne sangboken finnes allerede i listen. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Du har ikke valgt en gyldig sangbok. Du kan enten velge en sangbok fra listen, eller lag en ny sangbok og klikk på "Tilføye sang" knappen for å legge til den nye sangboken. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Det er ingen vers tilsvarende "{invalid}". Gyldige oppføringer er {valid}. +Skriv inn versene adskilt med mellomrom. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Det er ingen vers tilsvarende "{invalid}". Gyldige oppføringer er {valid}. +Skriv inn versene adskilt med mellomrom. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + Det er feilplasserte formateringstagger i følgende vers: + +{tag} + +Vennligst korriger disse før du fortsetter. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + Du har {count} vers med navn {name} {number}. Du kan ha maksimalt 26 vers med samme navn + SongsPlugin.EditVerseForm - + Edit Verse Rediger vers - + &Verse type: &Verstype: - + &Insert Set &inn - + Split a slide into two by inserting a verse splitter. Splitte siden i to ved å sette et verssplitter. @@ -8796,77 +8987,77 @@ Fyll inn versene adskilt med mellomrom. Veiviser for sangeksport - + Select Songs Velg sanger - + Check the songs you want to export. Merk sangene du vil eksportere. - + Uncheck All Fjern all merking - + Check All Merk alle - + Select Directory Velg katalog - + Directory: Katalog: - + Exporting Eksporterer - + Please wait while your songs are exported. Vennligst vent mens sangene blir eksportert. - + You need to add at least one Song to export. Du må legge til minst én sang som skal eksporteres. - + No Save Location specified Lagringsområdet er ikke angitt - + Starting export... Starter eksporten... - + You need to specify a directory. Du må angi en katalog. - + Select Destination Folder Velg målmappe - + Select the directory where you want the songs to be saved. Velg katalogen hvor du vil sangene skal lagres. - + 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. @@ -8874,7 +9065,7 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Ugyldig Foilpresenter sangfil. Ingen vers funnet. @@ -8882,7 +9073,7 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.GeneralTab - + Enable search as you type Aktiver søk mens du skriver @@ -8890,7 +9081,7 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Velg dokument/presentasjonsfiler @@ -8900,237 +9091,252 @@ Fyll inn versene adskilt med mellomrom. Veiviser for sangimport - + 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. Denne veiviseren vil hjelpe deg å importere sanger fra en rekke formater. For å starte importen klikk på "Neste-knappen" og så velg format og sted å importere fra. - + Generic Document/Presentation Generic Document/Presentation - + Add Files... Legg til filer... - + Remove File(s) Fjern filer(er) - + Please wait while your songs are imported. Vennligst vent mens sangene importeres. - + Words Of Worship Song Files Words Of Worship sangfiler - + Songs Of Fellowship Song Files Songs Of Fellowship sangfiler - + SongBeamer Files SongBeamer filer - + SongShow Plus Song Files SongShow Plus sangfiler - + Foilpresenter Song Files Foilpresenter sangfiler - + Copy Kopier - + Save to File Lagre til fil - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. "Songs of Fellowship"-importøren har blitt deaktivert fordi OpenLP ikke får tilgang til OpenOffice eller LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Den generiske dokument/presentasjon importøren har blitt deaktivert fordi OpenLP ikke får tilgang til OpenOffice eller LibreOffice. - + OpenLyrics Files OpenLyrics filer - + CCLI SongSelect Files CCLI SongSelect-filer - + EasySlides XML File EasySlides XML-fil - + EasyWorship Song Database EasyWorship sangdatabase - + DreamBeam Song Files DreamBeam Sangfiler - + You need to specify a valid PowerSong 1.0 database folder. Du må angi en gyldig PowerSong 1.0 databasemappe. - + 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>. 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>. - + SundayPlus Song Files SundayPlus sangfiler - + This importer has been disabled. Denne importfunksjonen er deaktivert. - + 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. Importfunksjonen for MediaShout støttes bare i Windows. Den har blitt deaktivert på grunn av en manglende Python-modul. Hvis du ønsker å bruke denne importøren, må du installere "pyodbc" modulen. - + SongPro Text Files SongPro tekstfiler - + SongPro (Export File) SongPro (eksportfil) - + In SongPro, export your songs using the File -> Export menu I SongPro eksporterer du sangene ved hjelp av File -> Export menyen - + EasyWorship Service File EasyWorship møteprogramfil - + WorshipCenter Pro Song Files WorshipCenter Pro sangfiler - + 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. Importfunksjonen for MediaShout støttes bare i Windows. Den har blitt deaktivert på grunn av en manglende Python-modul. Hvis du ønsker å bruke denne importøren, må du installere "pyodbc" modulen. - + 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 må du eksportere din database til en CSV fil. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics eller OpenLP 2 eksporterte sanger - + OpenLP 2 Databases OpenLP 2 databaser - + LyriX Files LyriX Filer - + LyriX (Exported TXT-files) LyriX (Eksporterte TXT-filer) - + VideoPsalm Files VideoPsalm Filer - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - VideoPsalm sangbøker finnes vanligvis i %s + + OPS Pro database + OPS Pro database + + + + The OPS 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. + Importfunksjonen for OPS Pro støttes bare i Windows. Den har blitt deaktivert på grunn av en manglende Python-modul. Hvis du ønsker å bruke denne importfunksjonen, må du installere "pyodbc" modulen. + + + + ProPresenter Song Files + ProPresenter sangfiler + + + + The VideoPsalm songbooks are normally located in {path} + VideoPsalm sangbøker finnes vanligvis i {path} SongsPlugin.LyrixImport - Error: %s - Feil: %s + File {name} + Fil {name} + + + + Error: {error} + Feil: {error} @@ -9149,79 +9355,117 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.MediaItem - + Titles Titler - + Lyrics Sangtekster - + CCLI License: CCLI Lisens: - + Entire Song Hele sangen - + Maintain the lists of authors, topics and books. Vedlikeholde listene over forfattere, emner og bøker. - + copy For song cloning kopi - + Search Titles... Søk titler... - + Search Entire Song... Søk i hele sanginnholdet... - + Search Lyrics... Søk i sangtekster... - + Search Authors... Søk forfattere... - - Are you sure you want to delete the "%d" selected song(s)? - Er du sikker på at du vil slette de "%d" valgte sang(ene)? - - - + Search Songbooks... Søk i sangbøker + + + Search Topics... + Søk i Emne... + + + + Copyright + Copyright + + + + Search Copyright... + Søk i Copyright... + + + + CCLI number + CCLI nummer + + + + Search CCLI number... + Søk i CCLI nummer... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + Er du sikker på at du vil slette de "{items:d}" valgte sang(ene)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Kan ikke åpne MediaShout databasen. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Kan ikke oprette kontakt med OPS Pro databasen. + + + + "{title}" could not be imported. {error} + "{title}" kunne ikke importeres. {error} + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Ikke en gyldig OpenLP 2 sangdatabase. @@ -9229,9 +9473,9 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Eksporterer "%s"... + + Exporting "{title}"... + Eksporterer "{title}"... @@ -9250,29 +9494,37 @@ Fyll inn versene adskilt med mellomrom. Ingen sanger å importere. - + Verses not found. Missing "PART" header. Versene ikke funnet. Mangler "PART" overskrift. - No %s files found. - Ingen %s fler funnet. + No {text} files found. + Ingen {text} filer funnet. - Invalid %s file. Unexpected byte value. - Ugyldig %s fil. Uventet byteverdi. + Invalid {text} file. Unexpected byte value. + Ugyldig {text} fil. Uventet byteverdi. - Invalid %s file. Missing "TITLE" header. - Ugyldig %s fil. Mangler "TITLE" overskrift. + Invalid {text} file. Missing "TITLE" header. + Ugyldig {text} fil. Mangler "TITLE" overskrift. - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Ugyldig %s fil. Manglende "COPYRIGHTLINE" overskrift. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Ugyldig {text} fil. Manglende "COPYRIGHTLINE" overskrift. + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + Filen er ikke i XML-format som er det eneste støttede formatet. @@ -9285,7 +9537,7 @@ Fyll inn versene adskilt med mellomrom. &Publisher: - &Forlegger: + &Utgiver: @@ -9301,19 +9553,19 @@ Fyll inn versene adskilt med mellomrom. 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 <strong>OpenLyrics</strong>-importøren. - - Your song export failed because this error occurred: %s - Eksport av sangen mislyktes fordi denne feilen oppstod: %s + + Your song export failed because this error occurred: {error} + Eksport av sangen mislyktes fordi denne feilen oppstod: {error} @@ -9329,17 +9581,17 @@ Fyll inn versene adskilt med mellomrom. Følgende sanger kunne ikke importeres: - + Cannot access OpenOffice or LibreOffice Får ikke tilgang til OpenOffice eller LibreOffice - + Unable to open file Kan ikke åpne fil - + File not found Fil ikke funnet @@ -9347,109 +9599,109 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.SongMaintenanceForm - + Could not add your author. Kunne ikke legge til forfatteren. - + This author already exists. Denne forfatteren finnes allerede. - + Could not add your topic. Kunne ikke legge til emnet. - + This topic already exists. Dette emnet finnes allerede. - + Could not add your book. Kunne ikke legge til boken. - + This book already exists. Denne boken finnes allerede. - + Could not save your changes. Kunne ikke lagre endringene. - + Could not save your modified author, because the author already exists. Kunne ikke lagre den endrede forfatteren fordi forfatteren finnes allerede. - + Could not save your modified topic, because it already exists. Kunne ikke lagre det endrede emnet, fordi det finnes allerede. - + Delete Author Slett forfatter - + Are you sure you want to delete the selected author? Er du sikker på at du vil slette den valgte forfatteren? - + This author cannot be deleted, they are currently assigned to at least one song. Denne forfatteren kan ikke slettes. Den er for øyeblikket tilknyttet minst én sang. - + Delete Topic Slett emne - + Are you sure you want to delete the selected topic? Er du sikker på at du vil slette valgte emne? - + This topic cannot be deleted, it is currently assigned to at least one song. Dette emnet kan ikke slettes. Det er for øyeblikket tilknyttet minst én sang. - + Delete Book Slett bok - + Are you sure you want to delete the selected book? Er du sikker på at du vil slette valgte bok? - + This book cannot be deleted, it is currently assigned to at least one song. Denne boken kan ikke slettes. Den er for øyeblikket tilknyttet minst én sang. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Forfatteren %s finnes allerede. Vil du lage sanger med forfatter %s bruk den eksisterende forfatter %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + Forfatteren {original} finnes allerede. Vil du la sanger med forfatter {new} bruke den eksisterende forfatter {original}? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Emnet %s finnes allerede. Vil du lage sanger med emne %s bruk det eksisterende emne %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + Emnet {original} finnes allerede. Vil du la sanger med emne {new} bruke det eksisterende emne {original}? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Boken %s finnes allerede. Vil du lage sanger med bok %s bruk den eksisterende bok %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + Boken {original} finnes allerede. Vil du la sanger med bok {new} bruke den eksisterende boken {original}? @@ -9457,7 +9709,7 @@ Fyll inn versene adskilt med mellomrom. CCLI SongSelect Importer - CCLI SongSelect importør + CCLI SongSelect importverktøy @@ -9495,52 +9747,47 @@ Fyll inn versene adskilt med mellomrom. Søk - - Found %s song(s) - Fant %s sang(er) - - - + Logout Logg ut - + View Vis - + Title: Tittel: - + Author(s): Forfatter(e): - + Copyright: Copyright: - + CCLI Number: CCLI Nummer: - + Lyrics: Sangtekster: - + Back Tilbake - + Import Importere @@ -9580,7 +9827,7 @@ Fyll inn versene adskilt med mellomrom. Det var problemer med å logge inn, kanskje brukernavn eller passord er feil? - + Song Imported Sang importert @@ -9595,7 +9842,7 @@ Fyll inn versene adskilt med mellomrom. Denne sangen har noen mangler, f. eks sangteksten, og kan derfor ikke importeres. - + Your song has been imported, would you like to import more songs? Sangen har blitt importert, ønsker du å importere flere sanger? @@ -9604,6 +9851,11 @@ Fyll inn versene adskilt med mellomrom. Stop Stopp + + + Found {count:d} song(s) + Fant {count:d} sang(er) + SongsPlugin.SongsTab @@ -9612,30 +9864,30 @@ Fyll inn versene adskilt med mellomrom. Songs Mode Sangmodus - - - Display verses on live tool bar - Vis versene på fremvis - verktøylinje - Update service from song edit - Oppgrader sanger også i møteprogramet - - - - Import missing songs from service files - Importer manglende sanger fra møteprogram filene + Oppgrader sanger også i møteprogrammet Display songbook in footer Vis sangbok i bunntekst + + + Enable "Go to verse" button in Live panel + Aktiver "Gå til vers"-knapp i fremvisningspanelet + + + + Import missing songs from Service files + Importer manglende sanger fra møteprogramfilene + - Display "%s" symbol before copyright info - Sett "%s" symbol foran copyright informasjonen + Display "{symbol}" symbol before copyright info + Sett "{symbol}" symbol foran copyrightinformasjonen @@ -9659,37 +9911,37 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.VerseType - + Verse Vers - + Chorus Refreng - + Bridge Stikk - + Pre-Chorus Bro - + Intro Intro - + Ending Avslutning - + Other Tilleggsinformasjon @@ -9697,22 +9949,22 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.VideoPsalmImport - - Error: %s - Feil: %s + + Error: {error} + Feil: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Ugyldig Words of Worship sangfil. Mangler "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + Ugyldig Words of Worship sangfil. Mangler "{text}" overskrift. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Ugyldig Words of Worship sang fil. Mangler "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + Ugyldig Words of Worship sangfil. Mangler "{text}" streng. @@ -9723,30 +9975,30 @@ Fyll inn versene adskilt med mellomrom. Feil ved lesing av CSV-fil. - - Line %d: %s - Linje %d: %s - - - - Decoding error: %s - Dekodingsfeil: %s - - - + File not valid WorshipAssistant CSV format. Filen er ikke i gyldig WorshipAssistant CSV-format. - - Record %d - Post %d + + Line {number:d}: {error} + Linje {number:d}: {error} + + + + Record {count:d} + Post {count:d} + + + + Decoding error: {error} + Dekodingsfeil: {error} SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Kan ikke opprette kontakt med WorshipCenter Pro databasen. @@ -9759,25 +10011,30 @@ Fyll inn versene adskilt med mellomrom. Feil ved lesing av CSV-fil. - + File not valid ZionWorx CSV format. Filen er ikke i gyldig ZionWorx CSV-format. - - Line %d: %s - Linje %d: %s - - - - Decoding error: %s - Dekodingsfeil: %s - - - + Record %d Post %d + + + Line {number:d}: {error} + Linje {number:d}: {error} + + + + Record {index} + Post {index} + + + + Decoding error: {error} + Dekodingsfeil: {error} + Wizard @@ -9787,39 +10044,960 @@ Fyll inn versene adskilt med mellomrom. Veiviser - + 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 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 sangduplikater. - + Please wait while your songs database is analyzed. Vennligst vent mens sangdatabasen blir analysert. - + Here you can decide which songs to remove and which ones to keep. Her kan du velge hvilke sanger du vil slette eller beholde. - - Review duplicate songs (%s/%s) - Gjennomgå sangduplikater (%s/%s) - - - + Information Informasjon - + No duplicate songs have been found in the database. Ingen sangduplikater er blitt funnet i databasen. + + + Review duplicate songs ({current}/{total}) + Gjennomgå sangduplikater ({current}/{total}) + + + + common.languages + + + (Afan) Oromo + Language code: om + (Afan) Oromo + + + + Abkhazian + Language code: ab + Abkhaziansk + + + + Afar + Language code: aa + Afar + + + + Afrikaans + Language code: af + Afrikaans + + + + Albanian + Language code: sq + Albansk + + + + Amharic + Language code: am + Amharisk + + + + Amuzgo + Language code: amu + Amuzgo + + + + Ancient Greek + Language code: grc + Gammelgresk + + + + Arabic + Language code: ar + Arabisk + + + + Armenian + Language code: hy + Armensk + + + + Assamese + Language code: as + Assamesisk + + + + Aymara + Language code: ay + Aymara + + + + Azerbaijani + Language code: az + Azerbaijansk + + + + Bashkir + Language code: ba + Bashkir + + + + Basque + Language code: eu + Baskisk + + + + Bengali + Language code: bn + Bengalsk + + + + Bhutani + Language code: dz + Bhutansk + + + + Bihari + Language code: bh + Bihari + + + + Bislama + Language code: bi + Bislama + + + + Breton + Language code: br + Bretonsk + + + + Bulgarian + Language code: bg + Bulgarsk + + + + Burmese + Language code: my + Burmesisk + + + + Byelorussian + Language code: be + Hviterussisk + + + + Cakchiquel + Language code: cak + Cakchiquel + + + + Cambodian + Language code: km + Kambodsjansk + + + + Catalan + Language code: ca + Katalansk + + + + Chinese + Language code: zh + Kinesisk + + + + Comaltepec Chinantec + Language code: cco + Comaltepec Chinantec + + + + Corsican + Language code: co + Korsikansk + + + + Croatian + Language code: hr + Kroatisk + + + + Czech + Language code: cs + Tsjekkisk + + + + Danish + Language code: da + Dansk + + + + Dutch + Language code: nl + Nederlandsk + + + + English + Language code: en + Norsk (bokmål) + + + + Esperanto + Language code: eo + Esperanto + + + + Estonian + Language code: et + Estisk + + + + Faeroese + Language code: fo + Færøysk + + + + Fiji + Language code: fj + Fiji + + + + Finnish + Language code: fi + Finsk + + + + French + Language code: fr + Fransk + + + + Frisian + Language code: fy + Frisisk + + + + Galician + Language code: gl + Galisisk + + + + Georgian + Language code: ka + Georgisk + + + + German + Language code: de + Tysk + + + + Greek + Language code: el + Gresk + + + + Greenlandic + Language code: kl + Grønlandsk + + + + Guarani + Language code: gn + Guarani + + + + Gujarati + Language code: gu + Gujarati + + + + Haitian Creole + Language code: ht + Haitikreolsk + + + + Hausa + Language code: ha + Hausa + + + + Hebrew (former iw) + Language code: he + Hebraisk (tidligere iw) + + + + Hiligaynon + Language code: hil + Hiligaynon + + + + Hindi + Language code: hi + Hindi + + + + Hungarian + Language code: hu + Ungarsk + + + + Icelandic + Language code: is + Islandsk + + + + Indonesian (former in) + Language code: id + Indonesisk (tidligere in) + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Interlingue + + + + Inuktitut (Eskimo) + Language code: iu + Inuktitut (Eskimo) + + + + Inupiak + Language code: ik + Inupiak + + + + Irish + Language code: ga + Irsk + + + + Italian + Language code: it + Italiensk + + + + Jakalteko + Language code: jac + Jakalteko + + + + Japanese + Language code: ja + Japansk + + + + Javanese + Language code: jw + Javanesisk + + + + K'iche' + Language code: quc + K'iche' + + + + Kannada + Language code: kn + Kannada + + + + Kashmiri + Language code: ks + Kashmiri + + + + Kazakh + Language code: kk + Kazakh + + + + Kekchí + Language code: kek + Kekchí + + + + Kinyarwanda + Language code: rw + Kinyarwanda + + + + Kirghiz + Language code: ky + Kirghiz + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Koreansk + + + + Kurdish + Language code: ku + Kurdisk + + + + Laothian + Language code: lo + Laotisk + + + + Latin + Language code: la + Latin + + + + Latvian, Lettish + Language code: lv + Latvisk + + + + Lingala + Language code: ln + Lingala + + + + Lithuanian + Language code: lt + Litauensk + + + + Macedonian + Language code: mk + Makedonsk + + + + Malagasy + Language code: mg + Malagasy + + + + Malay + Language code: ms + Malayisk + + + + Malayalam + Language code: ml + Malayalam + + + + Maltese + Language code: mt + Maltesisk + + + + Mam + Language code: mam + Mam + + + + Maori + Language code: mi + Maori + + + + Maori + Language code: mri + Maori + + + + Marathi + Language code: mr + Marathi + + + + Moldavian + Language code: mo + Moldaviansk + + + + Mongolian + Language code: mn + Mongolsk + + + + Nahuatl + Language code: nah + Nahuatl + + + + Nauru + Language code: na + Nauru + + + + Nepali + Language code: ne + Nepalsk + + + + Norwegian + Language code: no + Norsk + + + + Occitan + Language code: oc + Occitansk + + + + Oriya + Language code: or + Oriya + + + + Pashto, Pushto + Language code: ps + Pashtu + + + + Persian + Language code: fa + Persisk + + + + Plautdietsch + Language code: pdt + Plattysk + + + + Polish + Language code: pl + Polsk + + + + Portuguese + Language code: pt + Portugisisk + + + + Punjabi + Language code: pa + Punjabi + + + + Quechua + Language code: qu + Quechua + + + + Rhaeto-Romance + Language code: rm + Rheto-Romansk + + + + Romanian + Language code: ro + Rumensk + + + + Russian + Language code: ru + Russisk + + + + Samoan + Language code: sm + Samoansk + + + + Sangro + Language code: sg + Sangro + + + + Sanskrit + Language code: sa + Sanskrit + + + + Scots Gaelic + Language code: gd + Skotsk Gælisk + + + + Serbian + Language code: sr + Serbisk + + + + Serbo-Croatian + Language code: sh + Serbokroatisk + + + + Sesotho + Language code: st + Sesotho + + + + Setswana + Language code: tn + Setswana + + + + Shona + Language code: sn + Shona + + + + Sindhi + Language code: sd + Sindhi + + + + Singhalese + Language code: si + Singalesisk + + + + Siswati + Language code: ss + Siswati + + + + Slovak + Language code: sk + Slovakisk + + + + Slovenian + Language code: sl + Slovensk + + + + Somali + Language code: so + Somali + + + + Spanish + Language code: es + Spansk + + + + Sudanese + Language code: su + Sudanesisk + + + + Swahili + Language code: sw + Swahili + + + + Swedish + Language code: sv + Svensk + + + + Tagalog + Language code: tl + Tagalog + + + + Tajik + Language code: tg + Tajik + + + + Tamil + Language code: ta + Tamil + + + + Tatar + Language code: tt + Tatar + + + + Tegulu + Language code: te + Tegulu + + + + Thai + Language code: th + Thai + + + + Tibetan + Language code: bo + Tibetansk + + + + Tigrinya + Language code: ti + Tigrinya + + + + Tonga + Language code: to + Tonga + + + + Tsonga + Language code: ts + Tsonga + + + + Turkish + Language code: tr + Tyrkisk + + + + Turkmen + Language code: tk + Turkmen + + + + Twi + Language code: tw + Twi + + + + Uigur + Language code: ug + Uigur + + + + Ukrainian + Language code: uk + Ukrainsk + + + + Urdu + Language code: ur + Urdu + + + + Uspanteco + Language code: usp + Uspanteco + + + + Uzbek + Language code: uz + Usbek + + + + Vietnamese + Language code: vi + Vietnamesisk + + + + Volapuk + Language code: vo + Volapuk + + + + Welch + Language code: cy + Walisisk + + + + Wolof + Language code: wo + Wolof + + + + Xhosa + Language code: xh + Xhosa + + + + Yiddish (former ji) + Language code: yi + Jiddish (tidligere ji) + + + + Yoruba + Language code: yo + Yoruba + + + + Zhuang + Language code: za + Zhuang + + + + Zulu + Language code: zu + Zulu + \ No newline at end of file diff --git a/resources/i18n/nl.ts b/resources/i18n/nl.ts index 5efb20cd7..9679fe62e 100644 --- a/resources/i18n/nl.ts +++ b/resources/i18n/nl.ts @@ -120,32 +120,27 @@ Voer eerst tekst in voordat u op Nieuw klikt. AlertsPlugin.AlertsTab - + Font Lettertype - + Font name: Naam lettertype: - + Font color: Letterkleur: - - Background color: - Achtergrondkleur: - - - + Font size: Lettergrootte: - + Alert timeout: Tijdsduur: @@ -153,88 +148,78 @@ 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>Bijbelplug-in</strong><br />De Bijbelplug-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. - Genesis @@ -739,161 +724,107 @@ Voer eerst tekst in voordat u op Nieuw klikt. Deze bijbelvertaling bestaat reeds. Importeer een andere vertaling of verwijder eerst de bestaande versie. - - You need to specify a book name for "%s". - U moet een naam opgeven voor het bijbelboek "%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. - De naam voor het bijbelboek "%s" is niet correct. -Nummers mogen alleen aan het begin gebruikt worden en moeten -gevolgd worden door een of meerdere niet-nummer lettertekens. - - - + Duplicate Book Name Duplicaat gevonden - - The Book Name "%s" has been entered more than once. - De naam van het bijbelboek "%s" is meer dan één keer opgegeven. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error Fout in schriftverwijzing - - Web Bible cannot be used - Online bijbels kunnen niet worden gebruikt + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - De opgegeven tekstverwijzing wordt niet herkend door OpenLP of is ongeldig. Gebruik een van onderstaande patronen of raadpleeg de handleiding: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Boek Hoofdstuk -Boek Hoofdstuk%(range)sHoofdstuk -Boek Hoofdstuk%(verse)sVers%(range)sVers -Boek Hoofdstuk%(verse)sVers%(range)sVers%(list)sVers%(range)sVers -Boek Hoofdstuk%(verse)sVers%(range)sVers%(list)sHoofdstuk%(verse)sVers%(range)sVers -Boek Hoofdstuk%(verse)sVers%(range)sHoofdstuk%(verse)sVers +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Bijbeltekst weergave - + Only show new chapter numbers Toon alleen nieuw hoodstuknummer - + Bible theme: Bijbel thema: - + No Brackets Geen haakjes - + ( And ) ( en ) - + { And } { en } - + [ And ] [ en ] - - Note: -Changes do not affect verses already in the service. - Opmerking: -Wijzigingen hebben geen betrekking op bijbelverzen die al in de liturgie zijn opgenomen. - - - + Display second Bible verses Toon tweede bijbelvertaling - + Custom Scripture References Aangepaste schriftverwijzingen - - Verse Separator: - Vers scheidingsteken: - - - - Range Separator: - Bereik scheidingsteken: - - - - List Separator: - Lijst scheidingsteken: - - - - End Mark: - Eind teken: - - - + 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. @@ -902,37 +833,83 @@ Ze moeten gescheiden worden door een verticale streep "|". Maak de regel leeg om de standaardinstelling te gebruiken. - + English Dutch - + Default Bible Language Standaardtaal bijbel - + Book name language in search field, search results and on display: Taal van de namen van bijbelboeken in zoekvelden, zoekresultaten en in weergave: - + Bible Language Taal bijbel - + Application Language Programmataal - + Show verse numbers Toon versnummers + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +965,76 @@ zoekresultaten en in weergave: BiblesPlugin.CSVBible - - Importing books... %s - Importeren bijbelboeken... %s - - - + Importing verses... done. Importeren bijbelverzen... klaar. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + BiblesPlugin.EditBibleForm - + Bible Editor Bijbel editor - + License Details Licentiedetails - + Version name: Versie naam: - + Copyright: Copyright: - + Permissions: Rechten: - + Default Bible Language Standaardtaal bijbel - + Book name language in search field, search results and on display: Taal van de namen van bijbelboeken in zoekvelden, zoekresultaten en in weergave: - + Global Settings Globale instellingen - + Bible Language Taal bijbel - + Application Language Programmataal - + English Dutch @@ -1071,225 +1054,260 @@ 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 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 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 is een fout opgetreden bij het uitpakken van de bijbelverzen. Als dit probleem zich blijft herhalen is er misschien sprake van een programmafout. + + + Importing {book}... + Importing <book name>... + + 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 Downloadopties - + Server: Server: - + Username: Gebruikersnaam: - + Password: Wachtwoord: - + Proxy Server (Optional) Proxyserver (optioneel) - + License Details Licentiedetails - + 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. Bijbels 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. + + + Bibles: + Bijbels: + + + + SWORD data folder: + SWORD datamap: + + + + SWORD zip-file: + SWORD zip-bestand: + + + + Defaults to the standard SWORD data folder + Ingesteld op standaard SWORD datamap + + + + Import from folder + Importeren vanuit map + + + + Import from Zip-file + Importeren vanuit zip-bestand + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Om de SWORD bijbels te importeren, moet de pysword pytjon module worden geïnstalleerd. Lees de handleiding voor instructies. + BiblesPlugin.LanguageDialog @@ -1320,114 +1338,130 @@ indien nodig en een internetverbinding is dus noodzakelijk. BiblesPlugin.MediaItem - - Quick - Snelzoeken - - - + Find: Vind: - + Book: Boek: - + Chapter: Hoofdstuk: - + Verse: Vers: - + From: Van: - + To: Tot: - + Text Search Zoek in tekst - + Second: Tweede: - + Scripture Reference Schriftverwijzing - + Toggle to keep or clear the previous results. Zoekresultaten wel / niet behouden. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Enkele en dubbele bijbelvers zoekresultaten kunnen niet gecombineerd worden. Resultaten wissen en opnieuw beginnen? - + Bible not fully loaded. Bijbel niet geheel geladen. - + Information Informatie - - 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. - De tweede bijbelvertaling bevat niet alle verzen die in de eerste bijbelvertaling staan. Alleen de verzen die in beide vertalingen voorkomen worden getoond. %d verzen zijn niet opgenomen in de resultaten. - - - + Search Scripture Reference... Zoek schriftverwijzing - + Search Text... Zoek tekst... - - Are you sure you want to completely delete "%s" Bible from OpenLP? - -You will need to re-import this Bible to use it again. - Weet u zeker dat u de bijbel "%s" uit OpenLP wilt verwijderen? - -De bijbel moet opnieuw geïmporteerd worden om weer gebruikt te kunnen worden. + + Search + Zoek - - Advanced - Geavanceerd + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Incorrect bijbelbestand. OpenSong bijbels kunnen gecomprimeerd zijn en moeten uitgepakt worden vóór het importeren. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. Incorrect bijbelbestand. Het lijkt een Zefania XML bijbel te zijn, waarvoor u de Zefania importoptie kunt gebruiken. @@ -1435,178 +1469,51 @@ De bijbel moet opnieuw geïmporteerd worden om weer gebruikt te kunnen worden. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Bezig met importeren van %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + 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... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Selecteer backupmap + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Bijbel Upgrade Assistent - - - - 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. - Deze Assistent helpt u bestaande bijbels bij te werken van een eerdere indeling van OpenLP 2. Om de Assistent te starten klikt op volgende. - - - - Select Backup Directory - Selecteer backupmap - - - - Please select a backup directory for your Bibles - Selecteer een map om de backup van uw bijbels in op te slaan - - - - 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>. - Eerdere versies van OpenLP 2.0 kunnen de nieuwe bijbelbestanden niet lezen. De assistent maakt een backup van uw huidige bestanden zodat u eenvoudig de bijbels terug kunt zetten in de OpenLP datamap voor het geval u met een oude versie van OpenLP moet werken. Instructies hoe de oorspronkelijke bestanden te herstellen staan in de <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a> (engelstalig). - - - - Please select a backup location for your Bibles. - Selecteer een map om de backup van uw bijbels in op te slaan. - - - - Backup Directory: - Backupmap: - - - - There is no need to backup my Bibles - Er hoeft geen backup gemaakt te worden - - - - Select Bibles - Selecteer bijbels - - - - Please select the Bibles to upgrade - Selecteer de bijbels om bij te werken - - - - Upgrading - Bijwerken - - - - Please wait while your Bibles are upgraded. - Een moment geduld. De bijbels worden bijgewerkt. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - De backup is mislukt. -Om bijbels bij te werken moet de map schrijfbaar zijn. - - - - Upgrading Bible %s of %s: "%s" -Failed - Bijwerken bijbel %s van %s: "%s" -Mislukt - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Bijwerken bijbel %s van %s: "%s" -Bijwerken ... - - - - Download Error - Downloadfout - - - - To upgrade your Web Bibles an Internet connection is required. - Om online bijbels bij te werken is een internetverbinding noodzakelijk. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Bijwerken bijbel %s van %s: "%s" -Bijwerken %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Bijwerken bijbel %s van %s: "%s" -Klaar - - - - , %s failed - , %s mislukt - - - - Upgrading Bible(s): %s successful%s - Bijwerken bijbel(s): %s gelukt%s - - - - Upgrade failed. - Bijwerken mislukt. - - - - You need to specify a backup directory for your Bibles. - Selecteer een map om de backup van uw bijbels in op te slaan. - - - - Starting upgrade... - Start bijwerken... - - - - There are no Bibles that need to be upgraded. - Er zijn geen bijbels om bij te werken. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Bijwerken bijbel(s): %(success)d gelukt%(failed_text)s -Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig zijn. Een internetverbinding is dan noodzakelijk. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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. @@ -1614,9 +1521,9 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Bezig met importeren van %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1731,7 +1638,7 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig Alle dia's tegelijk bewerken. - + Split a slide into two by inserting a slide splitter. Dia splitsen door een dia 'splitter' in te voegen. @@ -1746,7 +1653,7 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig &Auteur: - + You need to type in a title. Geef een titel op. @@ -1756,12 +1663,12 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig &Alles bewerken - + Insert Slide Dia invoegen - + You need to add at least one slide. Voeg minimaal één dia toe. @@ -1769,7 +1676,7 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig CustomPlugin.EditVerseForm - + Edit Slide Dia bewerken @@ -1777,9 +1684,9 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Weet u zeker dat u de "%d" geslecteerde dia(s) wilt verwijderen? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1807,11 +1714,6 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig container title Afbeeldingen - - - Load a new image. - Nieuwe afbeelding laden. - Add a new image. @@ -1842,6 +1744,16 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig Add the selected image to the service. Geselecteerde afbeelding aan liturgie toevoegen. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1866,12 +1778,12 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig 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. @@ -1907,7 +1819,7 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig ImagePlugin.ExceptionDialog - + Select Attachment Selecteer bijlage @@ -1915,39 +1827,22 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1957,25 +1852,41 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Zichtbare achtergrond voor afbeeldingen met een andere verhouding dan het scherm. @@ -1983,27 +1894,27 @@ De andere afbeeldingen alsnog toevoegen? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Deze mediaspeler gebruikt de afspeelmogelijkheden van het besturingssysteem. @@ -2011,60 +1922,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. @@ -2180,47 +2091,47 @@ De andere afbeeldingen alsnog toevoegen? VLC kon de schijf niet afspelen - + CD not loaded correctly CD niet correct geladen - + The CD was not loaded correctly, please re-load and try again. De CD is niet correct geladen. Probeer het alstublieft nogmaals. - + DVD not loaded correctly DVD niet correct geladen - + The DVD was not loaded correctly, please re-load and try again. De DVD is niet correct geladen. Probeer het alstublieft nogmaals. - + Set name of mediaclip Naam van het fragment instellen - + Name of mediaclip: Naam van het fragment: - + Enter a valid name or cancel Voer een geldige naam in of klik op Annuleren - + Invalid character Ongeldig teken - + The name of the mediaclip must not contain the character ":" De naam van het fragment mag het teken ":" niet bevatten @@ -2228,90 +2139,100 @@ De andere afbeeldingen alsnog toevoegen? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Bestandsformaat wordt niet ondersteund - + Use Player: Gebruik speler: - + VLC player required VLC speler nodig - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + Bestand %s niet ondersteund door player %s + + + + Unsupported Media File + Niet ondersteund mediabestand + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2322,41 +2243,19 @@ De andere afbeeldingen alsnog toevoegen? - Start Live items automatically - Start Live items automatisch - - - - OPenLP.MainWindow - - - &Projector Manager - &Projectorbeheer + Start new Live media automatically + OpenLP - + Image Files Afbeeldingsbestanden - - Information - Informatie - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Bijbel bestandsformaat is gewijzigd. -Bestaande bijbels moeten worden bijgewerkt. -Wilt u dat OpenLP dat nu doet? - - - + Backup Backup @@ -2371,15 +2270,20 @@ Wilt u dat OpenLP dat nu doet? Backup van de datamap is mislukt! - - A backup of the data folder has been created at %s - Een backup van de datamap is maakt in %s - - - + Open Open + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2389,15 +2293,10 @@ Wilt u dat OpenLP dat nu doet? Credits - + License Licentie - - - 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. @@ -2426,7 +2325,7 @@ Lees meer over OpenLP: http://openlp.org/ OpenLP wordt gemaakt en onderhouden door vrijwilligers. Als je meer gratis Christelijke software wilt zien, denk er eens over om zelf vrijwilliger te worden. Meedoen kan via de onderstaande knop. - + Volunteer Doe mee @@ -2611,333 +2510,237 @@ OpenLP wordt gemaakt en onderhouden door vrijwilligers. Als je meer gratis Chris Tenslotte gaat onze laatste dankbetuiging naar God onze Vader, omdat hij Zijn Zoon gegeven heeft om voor ons aan het kruis te sterven, zodat onze zonden vergeven kunnen worden. Wij ontwikkelen deze software gratis voor u omdat Hij ons bevrijd heeft. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Gedeelten copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} + OpenLP.AdvancedTab - + UI Settings Programma instellingen - - - Number of recent files to display: - Aantal recent geopende bestanden: - - Remember active media manager tab on startup - Laatstgeopende tab opslaan - - - - Double-click to send items straight to live - Dubbelklikken om onderdelen direct aan live toe te voegen - - - Expand new service items on creation Nieuwe liturgieonderdelen automatisch uitklappen - + Enable application exit confirmation Afsluiten OpenLP bevestigen - + Mouse Cursor Muisaanwijzer - + Hide mouse cursor when over display window Verberg muisaanwijzer in het weergavevenster - - Default Image - Standaard afbeelding - - - - Background color: - Achtergrondkleur: - - - - Image file: - Afbeeldingsbestand: - - - + Open File Open bestand - + Advanced Geavanceerd - - - Preview items when clicked in Media Manager - Voorbeeld direct laten zien bij aanklikken in Media beheer tab - - Browse for an image file to display. - Kies een afbeelding van deze computer. - - - - Revert to the default OpenLP logo. - Herstel standaard OpenLP logo. - - - Default Service Name Standaard liturgienaam - + Enable default service name Gebruik standaard liturgienaam - + Date and Time: Datum en tijd: - + Monday maandag - + Tuesday dinsdag - + Wednesday woensdag - + Friday vrijdag - + Saturday zaterdag - + Sunday zondag - + Now Nu - + Time when usual service starts. Begintijd gewone dienst - + Name: Naam: - + Consult the OpenLP manual for usage. Raadpleeg de OpenLP handleiding voor gebruik. - - Revert to the default service name "%s". - Herstel de standaard liturgienaam "%s". - - - + Example: Voorbeeld: - + Bypass X11 Window Manager Negeer X11 Window Manager - + Syntax error. Syntax fout. - + Data Location Bestandslocatie - + Current path: Huidige pad: - + Custom path: Aangepast pad: - + Browse for new data file location. Selecteer een nieuwe locatie voor de databestanden. - + Set the data location to the default. Herstel bestandslocatie naar standaard. - + Cancel Annuleer - + Cancel OpenLP data directory location change. Annuleer OpenLP bestandslocatie wijziging. - + Copy data to new location. Kopieer data naar de nieuwe bestandslocatie. - + Copy the OpenLP data files to the new location. Kopieer OpenLP data naar de nieuwe bestandslocatie. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>LET OP:</strong> In de nieuwe bestandslocatie staan al OpenLP data bestanden. Die bestanden worden vervangen tijdens kopieren. - + Data Directory Error Bestandslocatie fout - + Select Data Directory Location Selecteer bestandslocatie - + Confirm Data Directory Change Bevestig wijziging bestandslocatie - + Reset Data Directory Herstel bestandslocatie - + Overwrite Existing Data Overschrijf bestaande 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 is niet gevonden - -%s - -Deze data directory werd onlangs gewijzigd ten opzichte van de OpenLP standaardlocatie. Als de nieuwe locatie op een verwijderbare schijf staat, moet u nu eerst zelf zorgen dat de schijf beschikbaar is. - -Klik "Nee" om OpenLP niet verder te laden en eerst het probleem te verhelpen. - -Klik "Ja" om de standaardinstellingen te gebruiken. - - - - 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. - Weet u zeker dat u de locatie van de OpenLP datadirectory wilt veranderen in: - -%s - -De datadirectory zal worden gewijzigd bij het afsluiten van OpenLP. - - - + Thursday Donderdag - + Display Workarounds Weergeven omwegen - + Use alternating row colours in lists Gebruik wisselende rijkleuren in lijsten - - 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? - WAARSCHUWING: - -De locatie die u heeft gekozen - -%s - -lijkt al OpenLP data bestanden te bevatten. Wilt u de oude bestanden vervangen met de huidige? - - - + Restart Required Herstarten vereist - + This change will only take effect once OpenLP has been restarted. Deze wijziging werkt pas nadat OpenLP opnieuw is gestart. - + 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. @@ -2945,11 +2748,156 @@ This location will be used after OpenLP is closed. Deze bestandslocatie wordt pas gebruikt nadat OpenLP is afgesloten. + + + Max height for non-text slides +in slide controller: + Max hoogte voor niet-tekst dia's +in dia bediener: + + + + Disabled + Uitgeschakeld + + + + When changing slides: + Bij wijzigen dia's: + + + + Do not auto-scroll + Geen auto-scroll + + + + Auto-scroll the previous slide into view + Auto-scroll vorige dia in beeld + + + + Auto-scroll the previous slide to top + Auto-scroll bovenaan + + + + Auto-scroll the previous slide to middle + Auto-scroll voorgaande dia naar het midden + + + + Auto-scroll the current slide into view + Auto-scroll huidige dia in beeld + + + + Auto-scroll the current slide to top + Auto-scroll huidige dia tot bovenaan + + + + Auto-scroll the current slide to middle + Auto-scroll huidige dia naar het midden + + + + Auto-scroll the current slide to bottom + Auto-scroll huidige dia tot onderaan + + + + Auto-scroll the next slide into view + Auto-scroll volgende dia in beeld + + + + Auto-scroll the next slide to top + Auto-scroll volgende dia tot bovenaan + + + + Auto-scroll the next slide to middle + Auto-scroll volgende dia naar het midden + + + + Auto-scroll the next slide to bottom + Auto-scroll volgende dia tot onderaan + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatisch + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klik om een kleur te kiezen. @@ -2957,252 +2905,252 @@ Deze bestandslocatie wordt pas gebruikt nadat OpenLP is afgesloten. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digitaal - + Storage Opslag - + Network Netwerk - + 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 Digitaal 1 - + Digital 2 Digitaal 2 - + Digital 3 Digitaal 3 - + Digital 4 Digitaal 4 - + Digital 5 Digitaal 5 - + Digital 6 Digitaal 6 - + Digital 7 Digitaal 7 - + Digital 8 Digitaal 8 - + Digital 9 Digitaal 9 - + Storage 1 Opslag 1 - + Storage 2 Opslag 2 - + Storage 3 Opslag 3 - + Storage 4 Opslag 4 - + Storage 5 Opslag 5 - + Storage 6 Opslag 6 - + Storage 7 Opslag 7 - + Storage 8 Opslag 8 - + Storage 9 Opslag 9 - + Network 1 Netwerk 1 - + Network 2 Netwerk 2 - + Network 3 Netwerk 3 - + Network 4 Netwerk 4 - + Network 5 Netwerk 5 - + Network 6 Netwerk 6 - + Network 7 Netwerk 7 - + Network 8 Netwerk 8 - + Network 9 Netwerk 9 @@ -3210,63 +3158,74 @@ Deze bestandslocatie wordt pas gebruikt nadat OpenLP is afgesloten. OpenLP.ExceptionDialog - + Error Occurred Fout - + Send E-Mail Stuur e-mail - + Save to File Opslaan als bestand - + Attach File Voeg bestand toe - - - Description characters to enter : %s - Tekens beschikbaar voor beschrijving: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Omschrijf in het Engels wat u deed toen deze fout zich voordeed -(minstens 20 tekens gebruiken) - - 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. Also attach any files that triggered the problem. - Oeps! OpenLP heeft een probleem en kan het niet zelf oplossen. De tekst in het onderste venster bevat informatie waarmee de OpenLP ontwikkelaars iets kunnen. -Stuur een e-mail naar: bugs@openlp.org met een gedetailleerde beschrijving (in het Engels) van het probleem en hoe het ontstond. Indien van toepassing, voeg het bestand toe dat het probleem veroorzaakte. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation + OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Crash rapport opslaan - + Text files (*.txt *.log *.text) Tekstbestand (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3307,268 +3266,259 @@ Stuur een e-mail naar: bugs@openlp.org met een gedetailleerde beschrijving (in h 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. - Geen internetverbinding gevonden. De Eerste Keer Assistent heeft een internetverbinding nodig om voorbeelden van liederen, bijbels en thema's te downloaden. Klik op Voltooien om OpenLP op te starten met standaardinstellingen zonder voorbeelddata. - -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 Downloadfout - + 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. - - -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 + + + Select parts of the program you wish to use + Selecteer de programmadelen die u wilt gebruiken + + + + You can also change these settings after the Wizard. + U kunt deze instellingen ook wijzigen na de Assistent. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Maatwerkdia's - Eenvoudiger te beheren dan liederen en ze hebben eigen lijsten met dia's + + + + Bibles – Import and show Bibles + Bijbels – Importeer en toon bijbels + + + + Images – Show images or replace background with them + Afbeeldingen – Tonen afbeeldingen of achtergrond erdoor vervangen + + + + Presentations – Show .ppt, .odp and .pdf files + Presentaties – Tonen .ppt, .odp en .pdf bestanden + + + + Media – Playback of Audio and Video files + Media – Afspelen van Audio en Video bestanden + + + + Remote – Control OpenLP via browser or smartphone app + Remote – Bedienen OpenLP via browser of smartphone app + + + + Song Usage Monitor + Song gebruiksmonitor + + + + Alerts – Display informative messages while showing other slides + Waarschuwingen – Tonen informatieve berichten tijdens tonen andere dia's + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projectors – Bedienen PJLink compatible projecten op uw netwerk vanaf OpenLP + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3611,44 +3561,49 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. OpenLP.FormattingTagForm - + <HTML here> <HTML hier> - + Validation Error Validatie fout - + Description is missing Omschrijving ontbreekt - + Tag is missing Tag ontbreekt - Tag %s already defined. - Tag %s bestaat al. + Tag {tag} already defined. + - Description %s already defined. - Omschrijving %s is al gedefinieerd. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Starttag %s is geen correcte HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Eindtag %(end)s komt niet overeen met de verwachte eindtag van starttag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3737,170 +3692,200 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. OpenLP.GeneralTab - + General Algemeen - + Monitors Beeldschermen - + Select monitor for output display: Projectiescherm: - + Display if a single screen Weergeven bij enkel scherm - + Application Startup Programma start - + Show blank screen warning Toon leeg scherm waarschuwing - - Automatically open the last service - Automatisch laatste liturgie openen - - - + Show the splash screen Toon splash screen - + Application Settings Programma instellingen - + Prompt to save before starting a new service Waarschuw om werk op te slaan bij het beginnen van een nieuwe liturgie - - Automatically preview next item in service - Automatisch volgend onderdeel van liturgie tonen - - - + sec sec - + CCLI Details CCLI-details - + SongSelect username: SongSelect gebruikersnaam: - + SongSelect password: SongSelect wachtwoord: - + X X - + Y Y - + Height Hoogte - + Width Breedte - + Check for updates to OpenLP Controleer op updates voor OpenLP - - Unblank display when adding new live item - Leeg scherm uitschakelen als er een nieuw live item wordt toegevoegd - - - + Timed slide interval: Tijd tussen dia’s: - + Background Audio Achtergrondgeluid - + Start background audio paused Start achtergrondgeluid gepauzeerd - + Service Item Slide Limits Dia navigatie beperkingen - + Override display position: Overschrijf scherm positie: - + Repeat track list Herhaal tracklijst - + Behavior of next/previous on the last/first slide: Gedrag van volgende/vorige op de laatste en eerste dia: - + &Remain on Slide &Blijf op dia - + &Wrap around &Verder aan begin/eind - + &Move to next/previous service item &Naar het volgende/volgende liturgieonderdeel + + + Logo + Logo + + + + Logo file: + Logo bestand: + + + + Browse for an image file to display. + Kies een afbeelding van deze computer. + + + + Revert to the default OpenLP logo. + Herstel standaard OpenLP logo. + + + + Don't show logo on startup + Toon geen logo bij opstarten + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Taal - + Please restart OpenLP to use your new language setting. Start OpenLP opnieuw op om de nieuwe taalinstellingen te gebruiken. @@ -3908,7 +3893,7 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. OpenLP.MainDisplay - + OpenLP Display OpenLP Weergave @@ -3935,11 +3920,6 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. &View &Weergave - - - M&ode - M&odus - &Tools @@ -3960,16 +3940,6 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. &Help &Help - - - Service Manager - Liturgiebeheer - - - - Theme Manager - Themabeheer - Open an existing service. @@ -3995,11 +3965,6 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. E&xit &Afsluiten - - - Quit OpenLP - OpenLP afsluiten - &Theme @@ -4011,191 +3976,67 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. &Instellingen... - - &Media Manager - &Mediabeheer - - - - Toggle Media Manager - Mediabeheer wel / niet tonen - - - - Toggle the visibility of the media manager. - Mediabeheer wel / niet tonen. - - - - &Theme Manager - &Themabeheer - - - - Toggle Theme Manager - Themabeheer wel / niet tonen - - - - Toggle the visibility of the theme manager. - Themabeheer wel / niet tonen. - - - - &Service Manager - &Liturgiebeheer - - - - Toggle Service Manager - Liturgiebeheer wel / niet tonen - - - - Toggle the visibility of the service manager. - Liturgiebeheer wel / niet tonen. - - - - &Preview Panel - &Voorbeeld paneel - - - - Toggle Preview Panel - Voorbeeld paneel wel / niet tonen - - - - Toggle the visibility of the preview panel. - Voorbeeld paneel wel / niet tonen. - - - - &Live Panel - &Live paneel - - - - Toggle Live Panel - Live paneel wel / niet tonen - - - - Toggle the visibility of the live panel. - Live paneel wel / niet tonen. - - - - List the Plugins - Lijst met plug-ins =uitbreidingen van OpenLP - - - + &User Guide Gebr&uikshandleiding - + &About &Over OpenLP - - More information about OpenLP - Meer informatie over OpenLP - - - + &Online Help &Online hulp - + &Web Site &Website - + Use the system language, if available. Gebruik standaardtaal van het systeem, indien mogelijk. - - Set the interface language to %s - %s als taal in OpenLP gebruiken - - - + Add &Tool... Hulpprogramma &toevoegen... - + Add an application to the list of tools. Voeg een hulpprogramma toe aan de lijst. - - &Default - &Standaard - - - - Set the view mode back to the default. - Terug naar de standaard weergave modus. - - - + &Setup &Voorbereiding - - Set the view mode to Setup. - Weergave modus naar Voorbereiding. - - - + &Live &Live - - Set the view mode to Live. - Weergave modus naar 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/. - Versie %s van OpenLP is beschikbaar (huidige versie: %s). - -U kunt de laatste versie op http://openlp.org/ downloaden. - - - + OpenLP Version Updated Nieuwe OpenLP versie beschikbaar - + OpenLP Main Display Blanked OpenLP projectie uitgeschakeld - + The Main Display has been blanked out Projectie is uitgeschakeld: scherm staat op zwart - - Default Theme: %s - Standaardthema: %s - - - + English Please add the name of your language here Dutch @@ -4206,27 +4047,27 @@ U kunt de laatste versie op http://openlp.org/ downloaden. &Sneltoetsen instellen... - + Open &Data Folder... Open &datamap... - + Open the folder where songs, bibles and other data resides. Open de map waar liederen, bijbels en andere data staat. - + &Autodetect &Autodetecteer - + Update Theme Images Thema afbeeldingen bijwerken - + Update the preview images for all themes. Voorbeeldafbeeldingen bijwerken voor alle thema’s. @@ -4236,32 +4077,22 @@ U kunt de laatste versie op http://openlp.org/ downloaden. De huidige liturgie afdrukken. - - L&ock Panels - Panelen op sl&ot - - - - Prevent the panels being moved. - Voorkomen dat panelen verschuiven. - - - + Re-run First Time Wizard Herstart Eerste Keer Assistent - + Re-run the First Time Wizard, importing songs, Bibles and themes. Herstart Eerste Keer Assistent, importeer voorbeeldliederen, bijbels en thema’s. - + Re-run First Time Wizard? Herstart Eerste Keer Assistent? - + 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. @@ -4270,13 +4101,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. @@ -4285,75 +4116,36 @@ De Eerste Keer Assistent opnieuw starten zou veranderingen in uw huidige OpenLP Configure &Formatting Tags... Configureer &opmaak tags... - - - Export OpenLP settings to a specified *.config file - Exporteer OpenLP instellingen naar een *.config bestand - Settings Instellingen - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importeer OpenLP instellingen uit een bestaand *.config bestand afkomstig van deze of een andere computer - - - + Import settings? Importeer instellingen? - - Open File - Open bestand - - - - OpenLP Export Settings Files (*.conf) - OpenLP Export instellingsbestanden (*.config) - - - + Import settings Importeer instellingen - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP sluit nu af. De geïmporteeerde instellingen worden bij de volgende start van OpenLP toegepast. - + Export Settings File Exporteer instellingen - - OpenLP Export Settings File (*.conf) - 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 - OpenLP data directory kopiëren is mislukt - -%s - General @@ -4365,12 +4157,12 @@ De Eerste Keer Assistent opnieuw starten zou veranderingen in uw huidige OpenLP Bibliotheek - + Jump to the search box of the current active plugin. Ga naar het zoekveld van de momenteel actieve plugin. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4383,7 +4175,7 @@ Instellingen importeren zal uw huidige OpenLP configuratie veranderen. Incorrecte instellingen importeren veroorzaakt onvoorspelbare effecten of OpenLP kan spontaan stoppen. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4392,35 +4184,10 @@ Processing has terminated and no changes have been made. Verwerking is gestopt en er is niets veranderd. - - Projector Manager - Projectorbeheer - - - - Toggle Projector Manager - Projectorbeheer wel / niet tonen - - - - Toggle the visibility of the Projector Manager - Projectorbeheer wel / niet tonen - - - + Export setting error Exportfout - - - 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 - &Recent Services @@ -4452,131 +4219,344 @@ Verwerking is gestopt en er is niets veranderd. Plug-ins beheren - + Exit OpenLP OpenLP afsluiten - + Are you sure you want to exit OpenLP? OpenLP afsluiten? - + &Exit OpenLP OpenLP afsluit&en + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Versie {new} van OpenLP is nu beschikbaar voor dowenloaden (huidige versie {current}). + +U kunt de laatste versie op http://openlp.org/ downloaden. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + De sleutel "{key}" heeft geen standaardwaarde waardoor hij overgeslagen wordt in deze export. + + + + An error occurred while exporting the settings: {err} + Er trad een fout op bij het exporteren van de instellingen: {err} + + + + Default Theme: {theme} + Standaard thema: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + OpenLP data wordt nu naar de nieuwe datadirectory locatie gekopieerd - {path} - Een moment geduld alstublieft + + + + OpenLP Data directory copy failed + +{err} + OpenLP data directory kopiëren is mislukt + +{err} + + + + &Layout Presets + + + + + Service + Liturgie + + + + Themes + Thema's + + + + Projectors + Projectors + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 - De database die u wilt laden is gemaakt in een nieuwere versie van OpenLP. De database is versie %d, terwijl OpenLP versie %d verwacht. De database zal niet worden geladen. - -Database: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP kan uw database niet laden. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Database: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Geen items geselecteerd - + &Add to selected Service Item &Voeg toe aan geselecteerde liturgie-item - + You must select one or more items to preview. Selecteer een of meerdere onderdelen om als voorbeeld te laten zien. - + You must select one or more items to send live. Selecteer een of meerdere onderdelen om live te tonen. - + You must select one or more items. Selecteer een of meerdere onderdelen. - + You must select an existing service item to add to. Selecteer een liturgie om deze onderdelen aan toe te voegen. - + Invalid Service Item Ongeldigl liturgie-onderdeel - - You must select a %s service item. - Selecteer een %s liturgie-onderdeel. - - - + You must select one or more items to add. Selecteer een of meerdere onderdelen om toe te voegen. - + No Search Results Niets gevonden - + Invalid File Type Ongeldig bestandsformaat - - Invalid File %s. -Suffix not supported - Ongeldig bestand %s. -Extensie niet ondersteund - - - + &Clone &Kloon - + Duplicate files were found on import and were ignored. Identieke bestanden die bij het importeren zijn gevonden worden genegeerd. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag niet gevonden. - + <verse> tag is missing. <verse> tag niet gevonden. @@ -4584,22 +4564,22 @@ Extensie niet ondersteund OpenLP.PJLink1 - + Unknown status Onbekende status - + No message Geen bericht - + Error while sending data to projector Fout tijdens het zenden van data naar de projector - + Undefined command: Ongedefinieerd commando: @@ -4607,32 +4587,32 @@ Extensie niet ondersteund OpenLP.PlayerTab - + Players Spelers - + Available Media Players Beschikbare mediaspelers - + Player Search Order Speler zoekvolgorde - + Visible background for videos with aspect ratio different to screen. Zichtbare achtergrond voor video's met een andere verhouding dan het scherm. - + %s (unavailable) %s (niet beschikbaar) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" LET OP: Om VLC te kunnen gebruiken moet u de %s-versie installeren @@ -4641,55 +4621,50 @@ Extensie niet ondersteund OpenLP.PluginForm - + Plugin Details Plug-in details - + Status: Status: - + Active Actief - - Inactive - Inactief - - - - %s (Inactive) - %s (inactief) - - - - %s (Active) - %s (actief) + + Manage Plugins + Plug-ins beheren - %s (Disabled) - %s (uitgeschakeld) + {name} (Disabled) + - - Manage Plugins - Plug-ins beheren + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Passend maken op de pagina - + Fit Width Aanpassen aan pagina breedte @@ -4697,77 +4672,77 @@ Extensie niet ondersteund OpenLP.PrintServiceForm - + Options Opties - + Copy Kopieer - + Copy as HTML Kopieer als HTML - + Zoom In Inzoomen - + Zoom Out Uitzoomen - + Zoom Original Werkelijke grootte - + Other Options Overige opties - + Include slide text if available Inclusief diatekst indien beschikbaar - + Include service item notes Inclusief liturgie-opmerkingen - + Include play length of media items Inclusief afspeellengte van media items - + Add page break before each text item Voeg een pagina-einde toe voor elk tekst item - + Service Sheet Liturgie blad - + Print Afdrukken - + Title: Titel: - + Custom Footer Text: Aangepaste voettekst: @@ -4775,257 +4750,257 @@ Extensie niet ondersteund OpenLP.ProjectorConstants - + OK OK - + General projector error Algemene projectorfout - + Not connected error Fout: niet verbonden - + Lamp error Fout met de lamp - + Fan error Fout met de ventilator - + High temperature detected Hoge temperatuur gedetecteerd - + Cover open detected Klep open - + Check filter Controleer filter - + Authentication Error Authenticatieprobleem - + Undefined Command Ongedefinieerd commando - + Invalid Parameter Ongeldige parameter - + Projector Busy Projector bezet - + Projector/Display Error Projector-/schermfout - + Invalid packet received Ongeldig packet ontvangen - + Warning condition detected Waarschuwingssituatie gedetecteerd - + Error condition detected Foutsituatie gedetecteerd - + PJLink class not supported PJLink klasse wordt niet ondersteund - + Invalid prefix character Ongeldig voorloopteken - + The connection was refused by the peer (or timed out) De verbinding is geweigerd of mislukt - + The remote host closed the connection De externe host heeft de verbinding verbroken - + The host address was not found Het adres is niet gevonden - + The socket operation failed because the application lacked the required privileges De socketbewerking is mislukt doordat het programma de vereiste privileges mist - + The local system ran out of resources (e.g., too many sockets) Het lokale systeem heeft te weinig bronnen beschikbaar - + The socket operation timed out De socketbewerking is gestopt door een time-out - + The datagram was larger than the operating system's limit Het datagram was groter dan de limiet van het besturingssysteem - + An error occurred with the network (Possibly someone pulled the plug?) Er is een netwerkfout opgetreden (is de kabel ontkoppeld?) - + The address specified with socket.bind() is already in use and was set to be exclusive Het adres gebruikt in socket.bind() is al in gebruik en is ingesteld als exclusief - + The address specified to socket.bind() does not belong to the host Het adres gebruikt in socket.bind() bestaat niet op de computer - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) De socketbewerking wordt niet ondersteund door het besturingssysteem (bijvoorbeeld als IPv6-ondersteuning mist) - + The socket is using a proxy, and the proxy requires authentication De socket gebruikt een proxy waarvoor authenticatie nodig is - + The SSL/TLS handshake failed De SSL/TLS handshake is mislukt - + The last operation attempted has not finished yet (still in progress in the background) De vorige bewerking is nog niet afgerond (loopt door in de achtergrond) - + Could not contact the proxy server because the connection to that server was denied De verbinding met de proxyserver is geweigerd - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) De verbinding met de proxyserver is onverwachts verbroken (voordat de uiteindelijke verbinding tot stand gekomen is) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. De verbinding met de proxyserver is verlopen of de proxyserver heeft geen antwoord gegeven in de authenticatiefase. - + The proxy address set with setProxy() was not found Het proxyserveradres meegegeven aan setProxy() is niet gevonden - + An unidentified error occurred Er is een onbekende fout opgetreden - + Not connected Niet verbonden - + Connecting Verbinding maken - + Connected Verbonden - + Getting status Status opvragen - + Off Uit - + Initialize in progress Initialisatie bezig - + Power in standby Standby - + Warmup in progress Opwarmen bezig - + Power is on Ingeschakeld - + Cooldown in progress Afkoelen bezig - + Projector Information available Projectorinformatie beschikbaar - + Sending data Gegevens versturen - + 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 @@ -5033,17 +5008,17 @@ Extensie niet ondersteund OpenLP.ProjectorEdit - + Name Not Set Naam niet ingesteld - + You must enter a name for this entry.<br />Please enter a new name for this entry. U moet een naam opgeven voor dit item.<br />Geef alstublieft een naam op voor dit item. - + Duplicate Name Dubbele naam @@ -5051,52 +5026,52 @@ Extensie niet ondersteund OpenLP.ProjectorEditForm - + Add New Projector Nieuwe projector toevoegen - + Edit Projector Projector aanpassen - + IP Address IP-adres - + Port Number Poortnummer - + PIN PIN - + Name Naam - + Location Locatie - + Notes Aantekeningen - + Database Error Database fout - + There was an error saving projector information. See the log for the error Er is een fout opgetreden bij het opslaan van de projectorinformatie. Kijk in het logbestand voor de foutmelding @@ -5104,305 +5079,360 @@ Extensie niet ondersteund OpenLP.ProjectorManager - + Add Projector Projector toevoegen - - Add a new projector - Voeg een nieuwe projector toe - - - + Edit Projector Projector aanpassen - - Edit selected projector - Geselecteerde projector aanpassen - - - + Delete Projector Projector verwijderen - - Delete selected projector - Verwijder geselecteerde projector - - - + Select Input Source Selecteer invoerbron - - Choose input source on selected projector - Selecteer invoerbron op geselecteerde projector - - - + View Projector Bekijk projector - - View selected projector information - Bekijk informatie van geselecteerde projector - - - - Connect to selected projector - Verbind met geselecteerde projector - - - + Connect to selected projectors Verbind met geselecteerde projectors - + Disconnect from selected projectors Verbreek verbinding met geselecteerde projectors - + Disconnect from selected projector Verbreek verbinding met geselecteerde projector - + Power on selected projector Geselecteerde projector inschakelen - + Standby selected projector Geselecteerde projector uitschakelen - - Put selected projector in standby - Geselecteerde projector in standby zetten - - - + Blank selected projector screen Geselecteerd projectorscherm leegmaken - + Show selected projector screen Geselecteerd projectorscherm weergeven - + &View Projector Information Projectorinformatie &bekijken - + &Edit Projector Projector &aanpassen - + &Connect Projector Projector &verbinden - + D&isconnect Projector V&erbinding met projector verbreken - + Power &On Projector Projector &inschakelen - + Power O&ff Projector Projector &uitschakelen - + Select &Input Selecteer i&nvoerbron - + Edit Input Source Invoerbron bewerken - + &Blank Projector Screen Projectorscherm &leegmaken - + &Show Projector Screen Projectorscherm &weergeven - + &Delete Projector Projector verwij&deren - + Name Naam - + IP IP-adres - + Port Poort - + Notes Aantekeningen - + Projector information not available at this time. Projectorinformatie is momenteel niet beschikbaar. - + Projector Name Projectornaam - + Manufacturer Fabrikant - + Model Model - + Other info Overige informatie - + Power status Status - + Shutter is Lensbescherming is - + Closed Dicht - + Current source input is Huidige invoerbron is - + Lamp Lamp - - On - Aan - - - - Off - Uit - - - + Hours Uren - + No current errors or warnings Geen fouten en waarschuwingen - + Current errors/warnings Fouten en waarschuwingen - + Projector Information Projectorinformatie - + No message Geen bericht - + Not Implemented Yet Nog niet geïmplementeerd - - Delete projector (%s) %s? - Verwijder projector (%s) %s? - - - + Are you sure you want to delete this projector? Weet u zeker dat u deze projector wilt verwijderen? + + + Add a new projector. + Voeg een nieuwe projector toe. + + + + Edit selected projector. + Geselecteerde projector aanpassen. + + + + Delete selected projector. + Verwijder geselecteerde projector. + + + + Choose input source on selected projector. + Selecteer invoerbron op geselecteerde projector. + + + + View selected projector information. + Bekijk informatie van geselecteerde projector. + + + + Connect to selected projector. + Verbind met geselecteerde projector. + + + + Connect to selected projectors. + Verbind met geselecteerde projectors. + + + + Disconnect from selected projector. + Verbreek verbinding met geselecteerde projector. + + + + Disconnect from selected projectors. + Verbreek verbinding met geselecteerde projectors. + + + + Power on selected projector. + Geselecteerde projector inschakelen. + + + + Power on selected projectors. + Geselecteerde projectors inschakelen. + + + + Put selected projector in standby. + Geselecteerde projector in standby zetten. + + + + Put selected projectors in standby. + Geselecteerde projectors in standby zetten. + + + + Blank selected projectors screen + Geselecteerde projectorschermen leegmaken + + + + Blank selected projectors screen. + Geselecteerde projectorscherm leegmaken. + + + + Show selected projector screen. + Geselecteerd projectorscherm weergeven. + + + + Show selected projectors screen. + Geselecteerd projectorscherm weergeven. + + + + is on + is aan + + + + is off + is uit + + + + Authentication Error + Authenticatieprobleem + + + + No Authentication Error + Geen authenticatie probleem + OpenLP.ProjectorPJLink - + Fan Ventilator - + Lamp Lamp - + Temperature Temperatuur - + Cover Klep - + Filter Filter - + Other Overig @@ -5448,17 +5478,17 @@ Extensie niet ondersteund OpenLP.ProjectorWizard - + Duplicate IP Address Dubbel IP-adres - + Invalid IP Address Ongeldig IP-adres - + Invalid Port Number Ongeldig poortnummer @@ -5471,27 +5501,27 @@ Extensie niet ondersteund Scherm - + primary primair scherm OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Lengte</strong>: %s - - [slide %d] - [dia %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5555,52 +5585,52 @@ Extensie niet ondersteund Verwijder dit onderdeel uit de liturgie. - + &Add New Item &Voeg toe - + &Add to Selected Item &Voeg toe aan geselecteerd item - + &Edit Item B&ewerk onderdeel - + &Reorder Item He&rschik onderdeel - + &Notes Aa&ntekeningen - + &Change Item Theme &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 @@ -5625,7 +5655,7 @@ Extensie niet ondersteund Alle liturgie-onderdelen inklappen. - + Open File Open bestand @@ -5655,22 +5685,22 @@ Extensie niet ondersteund Toon selectie live. - + &Start Time &Starttijd - + Show &Preview Toon &voorbeeld - + Modified Service Gewijzigde liturgie - + The current service has been modified. Would you like to save this service? De huidige liturgie is gewijzigd. Veranderingen opslaan? @@ -5690,27 +5720,27 @@ Extensie niet ondersteund Speeltijd: - + Untitled Service 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 @@ -5730,147 +5760,145 @@ 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. - + Service File(s) Missing Ontbrekend(e) liturgiebestand(en) - + &Rename... He&rnoemen... - + Create New &Custom Slide &Creëren nieuwe aangepaste dia - + &Auto play slides &Automatisch afspelen dia's - + Auto play slides &Loop Automatisch door&lopend dia's afspelen - + Auto play slides &Once Automatisch &eenmalig dia's afspelen - + &Delay between slides Pauze tussen dia’s. - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} 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. + + + + + An error occurred while writing the service file: {error} + @@ -5902,15 +5930,10 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. Sneltoets - + Duplicate Shortcut Sneltoets dupliceren - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - De sneltoets "%s" wordt al voor een andere actie gebruikt. Kies een andere toetscombinatie. - Alternate @@ -5956,219 +5979,234 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. Configure Shortcuts Sneltoetsen instellen + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Verbergen - + Go To Ga naar - + Blank Screen Zwart scherm - + Blank to Theme Leeg scherm met thema - + Show Desktop Toon bureaublad - + Previous Service Vorige liturgie - + Next Service Volgende liturgie - + Escape Item Onderdeel annuleren - + Move to previous. Vorige. - + Move to next. Volgende. - + Play Slides Dia’s tonen - + Delay between slides in seconds. Pauze tussen dia’s in seconden. - + Move to live. Toon live. - + Add to Service. Voeg toe aan liturgie. - + Edit and reload song preview. Bewerken en liedvoorbeeld opnieuw laden. - + Start playing media. Start afspelen media. - + Pause audio. Pauzeer audio. - + Pause playing media. Afspelen pauzeren. - + Stop playing media. Afspelen stoppen. - + Video position. Video positie. - + Audio Volume. Audio volume. - + Go to "Verse" Ga naar "Vers" - + Go to "Chorus" Ga naar "Refrein" - + Go to "Bridge" Ga naar "Bridge" - + Go to "Pre-Chorus" Ga naar "pre-Refrein" - + Go to "Intro" Ga naar "Intro" - + Go to "Ending" Ga naar "Einde" - + Go to "Other" Ga naar "Overige" - + Previous Slide Vorige dia - + Next Slide Volgende dia - + Pause Audio Pauzeer audio - + Background Audio Achtergrondgeluid - + Go to next audio track. Ga naar de volgende audiotrack. - + Tracks Tracks + + + Loop playing media. + Continu media afspelen. + + + + Video timer. + Video timer. + OpenLP.SourceSelectForm - + Select Projector Source Selecteer projectorbron - + Edit Projector Source Text Projectorbron-tekst aanpassen - + Ignoring current changes and return to OpenLP Vergeet de wijzigingen en keer terug naar OpenLP - + Delete all user-defined text and revert to PJLink default text Verwijder alle aangepaste teksten en herstel de standaardteksten van PJLink - + Discard changes and reset to previous user-defined text Vergeet aanpassingen en herstel de vorige aangepaste tekst - + Save changes and return to OpenLP 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 source input text for this projector? Weet u zeker dat u ALLE ingevoerde bronteksten van deze projector wilt verwijderen? @@ -6176,17 +6214,17 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling suggesties - + Formatting Tags Opmaaktags - + Language: Taal: @@ -6265,7 +6303,7 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. OpenLP.ThemeForm - + (approximately %d lines per slide) (ongeveer %d regels per dia) @@ -6273,523 +6311,531 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. OpenLP.ThemeManager - + Create a new theme. Maak een nieuw thema. - + Edit Theme Bewerk thema - + Edit a theme. Bewerk een thema. - + Delete Theme Verwijder thema - + Delete a theme. Verwijder thema. - + Import Theme Importeer thema - + Import a theme. Importeer thema. - + Export Theme Exporteer thema - + Export a theme. Exporteer thema. - + &Edit Theme B&ewerk thema - + &Delete Theme Verwij&der thema - + Set As &Global Default Instellen als al&gemene standaard - - %s (default) - %s (standaard) - - - + You must select a theme to edit. Selecteer een thema om te bewerken. - + You are unable to delete the default theme. Het standaard thema kan niet worden verwijderd. - + 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 - + Select Theme Import File Selecteer te importeren thema-bestand - + File is not a valid theme. Geen geldig thema-bestand. - + &Copy Theme &Kopieer thema - + &Rename Theme He&rnoem thema - + &Export Theme &Exporteer thema - + You must select a theme to rename. Selecteer een thema om te hernoemen. - + Rename Confirmation Bevestig hernoemen - + Rename %s theme? %s thema hernoemen? - + You must select a theme to delete. Selecteer een thema om te verwijderen. - + Delete Confirmation Bevestig verwijderen - + Delete %s theme? %s thema verwijderen? - + Validation Error Validatie fout - + A theme with this name already exists. Er bestaat al een thema met deze naam. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s keer door %s - - - + Unable to delete theme Het thema kan niet worden verwijderd + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Thema is momenteel in gebruik - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Thema Assistent - + Welcome to the Theme Wizard Welkom bij de Thema Assistent - + Set Up Background Achtergrond instellen - + Set up your theme's background according to the parameters below. Thema achtergrond instellen met onderstaande parameters. - + Background type: Achtergrond type: - + Gradient Kleurverloop - + Gradient: Kleurverloop: - + Horizontal Horizontaal - + Vertical Verticaal - + Circular Radiaal - + Top Left - Bottom Right Links boven - rechts onder - + Bottom Left - Top Right Links onder - Rechts boven - + Main Area Font Details Lettertype instellingen hoofdgebied - + Define the font and display characteristics for the Display text Stel de eigenschappen voor de tekstweergave in - + Font: Lettertype: - + Size: Grootte: - + Line Spacing: Interlinie: - + &Outline: &Omtrek: - + &Shadow: &Schaduw: - + Bold Vet - + Italic Cursief - + Footer Area Font Details Lettertype instellingen voettekst - + Define the font and display characteristics for the Footer text Stel de eigenschappen voor de voettekst weergave in - + Text Formatting Details Tekst opmaak eigenschappen - + Allows additional display formatting information to be defined Toestaan dat er afwijkende opmaak kan worden bepaald - + Horizontal Align: Horizontaal uitlijnen: - + Left Links - + Right Rechts - + Center Centreren - + Output Area Locations Uitvoer gebied locaties - + &Main Area &Hoofdgebied - + &Use default location Gebr&uik standaardlocatie - + X position: X positie: - + px px - + Y position: Y positie: - + Width: Breedte: - + Height: Hoogte: - + Use default location Gebruik standaardlocatie - + Theme name: Themanaam: - - Edit Theme - %s - Bewerk thema - %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. Deze Assistent helpt bij het maken en bewerken van thema's. Klik op volgende om als eerste stap een achtergrond in te stellen. - + Transitions: Overgangen: - + &Footer Area &Voettekst gebied - + Starting color: Beginkleur: - + Ending color: Eindkleur: - + Background color: Achtergrondkleur: - + Justify Uitvullen - + Layout Preview Layout voorbeeld - + Transparent Transparant - + Preview and Save Voorbeeld en opslaan - + Preview the theme and save it. Toon een voorbeeld en sla het thema op. - + Background Image Empty Achtergrondafbeelding leeg - + Select Image Selecteer afbeelding - + Theme Name Missing Thema naam ontbreekt - + There is no name for this theme. Please enter one. Dit thema heeft geen naam. Voer een naam in. - + Theme Name Invalid Thema naam ongeldig - + Invalid theme name. Please enter one. De naam van het thema is niet geldig. Voer een andere naam in. - + Solid color Vaste kleur - + color: kleur: - + Allows you to change and move the Main and Footer areas. Toestaan dat tekstvelden gewijzigd en verplaatst worden. - + You have not selected a background image. Please select one before continuing. Geen achtergrondafbeelding geselecteerd. Selecteer er een om door te gaan. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6872,73 +6918,73 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. &Verticaal uitlijnen: - + Finished import. Importeren afgerond. - + Format: Formaat: - + Importing Importeren - + Importing "%s"... Bezig met importeren van "%s"... - + Select Import Source Selecteer te importeren bestand - + Select the import format and the location to import from. Selecteer te importeren bestand en het bestandsformaat. - + Open %s File Open %s bestand - + %p% %p% - + Ready. Klaar. - + Starting import... Start importeren... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Selecteer minstens één %s bestand om te importeren. - + Welcome to the Bible Import Wizard Welkom bij de Bijbel Importeren Assistent - + Welcome to the Song Export Wizard Welkom bij de Lied Exporteren Assistent - + Welcome to the Song Import Wizard Welkom bij de Lied Importeren Assistent @@ -6988,39 +7034,34 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. XML syntax fout - - Welcome to the Bible Upgrade Wizard - Welkom bij de Bijbel Upgrade Assistent - - - + Open %s Folder Open %s map - + You need to specify one %s file to import from. A file type e.g. OpenSong Specificeer een %s bestand om vanuit te importeren. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Specificeer een %s map om uit te importeren. - + Importing Songs Liederen importeren - + Welcome to the Duplicate Song Removal Wizard Welkom bij de Dubbele Liederen Verwijderingsassistent - + Written by Geschreven door @@ -7030,502 +7071,490 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. Auteur onbekend - + About Over - + &Add &Toevoegen - + Add group Voeg groep toe - + Advanced Geavanceerd - + All Files Alle bestanden - + Automatic Automatisch - + Background Color Achtergrondkleur - + Bottom Onder - + Browse... Bladeren... - + Cancel Annuleer - + CCLI number: CCLI nummer: - + Create a new service. Maak nieuwe liturgie. - + Confirm Delete Bevestig verwijderen - + Continuous Doorlopend - + Default Standaard - + Default Color: Standaardkleur: - + 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. Liturgie %d-%m-%Y %H-%M - + &Delete Verwij&deren - + Display style: Weergave stijl: - + Duplicate Error Duplicaat fout - + &Edit &Bewerken - + Empty Field Leeg veld - + Error Fout - + Export Exporteren - + File Bestand - + File Not Found Bestand niet gevonden - - File %s not found. -Please try selecting it individually. - Bestand %s niet gevonden. -Probeer elk bestand individueel te selecteren. - - - + pt Abbreviated font pointsize unit pt - + Help Help - + h The abbreviated unit for hours u - + Invalid Folder Selected Singular Ongeldige map geselecteerd - + Invalid File Selected Singular Ongeldig bestand geselecteerd - + Invalid Files Selected Plural Ongeldige bestanden geselecteerd - + Image Afbeelding - + Import Importeren - + Layout style: Dia layout: - + Live Live - + Live Background Error Live achtergrond fout - + Live Toolbar Live Werkbalk - + Load Laad - + Manufacturer Singular Fabrikant - + Manufacturers Plural Fabrikanten - + Model Singular Model - + Models Plural Modellen - + m The abbreviated unit for minutes m - + Middle Midden - + New Nieuw - + New Service Nieuwe liturgie - + New Theme Nieuw thema - + Next Track Volgende track - + No Folder Selected Singular Geen map geselecteerd - + No File Selected Singular Geen bestand geselecteerd - + No Files Selected Plural Geen bestanden geselecteerd - + No Item Selected Singular Geen item geselecteerd - + No Items Selected Plural Geen items geselecteerd - + OpenLP is already running. Do you wish to continue? OpenLP is reeds gestart. Weet u zeker dat u wilt doorgaan? - + Open service. Open liturgie. - + Play Slides in Loop Dia’s doorlopend tonen - + Play Slides to End Dia’s tonen tot eind - + Preview 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 - + CCLI song number: CCLI liednummer: - + Preview Toolbar Voorbeeld Werkbalk - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Vervang live achtergrond is niet beschikbaar wanneer de WebKit-speler uitgeschakeld is. @@ -7541,29 +7570,100 @@ Probeer elk bestand individueel te selecteren. Plural Liedboeken + + + Background color: + Achtergrondkleur: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Geen bijbels beschikbaar + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Couplet + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s en %s - + %s, and %s Locale list separator: end %s en %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7646,47 +7746,47 @@ Probeer elk bestand individueel te selecteren. Presenteren met: - + File Exists Bestand bestaat - + A presentation with that filename already exists. Er bestaat al een presentatie met die naam. - + This type of presentation is not supported. Dit type presentatie wordt niet ondersteund. - - Presentations (%s) - Presentaties (%s) - - - + Missing Presentation Ontbrekende presentatie - - The presentation %s is incomplete, please reload. - Presentatie %s is niet compleet, herlaad a.u.b. + + Presentations ({text}) + - - The presentation %s no longer exists. - Presentatie %s bestaat niet meer. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7696,11 +7796,6 @@ Probeer elk bestand individueel te selecteren. Available Controllers Beschikbare presentatieprogramma's - - - %s (unavailable) - %s (niet beschikbaar) - Allow presentation application to be overridden @@ -7717,12 +7812,12 @@ Probeer elk bestand individueel te selecteren. 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. @@ -7733,13 +7828,19 @@ Probeer elk bestand individueel te selecteren. - Clicking on a selected slide in the slidecontroller advances to next effect. - Klikken op huidige dia in de diabesturing opent de volgende dia. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Laat PowerPoint de grootte en positie van het presentatievenster bepalen (nodig op Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7781,127 +7882,127 @@ Probeer elk bestand individueel te selecteren. RemotePlugin.Mobile - + Service Manager Liturgiebeheer - + Slide Controller Diabesturing - + 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 - + Remote Remote - + Stage View Podiumweergave - + Live View Live kijken @@ -7909,79 +8010,89 @@ Probeer elk bestand individueel te selecteren. RemotePlugin.RemoteTab - + Serve on IP address: Beschikbaar via IP-adres: - + Port number: Poort nummer: - + Server Settings Server instellingen - + Remote URL: Remote URL: - + Stage view URL: Podium weergave URL: - + Display stage time in 12h format Toon tijd in am/pm formaat - + Android App Android App - + Live view URL: Live meekijk 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. Kon geen SSL certificaat vinden. De HTTPS server is niet beschikbaar, totdat een SSL certificaat wordt gevonden. Lees de documentatie voor meer informatie. - + User Authentication Gebruikersverificatie - + User id: Gebruikersnaam: - + Password: Wachtwoord: - + Show thumbnails of non-text slides in remote and stage view. Toon miniatuurweergaven van niet-tekst-dia's in remote- en podiumweergaven. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Scan de QR-code of klik op <a href="%s">download</a> om de Android-app te installeren via Google Play. + + iOS App + iOS App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8022,50 +8133,50 @@ Probeer elk bestand individueel te selecteren. 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 @@ -8133,24 +8244,10 @@ Alle gegevens van voor die datum zullen worden verwijderd. Bestandslocatie - - usage_detail_%s_%s.txt - liedgebruik_details_%s_%s.txt - - - + Report Creation Rapportage opslaan - - - Report -%s -has been successfully created. - Rapportage -%s -is gemaakt. - Output Path Not Selected @@ -8163,45 +8260,57 @@ 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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... @@ -8297,80 +8406,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. @@ -8459,62 +8568,67 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens SongsPlugin.EasyWorshipSongImport - - Administered by %s - Beheerd door %s - - - - "%s" could not be imported. %s - "%s" kon niet worden geïmporteerd. %s - - - + Unexpected data formatting. Onverwacht bestandsformaat. - + No song text found. Geen liedtekst gevonden. - + [above are Song Tags with notes imported from EasyWorship] [hierboven staan Liedtags met noten die zijn geïmporteerd uit EasyWorship] - + This file does not exist. Het bestand bestaat niet. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Kon het bestand "Songs.MB" niet vinden. Het moet in dezelfde map staan als het bestand "Songs.DB". - + This file is not a valid EasyWorship database. Dit is geen geldige EasyWorship-database. - + Could not retrieve encoding. Kon de encoding niet bepalen. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Algemene informatie - + Custom Book Names Aangepaste namen bijbelboeken @@ -8597,57 +8711,57 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens Thema, Copyright && Commentaren - + Add Author Voeg auteur toe - + This author does not exist, do you want to add them? Deze auteur bestaat nog niet, toevoegen? - + This author is already in the list. Deze auteur staat al in de lijst. - + 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. Geen auteur geselecteerd. Kies een auteur uit de lijst of voeg er een toe door de naam in te typen en op de knop "Voeg auteur toe" te klikken. - + Add Topic Voeg onderwerp toe - + This topic does not exist, do you want to add it? Dit onderwerp bestaat nog niet, toevoegen? - + This topic is already in the list. Dit onderwerp staat al in de lijst. - + 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. Geen geldig onderwerp geselecteerd. Kies een onderwerp uit de lijst of type een nieuw onderwerp en klik op "Nieuw onderwerp toevoegen". - + You need to type in a song title. Vul de titel van het lied in. - + You need to type in at least one verse. Vul minstens de tekst van één couplet in. - + You need to have an author for this song. Selecteer minimaal één auteur voor dit lied. @@ -8672,7 +8786,7 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens &Alles verwijderen - + Open File(s) Open bestand(en) @@ -8687,14 +8801,7 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens <strong>Waarschuwing:</strong> U hebt geen volgorde opgegeven voor de verzen. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Er is geen vers dat overeenkomen met "%(invalid)s". Geldige waarden zijn %(valid)s. -Geef de verzen op gescheiden door spaties. - - - + Invalid Verse Order Ongeldige vers volgorde @@ -8704,22 +8811,15 @@ Geef de verzen op gescheiden door spaties. Aut&eurstype aanpassen - + Edit Author Type Auteurstype aanpassen - + Choose type for this author Kies het type van deze auteur - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Er zijn geen verzen die overeenkomen met "%(invalid)s". Geldige waarden zijn %(valid)s. -Geef de verzen op gescheiden door spaties. - &Manage Authors, Topics, Songbooks @@ -8741,45 +8841,71 @@ Geef de verzen op gescheiden door spaties. Auteurs, onderwerpen && liedboeken - + Add Songbook Voeg liedboek toe - + This Songbook does not exist, do you want to add it? Dit liedboek bestaat nog niet, toevoegen? - + This Songbook is already in the list. Dit liedboek staat al in de lijst. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Geen geldig liedboek geselecteerd. Kies een liedboek uit de lijst of type de naam van een liedboek en klik op "Nieuw liedboek toevoegen". + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Couplet bewerken - + &Verse type: Co&uplet type: - + &Insert &Invoegen - + Split a slide into two by inserting a verse splitter. Dia opsplitsen door een dia 'splitter' in te voegen. @@ -8792,77 +8918,77 @@ Geef de verzen op gescheiden door spaties. Lied Exporteren Assistent - + Select Songs Selecteer liederen - + Check the songs you want to export. Selecteer de liederen die u wilt exporteren. - + Uncheck All Deselecteer alles - + Check All Selecteer alles - + Select Directory Selecteer map - + Directory: Map: - + Exporting Exporteren - + Please wait while your songs are exported. Een moment geduld terwijl de liederen worden geëxporteerd. - + You need to add at least one Song to export. Kies minstens één lied om te exporteren. - + No Save Location specified Geen map opgegeven - + Starting export... Start exporteren... - + You need to specify a directory. Geef aan waar het bestand moet worden opgeslagen. - + Select Destination Folder Selecteer een doelmap - + Select the directory where you want the songs to be saved. Selecteer een map waarin de liederen moeten worden bewaard. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Deze assistent helpt u bij het exporteren van liederen naar het open en vrije <strong>OpenLyrics</strong> worship lied formaat. @@ -8870,7 +8996,7 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Onbruikbaar Foilpresenter liederenbestand. Geen verzen gevonden. @@ -8878,7 +9004,7 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.GeneralTab - + Enable search as you type Zoeken tijdens het typen @@ -8886,7 +9012,7 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selecteer Documenten/Presentatie bestanden @@ -8896,237 +9022,252 @@ Geef de verzen op gescheiden door spaties. Lied Importeren Assistent - + 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. Deze Assistent helpt liederen in verschillende bestandsformaten te importeren in OpenLP. Klik op volgende en kies daarna het bestandsformaat van het te importeren lied. - + Generic Document/Presentation Algemeen Document/Presentatie - + Add Files... Toevoegen... - + Remove File(s) Verwijder bestand(en) - + Please wait while your songs are imported. Een moment geduld terwijl de liederen worden geïmporteerd. - + Words Of Worship Song Files Words Of Worship liedbestanden - + Songs Of Fellowship Song Files Songs Of Fellowship liedbestanden - + SongBeamer Files SongBeamer bestanden - + SongShow Plus Song Files SongShow Plus liedbestanden - + Foilpresenter Song Files Foilpresenter liedbestanden - + Copy Kopieer - + Save to File Opslaan als bestand - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Songs of Fellowship import is uitgeschakeld omdat OpenLP zowel OpenOffice als LibreOffice niet kan vinden op deze computer. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Algemeen document/presentatie import is uitgeschakeld omdat OpenLP zowel OpenOffice als LibreOffice niet kan vinden op deze computer. - + OpenLyrics Files OpenLyrics bestanden - + CCLI SongSelect Files CCLI SongSelect bestanden - + EasySlides XML File EasySlides XML bestand - + EasyWorship Song Database EasyWorship lied database - + DreamBeam Song Files DreamBeam liedbestanden - + You need to specify a valid PowerSong 1.0 database folder. Specificeer een geldige PowerSong 1.0 databasemap. - + 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>. Converteer uw ZionWorx database eerst naar een CSV tekstbestand, zoals staat uitgelegd in de Engelstalige <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">gebruikershandleiding</a>. - + SundayPlus Song Files SundayPlus liedbestanden - + This importer has been disabled. Deze importeerder is uitgeschakeld. - + 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. MediaShout importeren wordt alleen ondersteund onder Windows. Het is uitgeschakeld omdat een bepaalde Python module ontbreekt. Om te kunnen importeren moet u de "pyodbc" module installeren. - + SongPro Text Files SongPro tekstbestanden - + SongPro (Export File) SongPro (geëxporteerd bestand) - + In SongPro, export your songs using the File -> Export menu Exporteer de liederen in SongPro via het menu File -> Export - + EasyWorship Service File EasyWorship dienstbestand - + WorshipCenter Pro Song Files WorshipCenter Pro liedbestanden - + 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. De WorshipCenter Pro-importeerder wordt alleen ondersteund op Windows. Het is uitgeschakeld door een missende Python-module. Als u deze importeerder wilt gebruiken, moet u de module "pyodbc" installeren. - + PowerPraise Song Files PowerPraise liedbestanden - + PresentationManager Song Files PresentationManager liedbestanden - - ProPresenter 4 Song Files - ProPresenter 4 liedbestanden - - - + Worship Assistant Files Worship Assistant bestanden - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. Exporteer uw database naar een CSV-bestand vanuit Worship Assistant. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics of OpenLP 2 geëxporteerd lied - + OpenLP 2 Databases OpenLP 2 Databases - + LyriX Files LyriX-bestanden - + LyriX (Exported TXT-files) LyriX (geëxporteerde TXT-bestanden) - + VideoPsalm Files VideoPsalm-bestanden - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - De VideoPsalm-bundels staan normaal in %s + + OPS Pro database + OPS Pro database + + + + The OPS 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. + De OPS Pro Importer wordt alleen ondersteund onder Windows. Het is uitgeschakeld omdat een bepaalde Python module ontbreekt. Om te kunnen importeren moet u de "pyodbc" module installeren. + + + + ProPresenter Song Files + ProPresenter liedbestanden + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Fout: %s + File {name} + + + + + Error: {error} + @@ -9145,79 +9286,117 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.MediaItem - + Titles Titels - + Lyrics Liedtekst - + CCLI License: CCLI Licentie: - + Entire Song Gehele lied - + Maintain the lists of authors, topics and books. Beheer de lijst met auteurs, onderwerpen en liedboeken. - + copy For song cloning kopieer - + Search Titles... Zoek op titel... - + Search Entire Song... Doorzoek gehele lied... - + Search Lyrics... Doorzoek liedtekst... - + Search Authors... Zoek op auteur... - - Are you sure you want to delete the "%d" selected song(s)? - Weet u zeker dat u deze "%d" liederen wilt verwijderen? - - - + Search Songbooks... Zoek liedboek... + + + Search Topics... + Zoeken onderwerpen... + + + + Copyright + Copyright + + + + Search Copyright... + Zoek Copyright... + + + + CCLI number + CCLI nummer + + + + Search CCLI number... + Zoek CCLI nummer... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Kan de MediaShout database niet openen. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Kon niet verbinden met de OPS Pro database. + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Geen geldige OpenLP 2 liederendatabase. @@ -9225,9 +9404,9 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Bezig met exporteren van "%s"... + + Exporting "{title}"... + @@ -9246,29 +9425,37 @@ Geef de verzen op gescheiden door spaties. Geen liederen om te importeren. - + Verses not found. Missing "PART" header. Coupletten niet gevonden. Ontbrekende "PART" header. - No %s files found. - Geen %s bestanden gevonden. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Ongeldig %s bestand. Onverwachte bytewaarde. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Ongeldig %s bestand. Ontbrekende "TITLE" header. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Ongeldig %s bestand. Ontbrekende "COPYRIGHTLINE" header. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9297,19 +9484,19 @@ 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 + + Your song export failed because this error occurred: {error} + @@ -9325,17 +9512,17 @@ Geef de verzen op gescheiden door spaties. De volgende liederen konden niet worden geïmporteerd: - + Cannot access OpenOffice or LibreOffice Kan OpenOffice of LibreOffice niet bereiken - + Unable to open file Kan bestand niet openen - + File not found Bestand niet gevonden @@ -9343,109 +9530,109 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.SongMaintenanceForm - + Could not add your author. Kon de auteur niet toevoegen. - + This author already exists. Deze auteur bestaat al. - + Could not add your topic. Kon dit onderwerp niet toevoegen. - + This topic already exists. Dit onderwerp bestaat al. - + Could not add your book. Kon dit boek niet toevoegen. - + This book already exists. Dit boek bestaat al. - + Could not save your changes. De wijzigingen kunnen niet opgeslagen worden. - + Could not save your modified author, because the author already exists. Kan de auteur niet opslaan, omdat deze reeds bestaat. - + Could not save your modified topic, because it already exists. Kan dit onderwerp niet opslaan, omdat het reeds bestaat. - + Delete Author Auteur verwijderen - + Are you sure you want to delete the selected author? Weet u zeker dat u de auteur wilt verwijderen? - + This author cannot be deleted, they are currently assigned to at least one song. Deze auteur kan niet worden verwijderd omdat er nog een lied aan is gekoppeld. - + Delete Topic Onderwerp verwijderen - + Are you sure you want to delete the selected topic? Weet u zeker dat u dit onderwerp wilt verwijderen? - + This topic cannot be deleted, it is currently assigned to at least one song. Dit onderwerp kan niet worden verwijderd omdat er nog een lied aan is gekoppeld. - + Delete Book Verwijder boek - + Are you sure you want to delete the selected book? Weet u zeker dat u dit boek wilt verwijderen? - + This book cannot be deleted, it is currently assigned to at least one song. Dit boek kan niet worden verwijderd omdat er nog een lied aan is gekoppeld. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - De auteur %s bestaat al. Liederen met auteur %s aan de bestaande auteur %s koppelen? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Het onderwerp %s bestaat al. Liederen met onderwerp %s aan het bestaande onderwerp %s koppelen? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Het boek %s bestaat al. Liederen uit het boek %s aan het bestaande boek %s koppelen? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9491,52 +9678,47 @@ Geef de verzen op gescheiden door spaties. Zoek - - Found %s song(s) - %s lied(eren) gevonden - - - + Logout Uitloggen - + View Weergave - + Title: Titel: - + Author(s): Auteur(s): - + Copyright: Copyright: - + CCLI Number: CCLI-nummer: - + Lyrics: Teksten: - + Back Terug - + Import Importeren @@ -9576,7 +9758,7 @@ Geef de verzen op gescheiden door spaties. Er was een probleem bij het inloggen, misschien is uw gebruikersnaam of wachtwoord incorrect? - + Song Imported Lied geïmporteerd @@ -9591,7 +9773,7 @@ Geef de verzen op gescheiden door spaties. Dit lied mist informatie, zoals bijvoorbeeld de liedtekst, waardoor het niet geïmporteerd kan worden. - + Your song has been imported, would you like to import more songs? Het lied is geïmporteerd. Wilt u meer liederen importeren? @@ -9600,6 +9782,11 @@ Geef de verzen op gescheiden door spaties. Stop Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9608,30 +9795,30 @@ Geef de verzen op gescheiden door spaties. Songs Mode Lied instellingen - - - Display verses on live tool bar - Coupletten weergeven op Live werkbalk - Update service from song edit Liturgie bijwerken met bewerkt lied - - - Import missing songs from service files - Importeer ontbrekende liederen uit liturgiebestand - Display songbook in footer Weergeven liedboek in voettekst + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Geef "%s"-symbool weer vóór copyrightinformatie + Display "{symbol}" symbol before copyright info + @@ -9655,37 +9842,37 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.VerseType - + Verse Couplet - + Chorus Refrein - + Bridge Bridge - + Pre-Chorus Tussenspel - + Intro Intro - + Ending Eind - + Other Overig @@ -9693,22 +9880,22 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.VideoPsalmImport - - Error: %s - Fout: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Ongeldig Words of Worship liedbestand. Ontbrekende "%s" kop.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Ongeldig Words of Worship liedbestand. Ontbrekende "%s" regel.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9719,30 +9906,30 @@ Geef de verzen op gescheiden door spaties. Fout bij het lezen van CSV bestand. - - Line %d: %s - Regel %d: %s - - - - Decoding error: %s - Fout bij decoderen: %s - - - + File not valid WorshipAssistant CSV format. Bestand is geen geldig WorshipAssistant CSV-bestand. - - Record %d - Vermelding %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Kon niet verbinden met de WorshipCenter Pro database. @@ -9755,25 +9942,30 @@ Geef de verzen op gescheiden door spaties. Fout bij het lezen van CSV bestand. - + File not valid ZionWorx CSV format. Bestand heeft geen geldige ZionWorx CSV indeling. - - Line %d: %s - Regel %d: %s - - - - Decoding error: %s - Fout bij decoderen: %s - - - + Record %d Vermelding %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9783,39 +9975,960 @@ Geef de verzen op gescheiden door spaties. 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. Deze assistent zal u helpen om dubbele liederen uit de database te verwijderen. U heeft de mogelijkheid om ieder lied te bekijken voordat die verwijderd wordt. Er zullen geen liederen worden verwijderd zonder uw expliciete toestemming. - + Searching for duplicate songs. Zoeken naar dubbele liederen. - + Please wait while your songs database is analyzed. Een moment geduld. De liederendatabase wordt geanalyseerd. - + Here you can decide which songs to remove and which ones to keep. Hier kunt u bepalen welke liederen moeten worden verwijderd of bewaard. - - Review duplicate songs (%s/%s) - Bekijk dubbele liederen (%s/%s) - - - + Information Informatie - + No duplicate songs have been found in the database. Er zijn geen dubbele liederen gevonden in de database. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Dutch + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/pl.ts b/resources/i18n/pl.ts index d4bc7fdee..06376ee49 100644 --- a/resources/i18n/pl.ts +++ b/resources/i18n/pl.ts @@ -118,32 +118,27 @@ Proszę, wpisz test zanim wciśniesz "Nowy". AlertsPlugin.AlertsTab - + Font Czcionka - + Font name: Nazwa czcionki: - + Font color: Kolor czcionki: - - Background color: - Kolor tła: - - - + Font size: Wielkość czcionki: - + Alert timeout: Czas komunikatu: @@ -151,88 +146,78 @@ 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 Biblii</strong><br />Wtyczka Biblii zapewnia możliwość wyświetlania wersetów biblijnych z różnych źródeł podczas nabożeństwa. - - - &Upgrade older Bibles - &Uaktualnij starsze Biblie - - - - Upgrade the Bible databases to the latest format. - Zaktualizuj bazę danych Biblii do najnowszego formatu. - Genesis @@ -737,159 +722,107 @@ Proszę, wpisz test zanim wciśniesz "Nowy". Ta Biblia już istnieje. Proszę zaimportować inną lub usunąć już istniejącą. - - You need to specify a book name for "%s". - Musisz sprecyzować nazwę księgi dla "%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. - Nazwa księgi "%s" nie jest poprawna. -Liczby mogą zostać użyte jedynie na początku i poprzedzać tekst. - - - + Duplicate Book Name Powiel nazwę księgi - - The Book Name "%s" has been entered more than once. - Nazwa księgi "%s" została wpisana więcej niż raz. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error Błąd odnośnika Pisma - - Web Bible cannot be used - Biblia internetowa nie może być użyta + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Twój odnośnik nie jest wspierany przez OpenLP bądź jest błędny. Proszę, upewnij się, że Twoje odniesienie pasuje do jednego z poniższych wzorów. +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Księga Rozdział -Księga Rozdział%(range)sRozdział -Księga Rozdział%(verse)sWerset%(range)sWerset -Księga Rozdział%(verse)sWerset%(range)sWerset%(list)sWerset%(range)sWerset -Księga Rozdział%(verse)sWerset%(range)sWerset%(list)sRozdział%(verse)sWerset%(range)sWerset -Księga Rozdział%(verse)sWerset%(range)sRozdział%(verse)sWerset +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Wyświetlanie wersetów - + Only show new chapter numbers Pokaż tylko numery nowych rozdziałów - + Bible theme: Motyw Biblii: - + No Brackets Brak klamer - + ( And ) ( i ) - + { And } { i } - + [ And ] [ i ] - - Note: -Changes do not affect verses already in the service. - Uwaga: -Zmiany nie wpływają na wersety dodane do planu nabożeństwa. - - - + Display second Bible verses Wyświetl kolejne wersety biblijne - + Custom Scripture References Odnośniki do Pisma - - Verse Separator: - Separator wersetów (przed numerem wersetu): - - - - Range Separator: - Separator zakresu: - - - - List Separator: - Separator wymienianych elementów: - - - - End Mark: - Końcowy znak: - - - + 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. @@ -897,37 +830,83 @@ Please clear this edit line to use the default value. Muszą one być odseparowane poziomą kreską "|". Proszę zatwierdzić, by użyć domyślnej wartości. - + English Polish - + Default Bible Language Domyślny język Biblii - + Book name language in search field, search results and on display: Nazwy ksiąg w polu wyszukiwania, wyniki wyszukiwania i wyniki na ekranie: - + Bible Language Język Biblii - + Application Language Język programu - + Show verse numbers Pokaż numer wersetu + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -983,70 +962,76 @@ wyniki wyszukiwania i wyniki na ekranie: BiblesPlugin.CSVBible - - Importing books... %s - Import ksiąg ... %s - - - + Importing verses... done. Import wersów... wykonano. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + BiblesPlugin.EditBibleForm - + Bible Editor Edytor Biblii - + License Details Szczegóły licencji - + Version name: Nazwa wersji: - + Copyright: Prawa autorskie: - + Permissions: Zezwolenia: - + Default Bible Language Domyślny język Biblii - + Book name language in search field, search results and on display: Nazwy ksiąg w polu wyszukiwania, wyniki wyszukiwania i wyniki na ekranie: - + Global Settings Globalne ustawienia - + Bible Language Język Biblii - + Application Language Język programu - + English Polish @@ -1066,224 +1051,259 @@ 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 + + + Importing {book}... + Importing <book name>... + + 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. Biblia dodana. Zwróć uwagę na to, że wersety będą pobierane na bieżąco, więc wymagane jest połączenie z internetem. - + Click to download bible list Kliknij, by pobrać pakiet biblii - + Download bible list Pobierz pakiet biblii - + Error during download Błąd pobierania - + An error occurred while downloading the list of bibles from %s. Pojawił się problem podczas pobierania pakietu biblii od %s + + + Bibles: + Biblie + + + + SWORD data folder: + Folder danych SWORD: + + + + SWORD zip-file: + plik zip SWORD + + + + Defaults to the standard SWORD data folder + Domyślnie dla standardu foldera danych SWORD + + + + Import from folder + Importuj z folderu + + + + Import from Zip-file + Importuj z archiwum zip + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Aby importować biblie SWORD moduł pysword python musi być zainstalowany. Proszę przeczytać manual + BiblesPlugin.LanguageDialog @@ -1314,114 +1334,130 @@ Nie można dostosowywać i zmieniać nazw ksiąg. BiblesPlugin.MediaItem - - Quick - Szybko - - - + Find: Znajdź: - + Book: Księga: - + Chapter: Rozdział: - + Verse: Werset: - + From: Od: - + To: Do: - + Text Search Wyszukaj tekst: - + Second: Drugie: - + Scripture Reference Odnośnik biblijny - + Toggle to keep or clear the previous results. Kliknij, aby zachować lub wyczyścić poprzednie wyniki. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Nie możesz łączyć pojedyńczych i podwójnych wersetów Biblii w wynikach wyszukiwania. Czy chcesz usunąć wyniki wyszukiwania i rozpocząć kolejne wyszukiwanie? - + Bible not fully loaded. Biblia nie jest wczytana w pełni. - + Information Informacja - - 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. - Druga Biblia nie zawiera wszystkich wersetów, które występują w głównej Biblii. Jedynie wersety znalezione w obu tłumaczeniach zostaną wyświetlone. %d wersety nie zostały zawarte w wynikach. - - - + Search Scripture Reference... Wpisz odnośnik... - + Search Text... Przeszukaj tekst... - - Are you sure you want to completely delete "%s" Bible from OpenLP? - -You will need to re-import this Bible to use it again. - Czy jesteś pewien, że chcesz zupełnie usunąć "%s" Biblię z OpenLP? - -Będziesz musiał zaimportować ją ponownie, aby móc jej znowu używać. + + Search + Szukaj - - Advanced - Zaawansowane + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Niewłaściwy typ Biblii. Biblie na OpenSong'a mogą być skompresowane. Musisz je rozpakować przed importowaniem. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. Nieprawidłowy format Biblii. Wygląda ona na Biblię Zefania XML, więc proszę użyć opcji importu Zefania @@ -1429,176 +1465,51 @@ Będziesz musiał zaimportować ją ponownie, aby móc jej znowu używać. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importowanie %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + 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... Importowanie %(bookname)s %(chapter)s... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Wybierz folder kopii zapasowej + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Kreator Aktualizacji Biblii - - - - 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. - Ten kreator pozwoli ci na aktualizację istniejącej Biblii z poprzedniej wersji OpenLP 2. Kliknij "dalej", aby rozpocząć proces aktualizacji. - - - - Select Backup Directory - Wybierz folder kopii zapasowej - - - - Please select a backup directory for your Bibles - Wybierz folder kopii zapasowej dla twoich Biblii - - - - 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>. - Poprzednie wydania OpenLP 2.0 nie mogą używać zaktualizowanych Biblii. Zostanie utworzona kopia zapasowa obecnych Biblii, więc możesz po prostu skopiować dane z powrotem do katalogu OpenLP w przypadku gdy będziesz potrzebował powrócić do poprzedniego wydania OpenLP. Instrukcje jak przywrócić pliki można znaleźć w naszym dziale <a href="http://wiki.openlp.org/faq">Frequently Asked Questions - Najczęściej Zadawane Pytania</a>. - - - - Please select a backup location for your Bibles. - Proszę wybrać lokalizację kopii zapasowej twojej Biblii. - - - - Backup Directory: - Katalog kopii zapasowej: - - - - There is no need to backup my Bibles - Nie ma potrzeby tworzenia kopii zapasowej Biblii - - - - Select Bibles - Wybierz Biblię - - - - Please select the Bibles to upgrade - Proszę wybrać Biblie do zaktualizowania - - - - Upgrading - Aktualizacja - - - - Please wait while your Bibles are upgraded. - Proszę czekać, trwa aktualizacja Biblii. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Tworzenie kopii zapasowej zakończone niepowodzeniem. ⏎ Aby utworzyć kopię zapasową twojej Biblii musisz mieć uprawnienia do zapisywania w danym folderze. - - - - Upgrading Bible %s of %s: "%s" -Failed - Aktualizowanie Biblii %s z %s: "%s" -Niepowodzenie - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Aktualizowanie Biblii %s z %s: "%s" -Aktualizowanie w toku... - - - - Download Error - Błąd pobierania - - - - To upgrade your Web Bibles an Internet connection is required. - Aby aktualizować twoje internetowe Biblie wymagane jest połączenie z internetem. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Aktualizowanie Biblii %s z %s: "%s" -Aktualizowanie %s.. - - - - Upgrading Bible %s of %s: "%s" -Complete - Aktualizowanie Biblii %s z %s: "%s" - Ukończono! - - - - , %s failed - %s niepowodzenie - - - - Upgrading Bible(s): %s successful%s - Aktualizowanie Biblii: %s successful%s - - - - Upgrade failed. - Aktualizacja zakończona niepowodzeniem. - - - - You need to specify a backup directory for your Bibles. - Musisz określić katalog dla kopii zapasowej twojej Biblii. - - - - Starting upgrade... - Rozpoczynanie aktualizacji... - - - - There are no Bibles that need to be upgraded. - Brak Biblii wymagających aktualizacji. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. = @@ -1606,9 +1517,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importowanie %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1724,7 +1635,7 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na Edytuj wszystkie slajdy natychmiast. - + Split a slide into two by inserting a slide splitter. Połącz dwa slajdy w jeden za pomocą łączenia slajdów. @@ -1739,7 +1650,7 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na &Twórcy: - + You need to type in a title. Musisz napisać tytuł. @@ -1749,12 +1660,12 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na Edytuj całość - + Insert Slide Wstaw slajd - + You need to add at least one slide. Musisz dodać przynajmniej jeden slajd @@ -1762,7 +1673,7 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na CustomPlugin.EditVerseForm - + Edit Slide Edytuj slajd @@ -1770,8 +1681,8 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1800,11 +1711,6 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na container title Obrazy - - - Load a new image. - Wczytaj nowy obraz - Add a new image. @@ -1835,6 +1741,16 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na Add the selected image to the service. Dodaj zaznaczony obraz do planu nabożeństwa + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1859,12 +1775,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. @@ -1900,7 +1816,7 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na ImagePlugin.ExceptionDialog - + Select Attachment Wybierz załącznik @@ -1908,39 +1824,22 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na ImagePlugin.MediaItem - + Select Image(s) Wybierz obraz(y) - + You must select an image to replace the background with. Musisz zaznaczyć obraz, by użyć go jako 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 projektora. @@ -1950,25 +1849,41 @@ Czy mimo to chcesz dodać inne? -- Nadrzędna grupa -- - + 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ść? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Tło dla obrazów o innych proporcjach niż ekran. @@ -1976,88 +1891,88 @@ Czy mimo to chcesz dodać inne? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. - + Ten odtwarzacz multimediów wykorzystuje twój system operacyjny dla zapewnienia zdolności multimedialnych 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 film, bądź plik dźwiękowy - + 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. @@ -2173,47 +2088,47 @@ Czy mimo to chcesz dodać inne? Odtwarzacz VLC nie odtworzył poprawnie pliku. - + CD not loaded correctly CD nie została załadowana poprawnie - + The CD was not loaded correctly, please re-load and try again. Płyta CD nie została załadowana poprawnie, proszę spróbuj ponownie. - + DVD not loaded correctly DVD nie została załadowana poprawnie - + The DVD was not loaded correctly, please re-load and try again. Płyta DVD nie została załadowana poprawnie, proszę spróbuj ponownie. - + Set name of mediaclip Wpisz nazwę klipu - + Name of mediaclip: Nazwa klipu: - + Enter a valid name or cancel Wpisz poprawną nazwę lub anuluj - + Invalid character Nieprawidłowy znak - + The name of the mediaclip must not contain the character ":" Nazwa klipu nie może zawierać znaku ":" @@ -2221,90 +2136,100 @@ Czy mimo to chcesz dodać inne? MediaPlugin.MediaItem - + Select Media 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 projektora. - + Unsupported File Nieobsługiwany plik - + Use Player: Użyj odtwarzacza: - + VLC player required Odtwarzacz VLC wymagany - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + Plik %s nie jest obsługiwany przez odtwarzacz %s + + + + Unsupported Media File + Niewspierany plik mediów + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2315,41 +2240,19 @@ Czy mimo to chcesz dodać inne? - Start Live items automatically - Odtwarzaj automatycznie - - - - OPenLP.MainWindow - - - &Projector Manager - P&rojektory + Start new Live media automatically + OpenLP - + Image Files Pliki obrazów - - Information - Informacja - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Format Biblii został zmieniony -Musisz uaktualnić istniejące Biblie. -Czy OpenLP ma to zrobić teraz? - - - + Backup Kopia zapasowa @@ -2364,15 +2267,20 @@ Czy OpenLP ma to zrobić teraz? Nie udało się stworzyć kopii zapasowej! - - A backup of the data folder has been created at %s - Kopia zapasowa została utworzona w %s - - - + Open Otwórz + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2382,15 +2290,10 @@ Czy OpenLP ma to zrobić teraz? Zasługi - + License Licencja - - - build %s - zbuduj %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. @@ -2419,154 +2322,154 @@ Dowiedz się więcej o OpenLP: http://openlp.org/ OpenLP jest pisany i wspierany przez wolontariuszy. Jeśli chciałbyś, aby powstawało więcej wolnych, chrześcijańskich programów, proszę rozważ współpracę przez naciśnięcie poniższego przycisku. - + Volunteer Chcę pomóc! Project Lead - + Prowadzenie projektu Developers - + Deweloperzy Contributors - + Uczestnicy Packagers - + Paczki Testers - + Testerzy Translators - + Tłumacze Afrikaans (af) - + Afrykanerski (af) Czech (cs) - + Czeski (cs) Danish (da) - + Duński (da) German (de) - + Niemiecki (de) Greek (el) - + Grecki (el) English, United Kingdom (en_GB) - + Angielski, UK (en_GB) English, South Africa (en_ZA) - + Angielski, RPA (en_ZA) Spanish (es) - + Hiszpański (es) Estonian (et) - + Estoński (et) Finnish (fi) - + Fiński (fi) French (fr) - + Francuski (fr) Hungarian (hu) - + Węgierski (hu) Indonesian (id) - + Indonezyjski (id) Japanese (ja) - + Japoński (ja) Norwegian Bokmål (nb) - + Norweski (nb) Dutch (nl) - + Holenderski (nl) Polish (pl) - + Polski (pl) Portuguese, Brazil (pt_BR) - + Portugalski (pt_BR) Russian (ru) - + Rosyjski (ru) Swedish (sv) - + Szwedzki (sv) Tamil(Sri-Lanka) (ta_LK) - + Tamilski (Sri-Lanka) (ta_LK) Chinese(China) (zh_CN) - + Chiński (zh_CN) Documentation - + Dokumentacja @@ -2577,7 +2480,12 @@ OpenLP jest pisany i wspierany przez wolontariuszy. Jeśli chciałbyś, aby pows Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ MuPDF: http://www.mupdf.com/ - + Stworzono przy użyciu: +Python: http://www.python.org/ +Qt5: http://qt.io +PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro +Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ +MuPDF: http://www.mupdf.com/ @@ -2592,335 +2500,245 @@ OpenLP jest pisany i wspierany przez wolontariuszy. Jeśli chciałbyś, aby pows on the cross, setting us free from sin. We bring this software to you for free because He has set us free. + Końcowe podziękowanie: +"Dla Boga, który tak umiłował świat, że Syna swego, jednorodzonego dał, aby każdy, kto w niego wierzy, nie zginął, ale miał życie wieczne" J 3,16 + +Na koniec ale nie mniej ważnie, końcowe podziękowania dla Boga, naszego Ojca, za zesłanie nam swego Syna, by umarł za nas na krzyżu i uczynił nas wolnymi od grzechu. +Dostarczamy to oprogramowanie za darmo, ponieważ On uczynił nas wolnymi. + + + + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + build {version} OpenLP.AdvancedTab - + UI Settings Ustawienia interfejsu - - - Number of recent files to display: - Liczba ostatnio wyświetlanych plików: - - Remember active media manager tab on startup - Zapamiętaj aktywną kartę menedżera multimediów przy starcie - - - - Double-click to send items straight to live - Kliknij podwójnie, aby wyświetlić element na ekranie - - - Expand new service items on creation Rozwiń nowe elementy w planie nabożeństwa - + Enable application exit confirmation Włącz potwierdzenie wyjścia z programu - + Mouse Cursor Kursor myszy - + Hide mouse cursor when over display window Ukryj kursor myszy, gdy jest na ekranie - - Default Image - Domyślny obraz - - - - Background color: - Kolor tła: - - - - Image file: - Plik obrazu: - - - + Open File Otwórz plik - + Advanced Zaawansowane - - - Preview items when clicked in Media Manager - Podgląd klikniętych elementów w menedżerze multimediów - - Browse for an image file to display. - Wybierz obrazek do wyświetlania - - - - Revert to the default OpenLP logo. - Przywróć domyślne logo OpenLP - - - Default Service Name Domyślna nazwa planu nabożeństwa - + Enable default service name Ustaw domyślną nazwę planu nabożeństwa - + Date and Time: Czas i data: - + Monday Poniedziałek - + Tuesday Wtorek - + Wednesday Środa - + Friday Piątek - + Saturday Sobota - + Sunday Niedziela - + Now Teraz - + Time when usual service starts. Standardowa godzina rozpoczęcia. - + Name: Nazwa: - + Consult the OpenLP manual for usage. Zaznajom się z instrukcją obsługi OpenLP. - - Revert to the default service name "%s". - Przywróć domyślną nazwę: "%s" - - - + Example: Przykład: - + Bypass X11 Window Manager Pomiń menadżer okien X11 - + Syntax error. Błąd składni. - + Data Location Lokalizacja danych - + Current path: Aktualna ścieżka: - + Custom path: Inna ścieżka: - + Browse for new data file location. Wybierz nową lokalizację bazy OpenLP - + Set the data location to the default. Przywróć domyślną ścieżkę do bazy OpenLP - + Cancel Anuluj - + Cancel OpenLP data directory location change. Anuluj zmianę lokalizacji katalogu OpenLP. - + Copy data to new location. Skopiuj dane do nowej lokalizacji. - + Copy the OpenLP data files to the new location. Skopiuj pliki danych OpenLP do nowej lokalizacji. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>Uwaga:</strong> Nowa lokalizacja katalogu danych zawiera dane z plikami OpenLP. Te pliki będą zastąpione podczas kopiowania. - + Data Directory Error Błąd katalogu danych - + Select Data Directory Location Zaznacz katalog lokalizacji danych - + Confirm Data Directory Change Potwierdź zmianę katalogu plików - + Reset Data Directory Zresetuj katalog z danymi - + Overwrite Existing Data Nadpisz istniejące dane - - 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. Jeśli nowa lokalizacja jest na zewnętrznym urządzeniu, to musi być ono podłączone. - -Naciśnij "Nie", aby zatrzymać ładowanie programu. Dzięki temu będziesz mógł naprawić problem. - -Naciśnij "Tak", aby zresetować katalog z danymi w domyślnej lokalizacji. - - - - 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. - Czy jesteś pewien, że chcesz zmienić lokalizację katalogu OpenLP z danymi na: - -%s - -Katalog z danymi zostanie zmieniony jak OpenLP zostanie zamknięty. - - - + Thursday Czwartek - + Display Workarounds Ustawienia ekranu - + Use alternating row colours in lists Zastosuj naprzemienne kolory rzędów - - 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? - UWAGA: - -Wybrana lokalizacja - -%s - -zawiera pliki z danymi OpenLP. Czy chcesz zastąpić te pliki aktualnymi plikami danych? - - - + Restart Required Wymagany restart - + This change will only take effect once OpenLP has been restarted. Zmiany będą zastosowane po ponownym uruchomieniu OpenLP. - + 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. @@ -2928,11 +2746,155 @@ This location will be used after OpenLP is closed. Katalog z danymi zostanie przywrucony jak OpenLP zostanie zamknięty. + + + Max height for non-text slides +in slide controller: + Max wysokość dla slajdów bez tekstu w kontrolerze slajdów + + + + Disabled + Zablokowany + + + + When changing slides: + Gdy zmieniasz slajdy: + + + + Do not auto-scroll + Nie przewijaj automatycznie + + + + Auto-scroll the previous slide into view + Przewiń automatycznie poprzedni slajd aby zobaczyć + + + + Auto-scroll the previous slide to top + Przewiń automatycznie poprzedni slajd na samą górę + + + + Auto-scroll the previous slide to middle + Przewiń automatycznie poprzedni slajd do środka + + + + Auto-scroll the current slide into view + Przewiń automatycznie poprzedni slajd aby zobaczyć + + + + Auto-scroll the current slide to top + Automatycznie przewijanie slajdu do początku + + + + Auto-scroll the current slide to middle + Automatyczne przewijanie slajdu do środka + + + + Auto-scroll the current slide to bottom + Automatyczne przewijanie slajdu na dół + + + + Auto-scroll the next slide into view + Przewiń automatycznie następny slajd aby zobaczyć + + + + Auto-scroll the next slide to top + Automatycznie przewijanie następnego slajdu na górę + + + + Auto-scroll the next slide to middle + Przewiń automatycznie następny slajd do środka + + + + Auto-scroll the next slide to bottom + Przewiń automatycznie następny slajd do dołu + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatycznie + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Kliknij aby wybrać kolor @@ -2940,252 +2902,252 @@ Katalog z danymi zostanie przywrucony jak OpenLP zostanie zamknięty. OpenLP.DB - + RGB RGB - + Video Wideo - + Digital Cyfrowy - + Storage - + 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 Wideo 1 - + Video 2 Wideo 2 - + Video 3 Wideo 3 - + Video 4 Wideo 4 - + Video 5 Wideo 5 - + Video 6 Wideo 6 - + Video 7 Wideo 7 - + Video 8 Wideo 8 - + Video 9 Wideo 9 - + Digital 1 Cyfrowy 1 - + Digital 2 Cyfrowy 2 - + Digital 3 Cyfrowy 3 - + Digital 4 Cyfrowy 4 - + Digital 5 Cyfrowy 5 - + Digital 6 Cyfrowy 6 - + Digital 7 Cyfrowy 7 - + Digital 8 Cyfrowy 8 - + Digital 9 Cyfrowy 9 - + Storage 1 - + Storage 2 - + Storage 3 - + Storage 4 - + Storage 5 - + Storage 6 - + Storage 7 - + Storage 8 - + Storage 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 @@ -3193,61 +3155,74 @@ Katalog z danymi zostanie przywrucony jak OpenLP zostanie zamknięty. OpenLP.ExceptionDialog - + Error Occurred Wystąpił błąd - + Send E-Mail Wyślij e-mail - + Save to File Zapisz do pliku - + Attach File Dołącz plik - - Description characters to enter : %s - Wpisz jeszcze przynajmniej %s znaków. - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) + + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. - - 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. Also attach any files that triggered the problem. + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation OpenLP.ExceptionForm - - Platform: %s - - Platforma: %s - - - - + Save Crash Report Zapisz raport o awarii - + Text files (*.txt *.log *.text) Pliki tekstowe (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3288,268 +3263,259 @@ Katalog z danymi zostanie przywrucony jak OpenLP zostanie zamknięty. 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 ww danych językach - + 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. - Brak połączenia internetowego. Kreator pierwszego uruchomienia potrzebuje połączenia z internetem, aby móc pobierać przykładowe pieśni, Biblie i motywy. Naciśnij przycisk Zakończ, aby włączyć OpenLP z wstępnymi ustawieniami, bez przykładowych danych. - -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. - - -By anulować kreatora pierwszego uruchomienia całkowicie (i nie uruchamiać OpenLP), wciśnij teraz przycisk %s. - - - + Downloading Resource Index Pobieranie źródeł - + Please wait while the resource index is downloaded. Proszę czekać, aż źródła zostaną pobrane zostanie pobrany - + Please wait while OpenLP downloads the resource index file... Proszę czekać, OpenLP pobiera plik indeksujący zasoby... - + Downloading and Configuring Pobieranie i Konfiguracja - + Please wait while resources are downloaded and OpenLP is configured. Proszę czekać, zasoby są pobierane i OpenLP jest konfigurowany. - + Network Error Błąd sieci - + There was a network error attempting to connect to retrieve initial configuration information Wystąpił błąd sieci. Próba ponownego połączenia z siecią by pobrać informacje o konfiguracji początkowej. - - Cancel - Anuluj - - - + Unable to download some files Nie można pobrać niektórych plików + + + Select parts of the program you wish to use + Wybierz części programu, które chcesz użyć + + + + You can also change these settings after the Wizard. + Możesz zmienić te ustawienia także po zakończeniu Kreatora + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Slajdy niestandardowe - Łatwiejsze do zarządzania niż pieśni, oraz mają swoje własne listy + + + + Bibles – Import and show Bibles + Biblie - import i wyświetlanie Biblii + + + + Images – Show images or replace background with them + Obrazy - Wyświetlanie obrazów lub zastępowanie tła + + + + Presentations – Show .ppt, .odp and .pdf files + Prezentacje - wyświetlanie plików .ppt .odp oraz .pdf + + + + Media – Playback of Audio and Video files + Multimedia (pliki dźwiękowe i filmy) + + + + Remote – Control OpenLP via browser or smartphone app + Zdalny - Steruj OpenLP przez przeglądarkę lub smartfona + + + + Song Usage Monitor + Monitor użycia pieśni + + + + Alerts – Display informative messages while showing other slides + Alerty - wyświetlaj wiadomości informacyjne podczas pokazywania innych slajdów + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projektory - Kontroluj za pomocą PJLink kompatybilne projektory w sieci bezpośrednio z OpenLP + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3592,43 +3558,48 @@ By anulować kreatora pierwszego uruchomienia całkowicie (i nie uruchamiać Ope OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error Błąd walidacji - + Description is missing Brak opisu - + Tag is missing Brak tagu - Tag %s already defined. - Znacznik %s już został zdefiniowany. + Tag {tag} already defined. + - Description %s already defined. - Opis %s został już zdeklarowany. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Tag %s nie odpowiada HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} @@ -3718,174 +3689,202 @@ By anulować kreatora pierwszego uruchomienia całkowicie (i nie uruchamiać Ope OpenLP.GeneralTab - + General Ogólne - + Monitors Ekrany - + Select monitor for output display: Wybierz ekran wyjściowy: - + Display if a single screen Wyświetl, jeśli jest tylko jeden ekran - + Application Startup Start programu - + Show blank screen warning Pokazuj ostrzeżenia o wygaszonym ekranie - - Automatically open the last service - Automatycznie otwórz ostatni plan nabożeństwa - - - + Show the splash screen Pokaż ekran powitalny - + Application Settings Ustawienia OpenLP - + Prompt to save before starting a new service Proponuj zapisanie przed tworzeniem nowego planu - - Automatically preview next item in service - Automatyczny podgląd następnego -elementu planu nabożeństwa - - - + sec sek - + CCLI Details Szczegóły CCLI - + SongSelect username: Użytkownik SongSelect: - + SongSelect password: Hasło SongSelect: - + X X - + Y Y - + Height Wysokość - + Width Szerokość - + Check for updates to OpenLP Sprawdź aktualizacje OpenLP - - Unblank display when adding new live item - Wyłącz wygaszenie ekranu podczas -wyświetlania nowego elementu na ekranie - - - + Timed slide interval: Czas zmieniania slajdów: - + Background Audio Muzyka w tle - + Start background audio paused Rozpocznij granie muzyki w tle - + Service Item Slide Limits Elementy graniczne planu - + Override display position: Ustaw położenie obrazu: - + Repeat track list Powtarzaj listę utworów - + Behavior of next/previous on the last/first slide: Zachowanie akcji następny/poprzedni w ostatnim/pierwszym slajdzie: - + &Remain on Slide Pozostaw ten slajd - + &Wrap around &Od początku - + &Move to next/previous service item Przenieś do następnego/poprzedniego elementu nabożeństwa + + + Logo + Logo + + + + Logo file: + Plik loga: + + + + Browse for an image file to display. + Wybierz obrazek do wyświetlania + + + + Revert to the default OpenLP logo. + Przywróć domyślne logo OpenLP + + + + Don't show logo on startup + Nie pokazuj loga przy uruchomieniu + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Język - + Please restart OpenLP to use your new language setting. Aby użyć nowego języka uruchom ponownie OpenLP. @@ -3893,7 +3892,7 @@ elementu nabożeństwa OpenLP.MainDisplay - + OpenLP Display Wyświetlacz OpenLP @@ -3920,11 +3919,6 @@ elementu nabożeństwa &View &Widok - - - M&ode - &Tryb - &Tools @@ -3945,16 +3939,6 @@ elementu nabożeństwa &Help Pomo&c - - - Service Manager - Plan Nabożeństwa - - - - Theme Manager - Motywy - Open an existing service. @@ -3980,11 +3964,6 @@ elementu nabożeństwa E&xit &Wyjście - - - Quit OpenLP - Wyjdź z OpenLP - &Theme @@ -3996,191 +3975,67 @@ elementu nabożeństwa Konfiguruj &OpenLP... - - &Media Manager - &Multimedia - - - - Toggle Media Manager - Przełącz menedżera multimediów - - - - Toggle the visibility of the media manager. - Przełącz widoczność menedżera multimediów. - - - - &Theme Manager - Moty&wy - - - - Toggle Theme Manager - Przełącz menedżera motywów. - - - - Toggle the visibility of the theme manager. - Przełącz widoczność menedżera motywów. - - - - &Service Manager - Plan &nabożeństw - - - - Toggle Service Manager - Przełącz menedżera planu nabożeństwa - - - - Toggle the visibility of the service manager. - Przełącz widoczność menedżera planu nabożeństwa. - - - - &Preview Panel - Panel p&odglądu - - - - Toggle Preview Panel - Przełącz panel podglądu - - - - Toggle the visibility of the preview panel. - Przełącz widoczność panelu podglądu. - - - - &Live Panel - Panel &ekranu - - - - Toggle Live Panel - Przełącz panel ekranu - - - - Toggle the visibility of the live panel. - Przełącz widoczność panelu ekranu. - - - - List the Plugins - Lista wtyczek - - - + &User Guide Podręcznik użytkownika - + &About &O programie - - More information about OpenLP - Więcej informacji o OpenLP - - - + &Online Help &Pomoc online - + &Web Site &Strona internetowa - + Use the system language, if available. Użyj języka systemu, jeśli jest dostępny. - - Set the interface language to %s - Ustaw język interfejsu na %s - - - + Add &Tool... Dodaj narzędzie... - + Add an application to the list of tools. Dodaj aplikację do listy narzędzi. - - &Default - &Domyślny - - - - Set the view mode back to the default. - Przywróć tryb podglądu do domyślnych ustawień. - - - + &Setup &Start - - Set the view mode to Setup. - Ustaw tryb widoku w konfiguracji. - - - + &Live &Ekran - - Set the view mode to Live. - Ustaw tryb widoku na ekranie. - - - - 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/. - Wersja %s OpenLP jest teraz dostępna do pobrania (obecnie używasz wersji %s). - -Możesz pobrać najnowszą wersję z http://openlp.org/. - - - + OpenLP Version Updated Wersja OpenLP zaktualizowana - + OpenLP Main Display Blanked Główny Ekran OpenLP Wygaszony - + The Main Display has been blanked out Główny Ekran został odłączony - - Default Theme: %s - Domyślny motyw: %s - - - + English Please add the name of your language here Polish @@ -4191,27 +4046,27 @@ Możesz pobrać najnowszą wersję z http://openlp.org/. Konfiguruj &skróty... - + Open &Data Folder... &Otwórz katalog programu... - + Open the folder where songs, bibles and other data resides. Otwórz folder w którym pieśni, Biblie i inne dane są przechowywane. - + &Autodetect &Wykryj automatycznie - + Update Theme Images Aktualizuj obrazy motywów - + Update the preview images for all themes. Zaktualizuj obrazy podglądu dla wszystkich motywów. @@ -4221,32 +4076,22 @@ Możesz pobrać najnowszą wersję z http://openlp.org/. Drukuj bieżący plan nabożeństwa - - L&ock Panels - &Zablokuj panele - - - - Prevent the panels being moved. - Zapobiegaj przenoszeniu paneli. - - - + Re-run First Time Wizard Włącz kreator pierwszego uruchomienia - + Re-run the First Time Wizard, importing songs, Bibles and themes. Włączanie kreatora pierwszego uruchomienia, importowanie pieśni, Biblii i motywów. - + Re-run First Time Wizard? Czy uruchomić kreator pierwszego uruchomienia? - + 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. @@ -4255,13 +4100,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ż bazy 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. @@ -4270,75 +4115,36 @@ Uruchamianie go ponownie może spowodować zmiany w obecnej konfiguracji OpenLP, Configure &Formatting Tags... &Konfiguruj znaczniki formatowania... - - - Export OpenLP settings to a specified *.config file - Eksportuj ustawienia OpenLP do określonego pliku *.config - Settings Ustawienia - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importuj ustawienia OpenLP z określonego pliku *.config, wcześniej wyeksportowanego na tym, bądź innym urządzeniu. - - - + Import settings? Importować ustawienia? - - Open File - Otwórz plik - - - - OpenLP Export Settings Files (*.conf) - Wyeksportowane pliki ustawień OpenLP (*.conf) - - - + Import settings Importowanie ustawień - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP teraz się wyłączy. Importowane ustawienia będą zastosowane następnym razem po włączeniu OpenLP - + Export Settings File Eksportowanie ustawień - - OpenLP Export Settings File (*.conf) - 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 - Kopiowanie katalogu z danymi zakończone niepowodzeniem - -%s - General @@ -4350,12 +4156,12 @@ Uruchamianie go ponownie może spowodować zmiany w obecnej konfiguracji OpenLP, Katalog - + 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. @@ -4368,7 +4174,7 @@ Importowane ustawienia mogą trwale zmienić konfigurację OpenLP. Importowanie błędnych ustawiań może objawiać się niepoprawnym działaniem 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. @@ -4377,191 +4183,379 @@ Processing has terminated and no changes have been made. Proces został zatrzymany i nie wykonano żadnych zmian. - - Projector Manager - Projektory - - - - Toggle Projector Manager - Przełącz menedżer projektorów - - - - Toggle the visibility of the Projector Manager - Przełącz widoczność menedżera projektorów - - - + Export setting error Błąd eksportu ustawień - - - 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 - Wystąpił błąd podczas eksportowania ustawień: %s - &Recent Services - + Ostatnio &używane &New Service - + Nowy plan nabożeństwa &Open Service - + Otwórz plan nabożeństwa. &Save Service - + Zapisz plan nabożeństwa Save Service &As... - + Zapisz plan nabożeństwa jako &Manage Plugins - + Zarządzaj profilami - + Exit OpenLP - + Wyjdź z OpenLP - + Are you sure you want to exit OpenLP? + Czy na pewno chcesz zamknąć OpenLP? + + + + &Exit OpenLP + Wyjdź z OpenLP + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Wersja {new} OpenLP jest teraz dostępna do pobrania (obecnie używasz wersji {current}). + +Możesz pobrać najnowszą wersję z http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + Klucz "{key}" nie posiada domyślnej wartości, więc zostanie pominięty w tym eksporcie. + + + + An error occurred while exporting the settings: {err} + Wystąpił błąd podczas eksportowania ustawień: {err} + + + + Default Theme: {theme} + Domyślny motyw: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Kopiowanie danych OpenLP do nowej lokalizacji - {path} - Proszę zaczekać, aż zakończenie + + + + OpenLP Data directory copy failed + +{err} + Kopiowanie katalogu z danymi zakończone niepowodzeniem + +{err} + + + + &Layout Presets - - &Exit OpenLP + + Service + Plan + + + + Themes + Motywy + + + + Projectors + Projektory + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) 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 - Wczytywana baza danych została stworzona we wcześniejszych wersjach OpenLP. Wersja bazy danych: %d, podczas gdy OpenLP przewiduje wersji %d. Baza danych nie zostanie wczytana. - -Baza danych: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP nie może wczytać Twojej bazy danych. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Baza danych: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Nie wybrano żadnych pozycji - + &Add to selected Service Item Dodaj do zaznaczonego elementu planu nabożeństwa - + You must select one or more items to preview. Musisz zaznaczyć przynajmniej jeden element, aby uruchomić podgląd. - + You must select one or more items to send live. Musisz zaznaczyć przynajmniej jeden element, aby pokazać go na ekranie. - + You must select one or more items. Musisz zaznaczyć jeden lub więcej elementów. - + You must select an existing service item to add to. Musisz wybrać istniejącą pozycję, by ją dodać. - + Invalid Service Item Niewłaściwy element planu - - You must select a %s service item. - Musisz zaznaczyć %s element planu nabożeństwa. - - - + You must select one or more items to add. Musisz zaznaczyć jeden lub więcej elementów, aby go dodać. - + No Search Results Brak wyników wyszukiwania - + Invalid File Type Zły rodzaj pliku - - Invalid File %s. -Suffix not supported - Niewłaściwy plik %s. -Nieobsługiwany przyrostek. - - - + &Clone &Kopiuj - + Duplicate files were found on import and were ignored. Powtarzające się pliki zostały znalezione i zignorowane. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Brakuje znacznika <lyrics>. - + <verse> tag is missing. Brakuje znacznika <verse>. @@ -4569,22 +4563,22 @@ Nieobsługiwany przyrostek. OpenLP.PJLink1 - + Unknown status Nieznany status - + No message Brak wiadomości - + Error while sending data to projector Błąd podczas wysyłania danych do projektora - + Undefined command: Niezdefiniowana komenda: @@ -4592,89 +4586,84 @@ Nieobsługiwany przyrostek. OpenLP.PlayerTab - + Players Odtwarzacze - + Available Media Players Dostępne odtwarzacze - + Player Search Order Hierarchia odtwarzaczy - + Visible background for videos with aspect ratio different to screen. Jest to tło dla filmów o innych proporcjach niż ekran. - + %s (unavailable) %s (niedostępny) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + Uwaga: By używać VLC musisz zainstalować %s wersję OpenLP.PluginForm - + Plugin Details Wtyczka szczegółów - + Status: Status: - + Active Aktywny - - Inactive - Nieaktywny - - - - %s (Inactive) - %s (Nieaktywny) - - - - %s (Active) - %s (Aktywny) + + Manage Plugins + Zarządzaj wtyczkami - %s (Disabled) - %s (Uszkodzony) + {name} (Disabled) + - - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page Dopasuj do strony - + Fit Width Dopasuj do szerokości @@ -4682,77 +4671,77 @@ Nieobsługiwany przyrostek. OpenLP.PrintServiceForm - + Options Opcje - + Copy Kopiuj - + Copy as HTML Kopiuj jako HTML - + Zoom In Powiększ - + Zoom Out Pomniejsz - + Zoom Original Oryginalny rozmiar - + Other Options Inne opcje - + Include slide text if available Wydrukuj również slajd z tekstem, jeśli dostępny - + Include service item notes Wydrukuj również notatki - + Include play length of media items Wydrukuj również czas trwania filmów - + Add page break before each text item Dodaj stronę przerwy przed każdą pozycją tekstową - + Service Sheet Plan nabożeństwa - + Print Drukuj - + Title: Tytuł: - + Custom Footer Text: Niestandardowy tekst stopki: @@ -4760,257 +4749,257 @@ Nieobsługiwany przyrostek. OpenLP.ProjectorConstants - + OK OK - + General projector error Błąd ogólny projektora - + Not connected error Błąd braku połączenia - + Lamp error Błąd lampy - + Fan error Błąd wiatraka - + High temperature detected Wykryta wysoka temperatura - + Cover open detected Wykryto otwartą pokrywę - + Check filter Sprawdź filtr - + Authentication Error Błąd autoryzacji - + Undefined Command Niezdefiniowana komenda - + Invalid Parameter Nieprawidłowy parametr - + Projector Busy Projektor zajęty - + Projector/Display Error Błąd projektora/wyświetlacza - + Invalid packet received Nieprawidłowy pakiet - + Warning condition detected Wykryto stan ostrzegawczy - + Error condition detected Wykryto stan błędu - + PJLink class not supported Klasa PJlink nie jest wspierana - + Invalid prefix character Nieprawidłowy znak przedrostka - + The connection was refused by the peer (or timed out) Połączenie zostało odrzucone przez serwer (bądź przekroczono limit czasowy) - + The remote host closed the connection Serwer przerwał połączenie - + The host address was not found Nie znaleziono serwera - + The socket operation failed because the application lacked the required privileges Działanie socketu zakończone niepowodzeniem przez brak wymaganych uprawnień - + The local system ran out of resources (e.g., too many sockets) System wykorzystał całe zasoby (np. za dużo socketów) - + The socket operation timed out Działanie socketu przekroczyło limit czasu - + The datagram was larger than the operating system's limit Dane były większe niż limit systemu operacyjnego - + An error occurred with the network (Possibly someone pulled the plug?) Wystąpił błąd z siecią (możliwe, że ktoś wyciągnął wtyczkę?) - + The address specified with socket.bind() is already in use and was set to be exclusive Adres ustalony przez socket.bind() jest w użyciu, a został ustawiony jako unikalny - + The address specified to socket.bind() does not belong to the host Adres ustalony do socket.bind() nie należy do gospodarza - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) To działanie socketu nie jest obsługiwane na lokalnym systemie operacyjnym (np. brak wsparcia dla IPv6) - + The socket is using a proxy, and the proxy requires authentication Socket używa proxy, a proxy wymaga uwierzytelnienia - + The SSL/TLS handshake failed Handshake SSL/TLS zakończony niepowodzeniem - + The last operation attempted has not finished yet (still in progress in the background) Poprzednia próba wykonania nie skończyła się jeszcze (wciąż działa w tle) - + Could not contact the proxy server because the connection to that server was denied Połączenie z serwerem proxy zakończone niepowodzeniem, ponieważ połączenie z serwerem zostało odrzucone - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) Połączenie z serwerem proxy zostało niespodziewanie zakończone (wcześniej połączenie z serwerem było ustanowione) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Przekroczono limit czasowy połączenia z serwerem proxy, albo serwer przestał odpowiadać w trakcie uwierzytelniania. - + The proxy address set with setProxy() was not found Adres proxy ustanowiony przez setProxy() nie został odnaleziony - + An unidentified error occurred Wystąpił nieokreślony błąd - + Not connected Niepołączono - + Connecting Łączenie - + Connected Połączono - + Getting status Otrzymywanie statusu - + Off Wył. - + Initialize in progress Uruchamianie trwa - + Power in standby Awaryjne zasilanie - + Warmup in progress - + Power is on Zasilanie jest włączone - + Cooldown in progress Trwa chłodzenie - + Projector Information available Dostępne informacje o projektorze - + Sending data Wysyłanie danych - + Received data Otrzymano dane - + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood Próba połączenia z serwerem proxy zakończyła się niepowodzeniem, dlatego, że odpowiedź serwera nie może zostać zrozumiana @@ -5018,17 +5007,17 @@ Nieobsługiwany przyrostek. OpenLP.ProjectorEdit - + Name Not Set Nie ustawiono nazwy - + You must enter a name for this entry.<br />Please enter a new name for this entry. Musisz wprowadzić nazwę. - + Duplicate Name Powielona nazwa @@ -5036,52 +5025,52 @@ Nieobsługiwany przyrostek. OpenLP.ProjectorEditForm - + Add New Projector Dodaj nowy projektor - + Edit Projector Edytuj projektor - + IP Address Adres IP - + Port Number Numer portu - + PIN PIN - + Name Nazwa - + Location Lokalizacja - + Notes Notatki - + Database Error Błąd bazy danych - + There was an error saving projector information. See the log for the error Wystąpił problem podczas zapisywania informacji o projektorze. Zobacz na log błędu. @@ -5089,305 +5078,360 @@ Nieobsługiwany przyrostek. OpenLP.ProjectorManager - + Add Projector Dodaj projektor - - Add a new projector - Dodaj nowy projektor - - - + Edit Projector Edytuj projektor - - Edit selected projector - Edytuj wybrany projektor - - - + Delete Projector Usuń projektor - - Delete selected projector - Usuń wybrany projektor - - - + Select Input Source Wybierz źródło wejścia - - Choose input source on selected projector - Wybierz źródło wejścia do wybranego projektora - - - + View Projector Widok projektora - - View selected projector information - Widok wybranego projektora - - - - Connect to selected projector - Połącz z wybranym projektorem - - - + Connect to selected projectors Połącz z wybranymi projektorami - + Disconnect from selected projectors Odłącz od wybranych projektorów - + Disconnect from selected projector Odłącz od wybranego projektora - + Power on selected projector Włącz wybrany projektor - + Standby selected projector Uśpij wybrany projektor - - Put selected projector in standby - Uśpij wybrany projektor - - - + Blank selected projector screen Wygaś ekran wybranego projektora - + Show selected projector screen Pokaż obraz wybranego projektora - + &View Projector Information &Widok informacji o projektorze - + &Edit Projector &Edytuj projektor - + &Connect Projector &Połącz z projektorem - + D&isconnect Projector &Odłącz projektor - + Power &On Projector Włącz projektor - + Power O&ff Projector Wyłącz projektor - + Select &Input Wybierz źródło - + Edit Input Source Edytuj źródło wejścia - + &Blank Projector Screen &Wygaś ekran projektora - + &Show Projector Screen &Pokaż ekran projektora - + &Delete Projector &Usuń projektor - + Name Nazwa - + IP IP - + Port Port - + Notes Notatki - + Projector information not available at this time. Informacje o projektorze nie są w tej chwili dostępne - + Projector Name Nazwa projektora - + Manufacturer Producent - + Model Model - + Other info Inne informacje - + Power status Status zasilania - + Shutter is - + Przesłona - + Closed Zamknięty - + Current source input is Obecnym źródłem jest - + Lamp Lampa - - On - Wł. - - - - Off - Wył. - - - + Hours Godzin - + No current errors or warnings Obecnie brak błędów/ostrzeżeń - + Current errors/warnings Obecne błędy/ostrzeżenia - + Projector Information Informacje o projektorze - + No message Brak wiadomości - + Not Implemented Yet Jeszcze nie zastosowano - - Delete projector (%s) %s? - + + Are you sure you want to delete this projector? + Czy napewno chcesz usunąć ten projektor? - - Are you sure you want to delete this projector? - + + Add a new projector. + Dodaj nowy projektor + + + + Edit selected projector. + Edytuj wybrany projektor + + + + Delete selected projector. + Usuń wybrany projektor + + + + Choose input source on selected projector. + Wybierz źródło wejścia do wybranego projektora + + + + View selected projector information. + Widok wybranego projektora + + + + Connect to selected projector. + Połącz z wybranym projektorem + + + + Connect to selected projectors. + Połącz z wybranymi projektorami + + + + Disconnect from selected projector. + Odłącz od wybranego projektora + + + + Disconnect from selected projectors. + Odłącz od wybranych projektorów + + + + Power on selected projector. + Włącz wybrany projektor + + + + Power on selected projectors. + Włącz wybrane projektory + + + + Put selected projector in standby. + Uśpij wybrany projektor + + + + Put selected projectors in standby. + Uśpij wybrane projektory + + + + Blank selected projectors screen + Wygaś ekran wybranego projektora + + + + Blank selected projectors screen. + Wygaś ekran wybranych projektorów + + + + Show selected projector screen. + Pokaż obraz wybranego projektora + + + + Show selected projectors screen. + Pokaż obraz wybranych projektorów + + + + is on + jest włączony + + + + is off + jest wyłączony + + + + Authentication Error + Błąd autoryzacji + + + + No Authentication Error + Błąd braku autoryzacji OpenLP.ProjectorPJLink - + Fan Wiatrak - + Lamp Lampa - + Temperature Temperatura - + Cover - + Osłona - + Filter Filtr - + Other Inne @@ -5433,17 +5477,17 @@ Nieobsługiwany przyrostek. OpenLP.ProjectorWizard - + Duplicate IP Address Powiel adres IP - + Invalid IP Address Nieprawidłowy adres IP - + Invalid Port Number Niewłaściwy numer portu @@ -5456,27 +5500,27 @@ Nieobsługiwany przyrostek. Ekran - + primary główny OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Długość</strong>: %s - - [slide %d] - [slajd %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5540,52 +5584,52 @@ Nieobsługiwany przyrostek. Usuń wybraną pozycję z planu - + &Add New Item Dodaj nową pozycję - + &Add to Selected Item Dodaj do wybranej pozycji - + &Edit Item &Edytuj element - + &Reorder Item &Zmień kolejność - + &Notes &Notatki - + &Change Item Theme 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 @@ -5610,7 +5654,7 @@ Nieobsługiwany przyrostek. Zwiń wszystkie pozycje planu - + Open File Otwórz plik @@ -5640,22 +5684,22 @@ Nieobsługiwany przyrostek. Wyświetl wybraną pozycję na ekranie - + &Start Time Czas startu - + Show &Preview &Podgląd - + Modified Service Zmodyfikowany plan - + The current service has been modified. Would you like to save this service? Bieżący plan nabożeństwa został zmodyfikowany. Czy chciałbyś go zapisać? @@ -5675,27 +5719,27 @@ Nieobsługiwany przyrostek. Czas odtwarzania: - + Untitled Service 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 @@ -5715,147 +5759,145 @@ 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. - + Service File(s) Missing Brakuje pliku planu nabożeństw - + &Rename... &Zmień nazwę - + Create New &Custom Slide Utwórz nowy &slajd tekstowy - + &Auto play slides &Auto odtwarzanie pokazu slajdów - + Auto play slides &Loop Automatyczne przełączanie slajdów &Zapętl - + Auto play slides &Once Automatyczne przełączanie slajdów &Raz - + &Delay between slides &Opóźnienie pomiędzy slajdami - + OpenLP Service Files (*.osz *.oszl) 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. Nieprawidłowy plik planu nabożeństwa. Treść pliku nie zawiera 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 - nieaktywny - + &Auto Start - active &Auto Start - aktywny - + 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 - Wystąpił błąd podczas zapisywania pliku nabożeństwa : %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Brak następujących elementów nabożeństwa: %s - -Zostaną one usunięte, jeśli będziesz kontynuował/ + + + + + An error occurred while writing the service file: {error} + @@ -5887,15 +5929,10 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ Skróty - + Duplicate Shortcut Powiel skróty - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Skrót "%s" już jest przypisany innemu działaniu, proszę użyć innego skrótu - Alternate @@ -5941,219 +5978,234 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ Configure Shortcuts Konfiguruj skróty + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Ukryj - + Go To Idź do - + Blank Screen Wygaś Ekran - + Blank to Theme Pokaż motyw - + Show Desktop Pokaż pulpit - + Previous Service Poprzedni plan - + Next Service Następny plan - + Escape Item Przerwij wyświetlanie - + Move to previous. Przejdź do poprzedniego - + Move to next. Przejdź do kolejnego - + Play Slides Uruchom slajdy - + Delay between slides in seconds. Opóźnienie między slajdami w sekundach - + Move to live. Wyświetl na ekranie - + Add to Service. Dodaj do planu nabożeństwa - + Edit and reload song preview. Edytuj i załaduj ponownie podgląd pieśni. - + Start playing media. Zacznij odtwarzanie multimediów. - + Pause audio. Przerwij audio. - + Pause playing media. Przerwij odtwarzanie multimediów. - + Stop playing media. Zatrzymaj odtwarzanie multimediów. - + Video position. Element wideo. - + Audio Volume. Głośność. - + Go to "Verse" Idź do "Zwrotka" - + Go to "Chorus" Idź do "Refren" - + Go to "Bridge" Idź do "Bridge" - + Go to "Pre-Chorus" Idź do "Pre-Chorus" - + Go to "Intro" Idź do "Wejście" - + Go to "Ending" Idź do "Zakończenie" - + Go to "Other" Idź do "Inne" - + Previous Slide Poprzedni slajd - + Next Slide Następny slajd - + Pause Audio Przerwij audio - + Background Audio Muzyka w tle - + Go to next audio track. Przejdź do następnego utworu. - + Tracks Utwór + + + Loop playing media. + Odtwarzaj w pętli + + + + Video timer. + + OpenLP.SourceSelectForm - + Select Projector Source Wybierz źródło projektora - + Edit Projector Source Text Edytuj tekst źródła projektora - + Ignoring current changes and return to OpenLP Anuluj zmiany i wróć do OpenLP - + Delete all user-defined text and revert to PJLink default text Usuń cały tekst zdefiniowany przez użytkownika i przywróć domyślny dla PJLink - + Discard changes and reset to previous user-defined text Anuluj zmiany i przywróć poprzednio podany tekst - + Save changes and return to OpenLP Zapisz zmiany i wróć do OpenLP - + Delete entries for this projector Usuń wpisy dla tego projektora - + Are you sure you want to delete ALL user-defined source input text for this projector? @@ -6161,17 +6213,17 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ OpenLP.SpellTextEdit - + Spelling Suggestions Sugestie pisowni - + Formatting Tags Znaczniki formatowania - + Language: Język: @@ -6250,7 +6302,7 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ OpenLP.ThemeForm - + (approximately %d lines per slide) (maksymalnie %d linijek na slajd) @@ -6258,521 +6310,531 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ OpenLP.ThemeManager - + Create a new theme. Stwórz nowy motyw - + Edit Theme Edytuj motyw - + Edit a theme. Edytuj motyw - + Delete Theme Usuń motyw - + Delete a theme. Usuń motyw - + Import Theme Importuj motyw - + Import a theme. Importuj motyw - + Export Theme Eksportuj motyw - + Export a theme. Eksportuj motyw - + &Edit Theme &Edytuj motyw - + &Delete Theme &Usuń motyw - + Set As &Global Default Ustaw jako &domyślny - - %s (default) - %s (domyślny) - - - + You must select a theme to edit. Musisz zaznaczyć motyw do edycji. - + You are unable to delete the default theme. Nie możesz usunąć domyślnego motywu. - + 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ł. - + Select Theme Import File Wybierz plik importu motywu - + File is not a valid theme. Plik nie jest właściwym motywem. - + &Copy Theme &Kopiuj motyw - + &Rename Theme &Zmień nazwę motywu - + &Export Theme Eksportuj &motyw - + You must select a theme to rename. Musisz zaznaczyć motyw, aby zmienić jego nazwę. - + Rename Confirmation Potwierdzenie zmiany nazwy - + Rename %s theme? Zmienić nazwę motywu %s? - + You must select a theme to delete. Musisz zaznaczyć motywy do usunięcia. - + Delete Confirmation Usuń potwierdzenie - + Delete %s theme? Usunąć motyw %s? - + Validation Error Błąd walidacji - + A theme with this name already exists. Motyw o tej nazwie już istnieje. - - Copy of %s - Copy of <theme name> - 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 - Eksport motywów się nie powiódł z powodu błędu: %s - - - + OpenLP Themes (*.otz) Motywy OpenLP (*.otz) - - %s time(s) by %s - - - - + Unable to delete theme + Nie można usunąć motywu + + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + {count} time(s) by {plugin} + + + + Theme is currently used -%s +{text} OpenLP.ThemeWizard - + Theme Wizard Kreator Motywów - + Welcome to the Theme Wizard Witaj w kreatorze motywów - + Set Up Background Ustaw tło - + Set up your theme's background according to the parameters below. Ustaw tło motywu stosownie do poniższych parametrów. - + Background type: Typ tła: - + Gradient Gradient - + Gradient: Gradient: - + Horizontal Poziomo - + Vertical Pionowo - + Circular Pierścieniowy - + Top Left - Bottom Right Górne lewo - Dolne prawo - + Bottom Left - Top Right Dolne lewo - Górne prawo - + Main Area Font Details Szczegóły czcionki głównego obszaru - + Define the font and display characteristics for the Display text Zdefiniuj czcionkę i wyznacz właściwości wyświetlanego tekstu - + Font: Czcionka: - + Size: Rozmiar: - + Line Spacing: Odstępy między linijkami: - + &Outline: Kontur: - + &Shadow: Cień: - + Bold Pogrubienie - + Italic Kursywa - + Footer Area Font Details Szczegóły czcionki obszaru stopki - + Define the font and display characteristics for the Footer text Zdefiniuj czcionki i wyświetlane właściwości stopki - + Text Formatting Details Szczegóły formatowania tekstu - + Allows additional display formatting information to be defined Pozwala na edycję dodatkowych parametrów formatowania tekstu. - + Horizontal Align: Wyrównanie poziome: - + Left Do lewej - + Right Do prawej - + Center Do środka - + Output Area Locations Lokalizacje obszaru wyjściowego - + &Main Area Obszar &główny - + &Use default location &Użyj domyślnej lokalizacji - + X position: pozycja X: - + px px - + Y position: pozycja Y: - + Width: Szerokość: - + Height: Wysokość: - + Use default location Użyj domyślnej lokalizacji - + Theme name: Nazwa motywu: - - Edit Theme - %s - Edytuj motyw - %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. Ten kreator pomoże ci tworzyć i edytować motywy. Kliknij "dalej", aby zacząć ten proces od ustawienia tła. - + Transitions: Przejścia: - + &Footer Area Obszar &stopki - + Starting color: Kolor początkowy: - + Ending color: Kolor końcowy: - + Background color: Kolor tła: - + Justify Justuj - + Layout Preview Podgląd układu - + Transparent Przezroczysty - + Preview and Save Podgląd i Zapis - + Preview the theme and save it. Podgląd i zapisz motyw. - + Background Image Empty Pusty obraz tła - + Select Image Wybierz obraz - + Theme Name Missing Brakująca nazwa motywu - + There is no name for this theme. Please enter one. Ten motyw nie ma nazwy. Proszę, wpisz jakąś. - + Theme Name Invalid Niewłaściwa nazwa motywu - + Invalid theme name. Please enter one. Niewłaściwa nazwa motywu. Proszę, wpisz jakąś. - + Solid color Jednolity kolor - + color: kolor: - + Allows you to change and move the Main and Footer areas. Pozwala zmieniać i przenosić obszar główny i stopkę. - + You have not selected a background image. Please select one before continuing. Nie podałeś obrazka tła. Proszę, wybierz jeden zanim kontynuujesz. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6855,73 +6917,73 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ Wyrównanie pionowe: - + Finished import. Importowanie zakończone. - + Format: Format: - + Importing Importowanie - + Importing "%s"... Importowanie "%s"... - + Select Import Source Wybierz źródło importu - + Select the import format and the location to import from. Wybierz format importu i jego lokalizację. - + Open %s File Otwórz plik %s - + %p% %p% - + Ready. Gotowy. - + Starting import... Zaczynanie importowania... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Musisz określić przynajmniej jeden %s plik do importowania. - + Welcome to the Bible Import Wizard Witamy w Kreatorze Importu Biblii - + Welcome to the Song Export Wizard Witamy w Kreatorze Eksportu Pieśni - + Welcome to the Song Import Wizard Witamy w Kreatorze Importu Pieśni @@ -6971,39 +7033,34 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ Błąd składni XML - - Welcome to the Bible Upgrade Wizard - Witaj w Kreatorze Aktualizowania Biblii - - - + Open %s Folder Otwórz folder %s - + You need to specify one %s file to import from. A file type e.g. OpenSong Musisz sprecyzować plik %s, by z niego importować. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Musisz podać jeden %s katalog, aby importować z niego. - + Importing Songs Importowanie pieśni - + Welcome to the Duplicate Song Removal Wizard Witaj w Kreatorze Usuwania Duplikatów Pieśni - + Written by Napisane przez @@ -7013,540 +7070,599 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ Autor nieznany - + About Informacje - + &Add &Dodaj - + Add group Dodaj grupę - + Advanced Zaawansowane - + All Files Wszystkie pliki - + Automatic Automatycznie - + Background Color Kolor tła - + Bottom Dół - + Browse... Szukaj... - + Cancel Anuluj - + CCLI number: Numer CCLI: - + Create a new service. Stwórz nowy plan nabożeństwa - + Confirm Delete Potwierdź usuwanie - + Continuous Tekst ciągły - + Default Domyślny - + Default Color: Domyślny kolor: - + 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. Plan %Y-%m-%d %H-%M - + &Delete &Usuń - + Display style: Styl wyświetlania: - + Duplicate Error Błąd powielania - + &Edit &Edytuj - + Empty Field Puste pole - + Error Błąd - + Export Eksport - + File Plik - + File Not Found Nie znaleziono pliku - - File %s not found. -Please try selecting it individually. - Plik %s nie został znaleziony.⏎ -Proszę zaznaczyć go ręcznie. - - - + pt Abbreviated font pointsize unit - + Help Pomoc - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Zaznaczono niewłaściwy katalog - + Invalid File Selected Singular Zaznaczono niewłaściwy plik - + Invalid Files Selected Plural Zaznaczono niewłaściwe pliki - + Image Obraz - + Import Import - + Layout style: Układ: - + Live Ekran - + Live Background Error Błąd ekranu głównego - + Live Toolbar Pasek narzędzi ekranu głównego - + Load Ładuj - + Manufacturer Singular Producent - + Manufacturers Plural Producenci - + Model Singular Model - + Models Plural Modele - + m The abbreviated unit for minutes m - + Middle Środek - + New Nowy - + New Service Nowy plan nabożeństwa - + New Theme Nowy motyw - + Next Track Następny utwór - + No Folder Selected Singular Nie zaznaczono żadnego katalogu - + No File Selected Singular Nie zaznaczono pliku - + No Files Selected Plural Nie zaznaczono plików - + No Item Selected Singular Nie zaznaczono żadnego elementu - + No Items Selected Plural Nie wybrano żadnych pozycji - + OpenLP is already running. Do you wish to continue? OpenLP jest włączone. Czy chcesz kontynuować? - + Open service. Otwórz plan nabożeństwa. - + Play Slides in Loop Odtwarzaj slajdy w kółko - + Play Slides to End Odtwórz slajdy do końca - + Preview 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 - + 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 Wersja - + View Widok - + View Mode Tryb widoku - + CCLI song number: Numer CCLI pieśni: - + Preview Toolbar Pasek narzędzi Podglądu - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Zastępowanie tła live jest niedostępne gdy odtwarzacz WebKit jest zablokowany Songbook Singular - + Śpiewnik Songbooks Plural + Śpiewniki + + + + Background color: + Kolor tła: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Wideo + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Żadna Biblia nie jest dostępna + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Zwrotka + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s i %s - + %s, and %s Locale list separator: end %s, i %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7629,47 +7745,47 @@ Proszę zaznaczyć go ręcznie. Użyj programu: - + File Exists Plik istnieje - + A presentation with that filename already exists. Prezentacja o tej nazwie już istnieje. - + This type of presentation is not supported. Ten typ prezentacji nie jest obsługiwany. - - Presentations (%s) - Prezentacje (%s) - - - + Missing Presentation Brakująca prezentacja - - The presentation %s is incomplete, please reload. - Prezentacja %s jest niekompletna, proszę wczytaj ponownie. + + Presentations ({text}) + - - The presentation %s no longer exists. - Prezentacja %s już nie istnieje. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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ć. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7679,11 +7795,6 @@ Proszę zaznaczyć go ręcznie. Available Controllers Używane oprogramowanie prezentacji - - - %s (unavailable) - %s (niedostępny) - Allow presentation application to be overridden @@ -7700,12 +7811,12 @@ Proszę zaznaczyć go ręcznie. Użyj poniższej ścieżki do programu mudraw lub ghostscript: - + Select mudraw or ghostscript binary. Zaznacz program mudraw albo ghostscript. - + The program is not ghostscript or mudraw which is required. Nie wybrałeś ani programu ghostscript, ani mudraw. @@ -7716,14 +7827,19 @@ Proszę zaznaczyć go ręcznie. - Clicking on a selected slide in the slidecontroller advances to next effect. - Kliknięcie na zaznaczony slajd powoduje wyświetlenie kolejnego slajdu. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Pozwól programowi PowerPoint kontrolować wielkość i pozycję okna prezentacji -(obejście problemu skalowania w Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7765,127 +7881,127 @@ Proszę zaznaczyć go ręcznie. RemotePlugin.Mobile - + Service Manager Plan Nabożeństwa - + Slide Controller Slajdy - + Alerts Komunikaty - + Search Szukaj - + Home Home - + Refresh Odśwież - + Blank Wygaś - + Theme Motyw - + Desktop Pulpit - + Show Pokaż - + Prev Poprzedni - + Next Następny - + Text Tekst - + Show Alert Wyświetl - + 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 - + Slides Slajdy - + Settings Ustawienia - + Remote Zdalny dostęp - + Stage View Scena - + Live View Ekran @@ -7893,79 +8009,89 @@ Proszę zaznaczyć go ręcznie. RemotePlugin.RemoteTab - + Serve on IP address: Adres IP: - + Port number: Numer portu: - + Server Settings Ustawienia serwera - + Remote URL: URL zdalnego OpenLP: - + Stage view URL: URL sceny: - + Display stage time in 12h format Wyświetl czas w 12-godzinnym formacie - + Android App Aplikacja na Androida - + Live view URL: URL ekranu: - + HTTPS Server Serwer 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. Nie znaleziono certyfikatu SSL. Serwer HTTPS nie będzie dostępny bez tego certyfikatu. Więcej informacji znajdziesz w instrukcji. - + User Authentication Uwierzytelnienie użytkownika - + User id: ID użytkownika: - + Password: Hasło: - + Show thumbnails of non-text slides in remote and stage view. Pokaż miniaturki graficznych slajdów w zdalnym OpenLP. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Zeskanuj kod QR lub kliknij <a href="%s">pobierz</a>, aby zainstalować aplikację z Google Play. + + iOS App + Aplikacja iOS + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8006,50 +8132,50 @@ Proszę zaznaczyć go ręcznie. 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 @@ -8117,24 +8243,10 @@ Wszystkie dane zapisane przed tą datą będą nieodwracalnie usunięte.Lokalizacja pliku wyjściowego - - usage_detail_%s_%s.txt - uzywalność_piesni_%s_%s.txt - - - + Report Creation Tworzenie raportu - - - Report -%s -has been successfully created. - Raport -%s -został pomyślnie stworzony. - Output Path Not Selected @@ -8148,45 +8260,57 @@ Please select an existing path on your computer. Proszę wybrać istniejącą ścieżkę na twoim komputerze. - + Report Creation Failed Niepowodzenie w tworzeniu raportu - - An error occurred while creating the report: %s - Wystąpił błąd podczas tworzenia raportu: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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... @@ -8282,80 +8406,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 zaznaczoną pieśń na ekranie - + Add the selected song to the service. Dodaj wybraną pieśń do planu nabożeństwa - + Reindexing songs Przeindeksowywanie pieśni - + CCLI SongSelect CCLI SongSelect - + Import songs from CCLI's SongSelect service. Importuj pieśni z CCLI SongSelect - + 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. @@ -8444,62 +8568,67 @@ Kodowanie znaków jest odpowiedzialne za ich właściwą reprezentację. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administrowanie przez %s - - - - "%s" could not be imported. %s - "%s" nie mógł zostać zaimportowany. %s - - - + Unexpected data formatting. Niespodziewane formatowanie danych. - + No song text found. Nie znaleziono testu pieśni. - + [above are Song Tags with notes imported from EasyWorship] [powyżej znajdują się Znaczniki Pieśni wraz z notatkami zaimportowanymi z EasyWorship] - + This file does not exist. Ten plik nie istnieje. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Nie znaleziono pliku "Songs.MB". Musi on się znajdować w tym samym folderze co plik "Songs.DB". - + This file is not a valid EasyWorship database. Ten plik nie jest poprawną bazą danych EasyWorship. - + Could not retrieve encoding. Nie można ustalić kodowania. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Metadane - + Custom Book Names Nazwy ksiąg @@ -8582,57 +8711,57 @@ Kodowanie znaków jest odpowiedzialne za ich właściwą reprezentację.Motywy, prawa autorskie, komentarze - + Add Author Dodaj autora - + This author does not exist, do you want to add them? Ten autor nie istnieje, czy chcesz go dodać? - + This author is already in the list. Ten autor już występuje na liście. - + 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. Nie wybrałeś właściwego autora. Wybierz autora z listy lub wpisz nowego autora i wybierz "Dodaj autora do pieśni", by dodać nowego autora. - + Add Topic Dodaj temat - + This topic does not exist, do you want to add it? Ten temat nie istnieje, czy chcesz go dodać? - + This topic is already in the list. Ten temat już istnieje. - + 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. Nie wybrałeś właściwego tematu. Wybierz temat z listy lub wpisz nowy temat i wybierz "Dodaj temat pieśni", by dodać nowy temat. - + You need to type in a song title. Musisz podać tytuł pieśni. - + You need to type in at least one verse. Musisz wpisać przynajmniej jedną zwrotkę. - + You need to have an author for this song. Musisz wpisać autora pieśni. @@ -8657,7 +8786,7 @@ Kodowanie znaków jest odpowiedzialne za ich właściwą reprezentację.Usuń &wszystko - + Open File(s) Otwórz plik(i) @@ -8672,14 +8801,7 @@ Kodowanie znaków jest odpowiedzialne za ich właściwą reprezentację.<strong>Uwaga:</strong> Nie ustaliłeś kolejności zwrotek. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Nie ma zwrotki o oznaczeniu "%(invalid)s". Właściwymi oznaczeniami są: %(valid)s. -Proszę, wpisz zwrotki oddzielając je spacją. - - - + Invalid Verse Order Niewłaściwa kolejność zwrotek @@ -8689,81 +8811,101 @@ Proszę, wpisz zwrotki oddzielając je spacją. &Edytuj typ autora - + Edit Author Type Edytuj typ autora - + Choose type for this author Wybierz typ dla tego autora - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks - + Zarządzaj autorami, &tematami, śpiewnikami Add &to Song - + Dodaj do &pieśni Re&move - + Usuń Authors, Topics && Songbooks - + Autorzy, tematy i śpiewniki - + Add Songbook - + Dodaj Śpiewnik - + This Songbook does not exist, do you want to add it? - + Ten śpiewnik nie istnieje, czy chcesz go dodać? - + This Songbook is already in the list. + Ten Śpiewnik już jest na liście + + + + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - - You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name SongsPlugin.EditVerseForm - + Edit Verse Edytuj wersety - + &Verse type: Typ zwrotek: - + &Insert &Wstaw - + Split a slide into two by inserting a verse splitter. Podziel slajd na dwa przez dodanie rozdzielacza. @@ -8776,77 +8918,77 @@ Please enter the verses separated by spaces. Kreator Eksportu Pieśni - + Select Songs Wybierz pieśni - + Check the songs you want to export. Wybierz pieśni, które chcesz eksportować. - + Uncheck All Odznacz wszystkie - + Check All Zaznacz wszystkie - + Select Directory Wybierz katalog - + Directory: Katalog: - + Exporting Eksportowanie - + Please wait while your songs are exported. Proszę czekać, trwa eksportowanie pieśni. - + You need to add at least one Song to export. Musisz wybrać przynajmniej jedną pieśń do eksportu. - + No Save Location specified Nie podano lokalizacji do zapisania - + Starting export... Zaczynanie eksportowania... - + You need to specify a directory. Musisz wybrać jakiś katalog. - + Select Destination Folder Wybierz folder docelowy - + Select the directory where you want the songs to be saved. Wybierz katalog, w którym chcesz zapisać pieśni. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Ten kreator pozwala eksportować pieśni do otwartoźródłowego i darmowego formatu <strong>OpenLyrics </strong> @@ -8854,7 +8996,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Niewłaściwy plik Foilpresenter. Nie znaleziono żadnych zwrotek. @@ -8862,7 +9004,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Umożliwiaj wyszukiwanie podczas pisania @@ -8870,7 +9012,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Wybierz pliki dokumentu/prezentacji @@ -8880,228 +9022,238 @@ Please enter the verses separated by spaces. Kreator importowania pieśni - + 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. Ten kreator pomoże ci zaimportować pieśni z różnych formatów. Kliknij "dalej", aby zacząć proces poprzez wybieranie formatu, z którego będziemy importować. - + Generic Document/Presentation Ogólny dokument/prezentacja - + Add Files... Dodaj pliki... - + Remove File(s) Usuń plik(i) - + Please wait while your songs are imported. Proszę czekać, trwa importowanie pieśni. - + Words Of Worship Song Files Pliki pieśni Słów Uwielbienia (Words of Worship) - + Songs Of Fellowship Song Files Pliki Songs Of Fellowship Song - + SongBeamer Files Pliki SongBeamer - + SongShow Plus Song Files Pliki SongShow Plus Song - + Foilpresenter Song Files Pliki pieśni Foilpresenter - + Copy Kopiuj - + Save to File Zapisz do pliku - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Importer Songs of Fellowship został zatrzymany, ponieważ OpenLP nie może uzyskać dostępu do OpenOffice lub LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Ogólny importer dokumentu/prezentacji został uznany za uszkodzony, ponieważ OpenLP nie może uzyskać dostępu do OpenOffice lub LibreOffice. - + OpenLyrics Files Pliki OpenLyric - + CCLI SongSelect Files Pliki CCLI SongSelect - + EasySlides XML File Pliki EasySlides XML - + EasyWorship Song Database Baza pieśni EasyWorship - + DreamBeam Song Files Pliki pieśni DreamBeam - + You need to specify a valid PowerSong 1.0 database folder. Musisz podać właściwy folder z bazą danych programu 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>. Najpierw przekonwertuj swoją bazę danych ZionWorx do pliku tekstowego CSV tak, jak jest wytłumaczone tutaj <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. - + SundayPlus Song Files Pliki pieśni SundayPlus - + This importer has been disabled. Ten importer został wyłączony. - + MediaShout Database Baza danych 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. Importer MediaShout jest wspierany jedynie na Windowsie. Został wyłączony z powodu brakującego modułu Pythona. Jeśli chcesz go użyć, to zainstaluj moduł "pyodbc". - + SongPro Text Files Pliki tekstowe SongPro - + SongPro (Export File) SongPro (Eksport plików) - + In SongPro, export your songs using the File -> Export menu W SongPro, wyeksportuj pieśni używając Plik -> Eksport - + EasyWorship Service File Pliki planu nabożeństwa EasyWorship - + WorshipCenter Pro Song Files Pliki z pieśniami programu 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. Importer WorshipCenter Pro jest wspierany jedynie na Windowsie. Został on wyłączony ze względu na brakujący moduł Pythona. Jeżeli chcesz użyć tego importera, musisz zainstalować moduł "pyodbc". - + PowerPraise Song Files Pliki z pieśniami PowerPraise - + PresentationManager Song Files Pliki z pieśniami PresentationManager - - ProPresenter 4 Song Files - ProPresenter 4 pliki pieśni - - - + Worship Assistant Files Pliki programu Worship Assistant - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. Wyeksportuj bazę programu Worship Assistant do pliku CSV. - + OpenLyrics or OpenLP 2 Exported Song - + OpenLyrics lub wyeksportowane pieśni OpenLP 2.0 - + OpenLP 2 Databases - + Bazy danych OpenLP 2.0 - + LyriX Files - + Pliki LyriX - + LyriX (Exported TXT-files) - + LyriX (Eksportowane pliki txt) - + VideoPsalm Files - + pliki VideoPsalm - + VideoPsalm + VideoPsalm + + + + OPS Pro database + Bazy danych OPS Pro + + + + The OPS 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. - - The VideoPsalm songbooks are normally located in %s + + ProPresenter Song Files + ProPresenter 4 pliki pieśni + + + + The VideoPsalm songbooks are normally located in {path} @@ -9109,7 +9261,12 @@ Please enter the verses separated by spaces. SongsPlugin.LyrixImport - Error: %s + File {name} + + + + + Error: {error} @@ -9129,89 +9286,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Tytuły - + Lyrics Słowa - + CCLI License: Licencja CCLI: - + Entire Song Cała pieśń - + Maintain the lists of authors, topics and books. Zarządzaj listami autorów, tematów i śpiewników - + copy For song cloning kopiuj - + Search Titles... Przeszukaj tytuł... - + Search Entire Song... Przeszukaj całą pieśń... - + Search Lyrics... Przeszukaj słowa pieśni... - + Search Authors... Przeszukaj autorów... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + Szukaj Śpiewników - - Search Songbooks... + + Search Topics... + Szukaj Tematów + + + + Copyright + Prawa autorskie + + + + Search Copyright... + Szukaj praw autorskich + + + + CCLI number + numer CCLI + + + + Search CCLI number... + Szukaj numeru CCLI + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Nie można otworzyć bazy danych MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Nie można połączyć z bazą danych OPS Pro + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + Niewłaściwa baza pieśni Openlp 2.0. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Eksportowanie "%s"... + + Exporting "{title}"... + @@ -9230,29 +9425,37 @@ Please enter the verses separated by spaces. Brak pieśni do importu. - + Verses not found. Missing "PART" header. Nie znaleziono zwrotek. Brakuje nagłówka "PART" - No %s files found. - Nie znaleziono plików %s. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Niewłaściwy plik %s. Nieoczekiwana wartość. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Niewłaściwy plik %s. Brakujący "TYTUŁ" nagłówka. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Niewłaściwy plik %s. Brakujący "PRAWAAUTORSKIE" nagłówka. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9275,25 +9478,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + Zarządzanie pieśniami 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 - Niepowodzenie eksportu pieśni z powodu błędu: %s + + Your song export failed because this error occurred: {error} + @@ -9309,17 +9512,17 @@ Please enter the verses separated by spaces. Następujące pieśni nie mogą zostać importowane: - + Cannot access OpenOffice or LibreOffice Brak dojścia do OpenOffice lub LibreOffice - + Unable to open file Niemożliwy do otwarcia plik - + File not found Nie znaleziono pliku @@ -9327,109 +9530,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Nie można dodać autora. - + This author already exists. Ten autor już istnieje. - + Could not add your topic. Temat nie mógł zostać dodany. - + This topic already exists. Ten temat już istnieje. - + Could not add your book. Śpiewnik nie mógł zostać dodany. - + This book already exists. Ten śpiewnik już istnieje. - + Could not save your changes. Nie można zapisać Twoich zmian. - + Could not save your modified author, because the author already exists. Nie można zapisać autora, ponieważ on już istnieje. - + Could not save your modified topic, because it already exists. Nie można zapisać tematu, ponieważ on już istnieje. - + Delete Author Usuń autora - + Are you sure you want to delete the selected author? Czy na pewno chcesz usunąć wybranego autora? - + This author cannot be deleted, they are currently assigned to at least one song. Autor nie może zostać usunięty, jest przypisany do przynajmniej jednej pieśni. - + Delete Topic Usuń temat - + Are you sure you want to delete the selected topic? Czy na pewno chcesz usunąć wybrany temat? - + This topic cannot be deleted, it is currently assigned to at least one song. Temat nie może zostać usunięty, jest przypisany do przynajmniej jednej pieśni. - + Delete Book Usuń śpiewnik - + Are you sure you want to delete the selected book? Czy na pewno chcesz usunąć wybrany śpiewnik? - + This book cannot be deleted, it is currently assigned to at least one song. Śpiewnik nie może zostać usunięty, jest przypisany do przynajmniej jednej pieśni. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Autor %s już istnieje. Czy chcesz pieśni autora %s przypisać istniejącemu autorowi %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Temat %s już istnieje. Czy chcesz pieśni o temacie %s przypisać istniejącemu tematowi %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Śpiewnik %s już istnieje. Czy chcesz pieśni ze śpiewnika %s przypisać istniejącemu śpiewnikowi %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9475,52 +9678,47 @@ Please enter the verses separated by spaces. Szukaj - - Found %s song(s) - Znaleziono %s pieśń(i) - - - + Logout Wyloguj - + View Widok - + Title: Tytuł: - + Author(s): Autor(rzy): - + Copyright: Prawa autorskie: - + CCLI Number: Numer CCLI: - + Lyrics: Słowa: - + Back Wróć - + Import Import @@ -9561,7 +9759,7 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za Wystąpił problem logowania, być może nazwa użytkownika lub hasło jest niepoprawna? - + Song Imported Pieśni zaimportowano @@ -9576,13 +9774,18 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za W tej pieśni czegoś brakuje, np. słów, i nie może zostać zaimportowana. - + Your song has been imported, would you like to import more songs? Pieśń została zaimportowana, czy chcesz zaimportować ich więcej? Stop + Stop + + + + Found {count:d} song(s) @@ -9593,30 +9796,30 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za Songs Mode Tryb pieśni - - - Display verses on live tool bar - Wyświetlaj słowa w sekcji ekranu - Update service from song edit Uaktualnij plan nabożeństwa po edycji pieśni - - - Import missing songs from service files - Importuj brakujące pieśni z plików - Display songbook in footer Wyświetl nazwę śpiewnika w stopce + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Wyświetlaj symbol "%s" przed informacją o prawach autorskich + Display "{symbol}" symbol before copyright info + @@ -9640,37 +9843,37 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za SongsPlugin.VerseType - + Verse Zwrotka - + Chorus Refren - + Bridge Bridge - + Pre-Chorus Pre-Chorus - + Intro Intro - + Ending Zakończenie - + Other Inne @@ -9678,8 +9881,8 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za SongsPlugin.VideoPsalmImport - - Error: %s + + Error: {error} @@ -9687,12 +9890,12 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. @@ -9704,30 +9907,30 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za Błąd czytania pliku CSV - - Line %d: %s - Linijka %d: %s - - - - Decoding error: %s - Błąd dekodowania: %s - - - + File not valid WorshipAssistant CSV format. Plik niewłaściwy wg formatu WorshipAssisant CSV. - - Record %d - Nagraj %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Nie można połączyć z bazą danych WorshipCenter Pro @@ -9740,25 +9943,30 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za Błąd czytania pliku CSV - + File not valid ZionWorx CSV format. Plik nie jest formatu ZionWorx CSV. - - Line %d: %s - Linijka %d: %s - - - - Decoding error: %s - Błąd dekodowania: %s - - - + Record %d Nagraj %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9768,39 +9976,960 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za Kreator - + 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. Ten kreator pomoże ci usunąć powtarzające się pieśni z bazy danych. Masz możliwość przeglądu każdej potencjalnie powtarzającej się pieśni, więc żadna nie zostanie usunięta bez twojej zgody. - + Searching for duplicate songs. Szukanie powtarzających się piosenek. - + Please wait while your songs database is analyzed. Proszę czekać, pieśni z bazy są analizowane. - + Here you can decide which songs to remove and which ones to keep. Tu możesz zdecydować które pieśni usunąć, a które zachować. - - Review duplicate songs (%s/%s) - Przegląd powtarzających się pieśni (%s/%s) - - - + Information Informacja - + No duplicate songs have been found in the database. Nie znaleziono żadnych powtarzających się pieśni w bazie. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Polish + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/pt_BR.ts b/resources/i18n/pt_BR.ts index e0740093f..e74652047 100644 --- a/resources/i18n/pt_BR.ts +++ b/resources/i18n/pt_BR.ts @@ -120,32 +120,27 @@ Por favor, digite algum texto antes de clicar em Novo. AlertsPlugin.AlertsTab - + Font Fonte - + Font name: Nome da fonte: - + Font color: Cor da fonte: - - Background color: - Cor do Plano de Fundo: - - - + Font size: Tamanho da fonte: - + Alert timeout: Tempo limite para o Alerta: @@ -153,88 +148,78 @@ Por favor, digite algum texto antes de clicar em Novo. 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. - Genesis @@ -358,7 +343,7 @@ Por favor, digite algum texto antes de clicar em Novo. Lamentations - Lamentações de Jeremias + Lamentações @@ -453,7 +438,7 @@ Por favor, digite algum texto antes de clicar em Novo. Acts - Atos dos Apóstolos + Atos @@ -638,7 +623,7 @@ Por favor, digite algum texto antes de clicar em Novo. Susanna - Suzana + Susana @@ -731,7 +716,7 @@ Por favor, digite algum texto antes de clicar em Novo. Bible Exists - A Bíblia existe + A Bíblia Existe @@ -739,161 +724,109 @@ Por favor, digite algum texto antes de clicar em Novo. Esta Bíblia já existe. Por favor importa outra Bíblia ou remova a já existente. - - You need to specify a book name for "%s". - É necessário especificar um nome de livro para "%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. - O nome de livro "%s" não é válido. -Números só podem ser usados na início e precisam -ser seguidos de um ou mais caracteres não-numéricos. - - - + Duplicate Book Name Nome de Livro Duplicado - - The Book Name "%s" has been entered more than once. - O nome de Livro "%s" foi informado mais de uma vez. + + You need to specify a book name for "{text}". + É necessário especificar um nome para o livro "{text}". + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + O nome do livro "{name}" não está correto. +Números só podem ser utilizados no início e devem +ser seguidos por um ou mais caracteres não numéricos. + + + + The Book Name "{name}" has been entered more than once. + O nome do livro "{name}" foi informado mais de uma vez. 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 + + Web Bible cannot be used in Text Search + A pesquisa de texto não está disponível para Bíblias importadas da web - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Sua referência de escritura não é suportada pelo OpenLP ou está inválida. Por favor, certifique que a sua referência está conforme um dos seguintes padrões ou consulte o manual: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Livro Capítulo -Livro Capítulo%(range)sCapítulo -Livro Capítulo%(verse)sVerso%(range)sVerso -Livro Capítulo%(verse)sVerso%(range)sVerso%(list)sVerso%(range)sVerso -Livro Capítulo%(verse)sVerso%(range)sVerso%(list)sCapítulo%(verse)sVerso%(range)sVerso -Livro Capítulo%(verse)sVerso%(range)sCapítulo%(verse)sVerso +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + Nada encontrado BiblesPlugin.BiblesTab - + Verse Display Exibição do Versículo - + Only show new chapter numbers Somente mostrar números de capítulos novos - + Bible theme: Tema da Bíblia: - + No Brackets Sem Parênteses - + ( And ) ( E ) - + { And } { E } - + [ And ] [ E ] - - Note: -Changes do not affect verses already in the service. - Observação: -Mudanças não afetam os versículos que já estão no culto. - - - + Display second Bible verses Exibir versículos da Bíblia secundária - + Custom Scripture References Referências Personalizadas das Escrituras - - Verse Separator: - Separador de Versos - - - - Range Separator: - Separador de Faixas: - - - - List Separator: - Separador de Listas: - - - - End Mark: - Marcação de Fim: - - - + 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. @@ -902,37 +835,83 @@ Eles devem ser separados por uma barra vertical "|". Por favor, limpe esta linha edição para usar o valor padrão. - + English - Portuguese (Brazil) + Português do Brasil - + Default Bible Language Idioma Padrão de Bíblia - + Book name language in search field, search results and on display: - Idioma do nome de livros a ser usado na caixa de -busca, resultados da busca e na exibição: + Idioma do livro a ser usado na caixa de busca, +resultados da busca e na exibição: - + Bible Language Idioma da Bíblia - + Application Language Idioma da Aplicação - + Show verse numbers Mostrar os números do verso + + + Note: Changes do not affect verses in the Service + Nota: Mudanças não afetam os versículos que já estão no culto. + + + + Verse separator: + Separador de versos: + + + + Range separator: + Separador de faixas: + + + + List separator: + Separador de lista: + + + + End mark: + Marcação de fim: + + + + Quick Search Settings + Configurações de pesquisa rápida + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,79 +967,85 @@ busca, resultados da busca e na exibição: BiblesPlugin.CSVBible - - Importing books... %s - Importando livros... %s - - - + Importing verses... done. Importando versículos... concluído. + + + Importing books... {book} + Importando livros... {book} + + + + Importing verses from {book}... + Importing verses from <book name>... + Importando versículos de {book}... + BiblesPlugin.EditBibleForm - + Bible Editor Editor de Bíblia - + License Details Detalhes da Licença - + Version name: Nome da versão: - + Copyright: Direitos Autorais: - + Permissions: Permissões: - + Default Bible Language Idioma Padrão de Bíblia - + Book name language in search field, search results and on display: - Idioma do nome de livros a ser usado na caixa de -busca, resultados da busca e na exibição: + Idioma do livros a ser usado na caixa de busca, resultados da busca e na exibição: - + Global Settings Configurações Globais - + Bible Language Idioma da Bíblia - + Application Language Idioma da Aplicação - + English - Portuguese (Brazil) + Português do Brasil This is a Web Download Bible. It is not possible to customize the Book Names. - Esta Bíblia foi baixada da Internet. Não é possível modificar os nomes dos Livros. + Esta Bíblia foi baixada da Internet. +Não é possível modificar os nomes dos Livros. @@ -1071,223 +1056,258 @@ 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. + + + Importing {book}... + Importing <book name>... + Importando {book}... + 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. Registrado Bíblia. Por favor, note que os versos será baixado pela internet, portanto, é necessária uma conexão. - + Click to download bible list Clique para baixar lista das bíblias - + Download bible list Baixar lista das bíblias - + Error during download Erro durante o download - + An error occurred while downloading the list of bibles from %s. - Ocorreu um erro ao fazer o download da lista de bíblias de% s. + Ocorreu um erro ao baixar a lista de bíblias de %s. + + + + Bibles: + Bíblias: + + + + SWORD data folder: + SWORD pasta de dados: + + + + SWORD zip-file: + SWORD arquivo zip: + + + + Defaults to the standard SWORD data folder + O padrão é a pasta de dados normal do SWORD + + + + Import from folder + Importar da pasta + + + + Import from Zip-file + Importar de um arquivo ZIP + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Para importar as bíblias SWORD o módulo python pysword devem ser instalados. Por favor, leia o manual para obter instruções. @@ -1319,113 +1339,130 @@ It is not possible to customize the Book Names. BiblesPlugin.MediaItem - - Quick - Rápido - - - + Find: Localizar: - + Book: Hinário: - + Chapter: Capítulo: - + Verse: Versículo: - + From: De: - + To: Até: - + Text Search Pesquisar Texto - + Second: Segunda Versão: - + Scripture Reference Referência da Escritura - + Toggle to keep or clear the previous results. Alternar entre manter ou limpar resultados anteriores. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Você não pode combinar os resultados de buscas de versículo Bíblicos simples e duplo. Você deseja deletar os resultados da sua busca e comecar uma nova? - + Bible not fully loaded. Bíblia não carregada completamente. - + Information Informações - - 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. - A Bíblia secundária não contém todos os versículos que estão na Bíblia principal. Somente versículos encontrados em ambas as Bíblias serão exibidas. %d versículos não foram inclusos nos resultados. - - - + Search Scripture Reference... - Pesquisar referência... + Pesquisando referência... - + Search Text... - Pesquisar texto... + Pesquisando texto... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Busca + + + + Select + Selecionar + + + + Clear the search results. + + + + + Text or Reference + Texto ou Referência + + + + Text or Reference... + Texto ou Referência... + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Você tem certeza que deseja apagar completamente a Bíblia "%s" do OpenLP? -Para usá-la de novo, você precisará fazer a importação novamente. + - - Advanced - Avançado + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Foi fornecido um tipo de Bíblia incorreto. Os arquivos de Bíblia do OpenSong podem estar comprimidos. Você precisa descomprimí-lo antes de importá-lo. - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. Foi fornecido um tipo de Bíblia incorreto. Isto parece ser um XML da Bíblia Zefania, por favor use a opção de importação no formato Zefania. @@ -1433,178 +1470,52 @@ Para usá-la de novo, você precisará fazer a importação novamente. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importando %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + Importando {name} {chapter}... BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - Removendo tags não utilizadas (isso pode levar alguns minutos) ... + Removendo rotulos não utilizadas (isso pode levar alguns minutos)... - + Importing %(bookname)s %(chapter)s... Importando %(bookname)s %(chapter)s... + + + The file is not a valid OSIS-XML file: +{text} + O arquivo não é um arquivo OSIS-XML valido: +{text} + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Selecione um Diretório para Cópia de Segurança + + Importing {name}... + Importando {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Assistente de Atualização de Bíblias - - - - 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. - Este assistente irá ajudá-lo a atualizar suas Bíblias existentes a partir de uma versão anterior do OpenLP 2. Clique no botão avançar abaixo para começar o processo de atualização. - - - - Select Backup Directory - Selecione o Diretório para Cópia de Segurança - - - - Please select a backup directory for your Bibles - Por favor, selecione um diretório para a cópia de segurança das suas Bíblias - - - - 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>. - As versões anteriores do OpenLP 2.0 não conseguem usar as Bíblias atualizadas. Isto irá criar uma cópia de segurança das suas Bíblias atuais para que possa copiar os arquivos de volta para o diretório de dados do OpenLP caso seja necessário voltar a uma versão anterior do OpenLP. Instruções sobre como recuperar os arquivos podem ser encontradas no nosso <a href="http://wiki.openlp.org/faq">Perguntas Frequentes</a>. - - - - Please select a backup location for your Bibles. - Por favor, selecione o local da cópia de segurança das suas Bíblias. - - - - Backup Directory: - Diretório de Cópia de Segurança: - - - - There is no need to backup my Bibles - Não é necessário fazer uma cópia de segurança das minhas Bíblias - - - - Select Bibles - Selecione Bíblias - - - - Please select the Bibles to upgrade - Por favor, selecione as Bíblias a atualizar - - - - Upgrading - Atualizando - - - - Please wait while your Bibles are upgraded. - Por favor, aguarde enquanto suas Bíblias são atualizadas. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - A cópia de segurança não teve êxito. -Para fazer uma cópia de segurança das suas Bíblias é necessário permissão de escrita no diretório selecionado. - - - - Upgrading Bible %s of %s: "%s" -Failed - Atualizando Bíblia %s de %s: "%s" -Falhou - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Atualizando Bíblia %s de %s: "%s" -Atualizando ... - - - - Download Error - Erro ao Baixar - - - - To upgrade your Web Bibles an Internet connection is required. - Para atualizar suas Bíblias Internet é necessária uma conexão com a internet. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Atualizando Bíblia %s de %s: "%s" -Atualizando %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Atualizando Bíblia %s de %s: "%s" -Finalizado - - - - , %s failed - . %s falhou - - - - Upgrading Bible(s): %s successful%s - Atualizando Bíblia(s): %s com sucesso%s - - - - Upgrade failed. - A atualização falhou. - - - - You need to specify a backup directory for your Bibles. - Você precisa informar um diretório de backup para as suas Bíblias. - - - - Starting upgrade... - Iniciando atualização... - - - - There are no Bibles that need to be upgraded. - Não há Bíblias que necessitam ser atualizadas. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Atualizando Bíblia(s): %(success)d com sucesso%(failed_text)s -Por favor, observe que versículos das Bíblias da Internet serão transferidos sob demanda, então é necessária uma conexão com a internet. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Incorreto tipo de arquivo Bíblia fornecido. O formato da Bíblia Zefania pode estar compactado. Você deve descompactá-los antes da importação. @@ -1612,9 +1523,9 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importando %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importando {book} {chapter}... @@ -1729,7 +1640,7 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos Editar todos os slides de uma vez. - + Split a slide into two by inserting a slide splitter. Dividir um slide em dois, inserindo um divisor de slides. @@ -1744,22 +1655,22 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos &Créditos: - + You need to type in a title. Você deve digitar um título. Ed&it All - &Editar Todos + Ed&itar Todos - + Insert Slide Inserir Slide - + You need to add at least one slide. Você precisa adicionar pelo menos um slide. @@ -1767,7 +1678,7 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos CustomPlugin.EditVerseForm - + Edit Slide Editar Slide @@ -1775,9 +1686,9 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Tem certeza que deseja excluir o(s) "%d" slide(s) personalizado(s) selecionado(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1805,11 +1716,6 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos container title Imagens - - - Load a new image. - Carregar uma nova imagem. - Add a new image. @@ -1840,6 +1746,16 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos Add the selected image to the service. Adicionar a imagem selecionada ao culto. + + + Add new image(s). + Adicionar nova(s) imagem(ns). + + + + Add new image(s) + Adicionar nova(s) imagem(ns). + ImagePlugin.AddGroupForm @@ -1864,12 +1780,12 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos Você precisa digitar um nome para o grupo. - + Could not add the new group. Não foi possivel adicionar o novo grupo. - + This group already exists. Este grupo já existe @@ -1889,7 +1805,7 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos No group - Nenhum grupo: + Nenhum grupo @@ -1905,7 +1821,7 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos ImagePlugin.ExceptionDialog - + Select Attachment Selecionar Anexo @@ -1913,67 +1829,66 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos ImagePlugin.MediaItem - + Select Image(s) 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. -- Top-level group -- - + -- Nível superior -- - + You must select an image or group to delete. Você deve selecionar uma imagens ou um grupo para deletar. - + Remove group Remover grupo - - Are you sure you want to remove "%s" and everything in it? - Are you sure you want to remove "%s" and everything in it? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Plano de fundo que será visto nas imagens que possuem proporção altura/largura diferente da tela. @@ -1981,27 +1896,27 @@ Deseja continuar adicionando as outras imagens mesmo assim? Media.player - + Audio Audio - + Video Vídeo - + VLC is an external player which supports a number of different formats. VLC é um reprodutor externo que suporta diferentes formatos. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit é um reprodutor de mídia que é executado dentro de um navegador web. Este reprodutor permite colocar texto acima de um vídeo para ser renderizado. - + This media player uses your operating system to provide media capabilities. Este reprodutor de mídia utiliza seu sistema operacional para fornecer recursos de mídia. @@ -2009,60 +1924,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. @@ -2077,7 +1992,7 @@ Deseja continuar adicionando as outras imagens mesmo assim? Source - origem + Origem @@ -2178,47 +2093,47 @@ Deseja continuar adicionando as outras imagens mesmo assim? VLC player não conseguiu reproduzir a mídia - + CD not loaded correctly CD não foi colocado corretamente - + The CD was not loaded correctly, please re-load and try again. O CD não foi colocado corretamente, por favor tente novamente. - + DVD not loaded correctly DVD não foi colocado corretamente - + The DVD was not loaded correctly, please re-load and try again. O DVD não foi carregado corretamente, por favor tente novamente. - + Set name of mediaclip Defina o nome da mídia - + Name of mediaclip: Nome de mídia: - + Enter a valid name or cancel Digite um nome válido ou clique em cancelar - + Invalid character caractere inválido - + The name of the mediaclip must not contain the character ":" O nome da mídia não pode conter o caractere ":" @@ -2226,90 +2141,100 @@ Deseja continuar adicionando as outras imagens mesmo assim? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Arquivo não suportado - + Use Player: Usar Reprodutor: - + VLC player required VLC player necessário - + VLC player required for playback of optical devices VLC player necessário para a reprodução de dispositivos - + Load CD/DVD Carregando CD/DVD - - Load CD/DVD - only supported when VLC is installed and enabled - Carregando CD / DVD - suportado apenas quando o VLC player está instalado e ativo - - - - The optical disc %s is no longer available. - O disco óptico %s não está mais disponível. - - - + Mediaclip already saved Clipe de mídia salvo - + This mediaclip has already been saved Este clipe de mídia já foi salvo + + + File %s not supported using player %s + Arquivo %s não é suportado utilizando o reprodutor %s + + + + Unsupported Media File + Arquivo de Mídia não suportado + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2320,63 +2245,46 @@ Deseja continuar adicionando as outras imagens mesmo assim? - Start Live items automatically - Iniciar itens ao vivo automaticamente - - - - OPenLP.MainWindow - - - &Projector Manager - Gerenciador de projetor + Start new Live media automatically + OpenLP - + Image Files Arquivos de Imagem - - Information - Informações - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - O formato de Bíblia foi alterado. -Você deve atualizar suas Bíblias existentes. -O OpenLP deve atualizar agora? - - - + Backup - Backup + Cópia de segurança OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - OpenLP foi atualizado, deseja criar um backup das pasta de dados OpenLPs? + OpenLP foi atualizado, deseja criar um cópia de segurança das pasta de dados OpenLPs? Backup of the data folder failed! - Backup da pasta de dados falhou! + Cópia de segurança da pasta de dados falhou! + + + + Open + Abrir - A backup of the data folder has been created at %s - O backup da pasta de dados foi criado em% s + A backup of the data folder has been createdat {text} + - - Open - Abrir + + Video Files + Arquivos de Video @@ -2387,19 +2295,14 @@ O OpenLP deve atualizar agora? Créditos - + License Licença - - - build %s - compilação %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. + Este programa é um software livre; você pode redistribui-lo e/ou modifica-lo dentro dos termos da Licença Pública Geral GNU como publicada pela Fundação do Software Livre; na versão 2 da Licença. @@ -2424,7 +2327,7 @@ Conheça mais sobre o OpenLP: http://openlp.org/ O OpenLP é escrito e mantido por voluntários. Se você gostaria de ver mais softwares Cristãos gratuítos sendo escritos, por favor, considere contribuir usando o botão abaixo. - + Volunteer Contribuir @@ -2616,327 +2519,237 @@ trazemos este software gratuitamente porque Ele nos libertou. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Direitos autorais © 2004-2016 %s -Porções com direitos autorais © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} + Versão {version} OpenLP.AdvancedTab - + UI Settings Configurações da Interface - - - Number of recent files to display: - Número de arquivos recentes a serem exibidos: - - Remember active media manager tab on startup - Lembrar aba ativa do gerenciador de mídia ao iniciar - - - - Double-click to send items straight to live - Clicar duas vezes para diretamente projetar itens - - - Expand new service items on creation Expandir novos itens do culto ao serem criados - + Enable application exit confirmation Habilitar confirmação de saída do programa - + Mouse Cursor Ponteiro do Mouse - + Hide mouse cursor when over display window Ocultar o cursor do mouse quando estiver sobre a tela de projeção - - Default Image - Imagem Padrão - - - - Background color: - Cor do Plano de Fundo: - - - - Image file: - Arquivo de Imagem: - - - + Open File Abrir Arquivo - + Advanced Avançado - - - Preview items when clicked in Media Manager - Pré-visualizar itens quando clicados no Gerenciador de Mídia - - Browse for an image file to display. - Procurar um arquivo de imagem para exibir. - - - - Revert to the default OpenLP logo. - Reverter ao logotipo padrão OpenLP. - - - Default Service Name Nome Padrão de Culto - + Enable default service name Habilitar nome padrão de culto - + Date and Time: Data e Hora: - + Monday Segunda-feira - + Tuesday Terça-feira - + Wednesday Quarta-feira - + Friday Sexta-feira - + Saturday Sábado - + Sunday Domingo - + Now Agora - + Time when usual service starts. Hora em que o culto normal se inicia. - + Name: Nome: - + Consult the OpenLP manual for usage. Consulte o manual OpenLP para uso. - - Revert to the default service name "%s". - Reverter para o nome padrão de culto "%s". - - - + Example: Exemplo: - + Bypass X11 Window Manager Desativar Gerenciador de Janelas X11 - + Syntax error. Erro de sintaxe. - + Data Location Local dos Dados - + Current path: Caminho atual: - + Custom path: Caminho personalizado: - + Browse for new data file location. Escolher um novo local para os arquivos de dados. - + Set the data location to the default. Restabelecer o local de dados para o padrão. - + Cancel Cancelar - + Cancel OpenLP data directory location change. Cancelar a mudança da localização dos dados do OpenLP. - + Copy data to new location. Copiar os dados para a nova localização. - + Copy the OpenLP data files to the new location. Copiar os arquivos de dados do OpenLP para a nova localização. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>AVISO:</strong> O novo diretório de dados já contém arquivos do OpenLP. Estes arquivos SERÃO sobrescritos durante uma cópia. - + Data Directory Error Erro no Diretório de Dados - + Select Data Directory Location Seleciona a Localização do Diretório de Dados - + Confirm Data Directory Change Confirmar Mudança do Diretório de Dados - + Reset Data Directory Restabelecer o Diretório de Dados - + Overwrite Existing Data Sobrescrever Dados Existentes - - 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. - O diretório de dados do OpenLP não foi encontrado - -%s - -Este diretório de dados foi previamente alterado do local padrão do OpenLP. Se o novo local estava em uma mídia removível, a mídia deve ser disponibilizada. - -Clique em "Não" para cancelar a carga do OpenLP permitindo que o problema seja corrigido. - -Clique em "Sim" para redifinir o diretório de dados para o local padrão. - - - - 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. - Tem certeza que deseja alterar o local do diretório de dados do OpenLP para: - -%s - -O diretório de dados será alterado quando o OpenLP for encerrado. - - - + Thursday Quinta-feira - + Display Workarounds Soluções alternativas de exibição - + Use alternating row colours in lists Utilizar linhas de cores alternadas nas listas - - 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? - AVISO: O local selecionado% s parece conter arquivos de dados OpenLP. Você deseja substituir esses arquivos com os arquivos de dados atuais? - - - + Restart Required - Necessário reiniciar + Necessário Reiniciar - + This change will only take effect once OpenLP has been restarted. A alteração só terá efeito quando o OpenLP for reiniciado. - + 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. @@ -2944,11 +2757,156 @@ This location will be used after OpenLP is closed. Esta localização será usada depois que o OpenLP for fechado. + + + Max height for non-text slides +in slide controller: + Altura máxima para slides não textual +no controlador de slide: + + + + Disabled + Desativado + + + + When changing slides: + Ao mudar slides: + + + + Do not auto-scroll + Sem auto rolagem + + + + Auto-scroll the previous slide into view + Auto rolar o slide anterior para exibição + + + + Auto-scroll the previous slide to top + Auto rolar o slide anterior ao topo + + + + Auto-scroll the previous slide to middle + Auto rolar o slide anterior para o meio + + + + Auto-scroll the current slide into view + Auto rolar o slide atual para exibição + + + + Auto-scroll the current slide to top + Auto rolar o slide atual para o topo + + + + Auto-scroll the current slide to middle + Auto rolar o slide atual para o meio + + + + Auto-scroll the current slide to bottom + Auto rolar o slide atual para baixo + + + + Auto-scroll the next slide into view + Auto rolar o próximo slide para exibição + + + + Auto-scroll the next slide to top + Auto rolar o próximo slide para o topo + + + + Auto-scroll the next slide to middle + Auto rolar o próximo slide para o meio + + + + Auto-scroll the next slide to bottom + Auto rolar o próximo slide para baixo + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automático + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Clique para selecionar uma cor. @@ -2956,252 +2914,252 @@ Esta localização será usada depois que o OpenLP for fechado. OpenLP.DB - + RGB RGB - + Video Vídeo - + Digital Digital - + Storage Armazenamento - + Network Rede - + 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 Vídeo 1 - + Video 2 Vídeo 2 - + Video 3 Vídeo 3 - + Video 4 Vídeo 4 - + Video 5 Vídeo 5 - + Video 6 Vídeo 6 - + Video 7 Vídeo 7 - + Video 8 Vídeo 8 - + Video 9 Vídeo 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 Armazenamento 1 - + Storage 2 Armazenamento 2 - + Storage 3 Armazenamento 3 - + Storage 4 Armazenamento 4 - + Storage 5 Armazenamento 5 - + Storage 6 Armazenamento 6 - + Storage 7 Armazenamento 7 - + Storage 8 Armazenamento 8 - + Storage 9 Armazenamento 9 - + Network 1 Rede 1 - + Network 2 Rede 2 - + Network 3 Rede 3 - + Network 4 Rede 4 - + Network 5 Rede 5 - + Network 6 Rede 6 - + Network 7 Rede 7 - + Network 8 Rede 8 - + Network 9 Rede 9 @@ -3209,62 +3167,74 @@ Esta localização será usada depois que o OpenLP for fechado. OpenLP.ExceptionDialog - + Error Occurred Ocorreu um Erro - + Send E-Mail Enviar E-Mail - + Save to File Salvar em Arquivo - + Attach File Anexar Arquivo - - - Description characters to enter : %s - Caracteres que podem ser digitadas na descrição: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Por favor, descreva o que você estava fazendo para causar este erro. Se possível, escreva em inglês. -(Pelo menos 20 caracteres) - - 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. Also attach any files that triggered the problem. - Ops! O OpenLP encontrou um problema e não pôde recuperar-se. O texto na caixa abaixo contém informações que podem ser úteis para os desenvolvedores do OpenLP, então, por favor, envie um e-mail para bugs@openlp.org, junto com uma descrição detalhada daquilo que você estava fazendo quando o problema ocorreu. também anexe os arquivos que provocaram o problema. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation + OpenLP.ExceptionForm - - Platform: %s - - Plataforma: %s - - - - + Save Crash Report Salvar Relatório de Travamento - + Text files (*.txt *.log *.text) Arquivos de texto (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3305,272 +3275,259 @@ Esta localização será usada depois que o OpenLP for fechado. 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. - Nenhuma conexão com a internet encontrada. O Assistente de Primeira Execução necessita de uma conexão para baixar letras de músicas, bíblias e temas. - -Para iniciar o Assistente de Primeira Execução novamente e baixar letras de músicas, bíblias e temas, verifique a sua conexão com a internet e siga estes passos para executar este assistente novamente: "Ferramentas/Iniciar o Assistente de Primeira Execução novamente" no OpenLP. - -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. Houve um problema de conexão durante a transferência, as próximas transferências serão ignoradas. Tente executar o Assistente de Primeira Execução novamente mais tarde. - - Download complete. Click the %s button to return to OpenLP. - Transferência finalizada. Clique no botão %s para retornar ao OpenLP. - - - - Download complete. Click the %s button to start OpenLP. - Transferência finalizada. Clique no botão %s para iniciar o OpenLP. - - - - Click the %s button to return to OpenLP. - Cloque no botão %s para retornar ao OpenLP. - - - - Click the %s button to start OpenLP. - Clique o botão %s para iniciar o OpenLP. - - - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Houve um problema de conexão durante a transferência, as próximas transferências serão ignoradas. Tente executar o Assistente de Primeira Execução novamente mais tarde. - - This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - Este assistente irá ajudá-lo na configuração do OpenLP para o uso inicial. Clique abaixo no botão %s para começar. - - - - - -To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - - -Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), clique no botão %s. - - - - - + Downloading Resource Index Baixando Listagem de Recursos - + Please wait while the resource index is downloaded. Por favor, aguarde enquanto a Listagem de Recursos é baixada. - + Please wait while OpenLP downloads the resource index file... Por favor aguarde enquanto OpenLP baixa a Listagem de Recursos... - + Downloading and Configuring Baixando e Configurando - + Please wait while resources are downloaded and OpenLP is configured. Por favor, aguarde enquanto os recursos são baixados e o OpenLP é configurado. - + Network Error Erro na rede - + There was a network error attempting to connect to retrieve initial configuration information Houve um erro de rede tentar se conectar para recuperar informações de configuração inicial - - Cancel - Cancelar - - - + Unable to download some files Não foi possível transferir alguns arquivos + + + Select parts of the program you wish to use + Selecione as partes do programa que deseja usar + + + + You can also change these settings after the Wizard. + Você também pode alterar essas configurações depois do Assistente. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Slides Personalizado - Mais fácil de gerir e têm a sua própria lista de slides + + + + Bibles – Import and show Bibles + Bíblias - Importar e mostrar Bíblias + + + + Images – Show images or replace background with them + Imagens - Mostrar imagens ou substituir o fundo com elas + + + + Presentations – Show .ppt, .odp and .pdf files + Apresentações - Exibir arquivos .ppt, .odp e .pdf + + + + Media – Playback of Audio and Video files + Mídia - Reprodução de áudio e arquivos de vídeo + + + + Remote – Control OpenLP via browser or smartphone app + Remoto - OpenLP controle via navegador ou smartfone por app + + + + Song Usage Monitor + Monitor de Uso de Música + + + + Alerts – Display informative messages while showing other slides + Alertas - Exibe mensagens informativas ao mostrar outros slides + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projetores - Controle projetores compatíveis com PJLink em sua rede a partir OpenLP + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + Download completo. Clique no botão {button} para voltar ao OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Download completo. Clique no botão {button} para iniciar o OpenLP. + + + + Click the {button} button to return to OpenLP. + Clique no botão {button} para voltar ao OpenLP. + + + + Click the {button} button to start OpenLP. + Clique no botão {button} para iniciar o OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3587,7 +3544,7 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli Tag - Tag + Etiqueta @@ -3613,44 +3570,49 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli OpenLP.FormattingTagForm - + <HTML here> <HTML aqui> - + Validation Error Erro de Validação - + Description is missing Descrição incompleta - + Tag is missing - Tag não existente + Etiqueta não existente - Tag %s already defined. - Tag %s já está definida. + Tag {tag} already defined. + Tag {tag} já definida. - Description %s already defined. - Descrição %s já definida. + Description {tag} already defined. + Descrição {tag} já definida. - - Start tag %s is not valid HTML - Tag inicial %s não é um HTML válido + + Start tag {tag} is not valid HTML + Tag inicial {tag} não é um formato HTML válido - - End tag %(end)s does not match end tag for start tag %(start)s - A tag final %(end)s não corresponde com a tag final da tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + Nova Tag {row:d} @@ -3739,170 +3701,200 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli OpenLP.GeneralTab - + General Geral - + Monitors Monitores - + Select monitor for output display: Selecione o monitor para exibição: - + Display if a single screen Exibir no caso de uma única tela - + Application Startup Inicialização do Aplicativo - + Show blank screen warning Exibir alerta de tela em branco - - Automatically open the last service - Abrir automaticamente o último culto - - - + Show the splash screen Exibir a tela de abertura - + Application Settings Configurações do Aplicativo - + Prompt to save before starting a new service Perguntar se salva antes de iniciar um novo culto - - Automatically preview next item in service - Pré-visualizar automaticamente o item seguinte do culto - - - + sec seg - + CCLI Details Detalhes de CCLI - + SongSelect username: Usuário SongSelect: - + SongSelect password: Senha SongSelect: - + X X - + Y Y - + Height Altura - + Width Largura - + Check for updates to OpenLP Procurar por atualizações do OpenLP - - Unblank display when adding new live item - Ativar projeção ao adicionar um item novo - - - + Timed slide interval: Intervalo temporizado de slide: - + Background Audio Som de Fundo - + Start background audio paused Iniciar áudio de fundo em pausa - + Service Item Slide Limits Limites de Slide de Itens de Culto - + Override display position: Alterar posição de exibição: - + Repeat track list Repetir lista de faixas - + Behavior of next/previous on the last/first slide: Comportamento do Próximo/Anterior no primeiro e últimos slides: - + &Remain on Slide &Permanecer no Slide - + &Wrap around - Quebrar linhas + &Quebrar linhas - + &Move to next/previous service item &Mover para o próximo/anterior item do culto + + + Logo + Logotipo + + + + Logo file: + Arquivo de logotipo: + + + + Browse for an image file to display. + Procurar um arquivo de imagem para exibir. + + + + Revert to the default OpenLP logo. + Reverter ao logotipo padrão OpenLP. + + + + Don't show logo on startup + Não mostrar o logotipo na inicialização + + + + Automatically open the previous service file + Abrir automaticamente o arquivo de serviço(culto) anterior + + + + Unblank display when changing slide in Live + Atualizar projeção quando alterar um slide Ativo + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Idioma - + Please restart OpenLP to use your new language setting. Por favor reinicie o OpenLP para usar a nova configuração de idioma. @@ -3910,7 +3902,7 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli OpenLP.MainDisplay - + OpenLP Display Saída do OpenLP @@ -3925,7 +3917,7 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli &Import - &Importar + I&mportar @@ -3937,11 +3929,6 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli &View &Exibir - - - M&ode - M&odo - &Tools @@ -3962,16 +3949,6 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli &Help Aj&uda - - - Service Manager - Gerenciador de Culto - - - - Theme Manager - Gerenciador de Temas - Open an existing service. @@ -3997,11 +3974,6 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli E&xit S&air - - - Quit OpenLP - Fechar o OpenLP - &Theme @@ -4013,194 +3985,70 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli &Configurar o OpenLP... - - &Media Manager - &Gerenciador de Mídia - - - - Toggle Media Manager - Alternar Gerenciador de Mídia - - - - Toggle the visibility of the media manager. - Alternar a visibilidade do gerenciador de mídia. - - - - &Theme Manager - Gerenciador de &Temas - - - - Toggle Theme Manager - Alternar para Gerenciamento de Temas - - - - Toggle the visibility of the theme manager. - Alternar a visibilidade do gerenciador de tema. - - - - &Service Manager - Gerenciador de &Culto - - - - Toggle Service Manager - Alternar o Gerenciador de Culto - - - - Toggle the visibility of the service manager. - Alternar visibilidade do gerenciador de culto. - - - - &Preview Panel - &Painel de Pré-Visualização - - - - Toggle Preview Panel - Alternar o Painel de Pré-Visualização - - - - Toggle the visibility of the preview panel. - Alternar a visibilidade do painel de pré-visualização. - - - - &Live Panel - &Painel de Projeção - - - - Toggle Live Panel - Alternar Painel da Projeção - - - - Toggle the visibility of the live panel. - Alternar a visibilidade do painel de projeção. - - - - List the Plugins - Listar os Plugins - - - + &User Guide &Guia do Usuário - + &About &Sobre - - More information about OpenLP - Mais informações sobre o OpenLP - - - + &Online Help &Ajuda Online - + &Web Site &Web Site - + Use the system language, if available. Usar o idioma do sistema, caso disponível. - - Set the interface language to %s - Definir o idioma da interface como %s - - - + Add &Tool... Adicionar &Ferramenta... - + Add an application to the list of tools. Adicionar um aplicativo à lista de ferramentas. - - &Default - &Padrão - - - - Set the view mode back to the default. - Reverter o modo de visualização ao padrão. - - - + &Setup &Configuração - - Set the view mode to Setup. - Configurar o modo de visualização para Configuração. - - - + &Live &Ao Vivo - - Set the view mode to Live. - Configurar o modo de visualização como Ao Vivo. - - - - 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/. - A versão %s do OpenLP está disponível para download (você está atualmente usando a versão %s). - -Voce pode baixar a última versão em http://openlp.org/. - - - + OpenLP Version Updated Versão do OpenLP Atualizada - + OpenLP Main Display Blanked Tela Principal do OpenLP desativada - + The Main Display has been blanked out A Tela Principal foi desativada - - Default Theme: %s - Tema padrão: %s - - - + English Please add the name of your language here - Portuguese (Brazil) + Português do Brasil @@ -4208,27 +4056,27 @@ Voce pode baixar a última versão em http://openlp.org/. Configurar &Atalhos... - + Open &Data Folder... Abrir Pasta de &Dados... - + Open the folder where songs, bibles and other data resides. Abrir a pasta na qual músicas, bíblias e outros arquivos são armazenados. - + &Autodetect &Auto detectar - + Update Theme Images Atualizar Imagens de Tema - + Update the preview images for all themes. Atualizar as imagens de pré-visualização de todos os temas. @@ -4238,32 +4086,22 @@ Voce pode baixar a última versão em http://openlp.org/. Imprimir o culto atual. - - L&ock Panels - Tr&avar Painéis - - - - Prevent the panels being moved. - Previne que os painéis sejam movidos. - - - + Re-run First Time Wizard Iniciar o Assistente de Primeira Execução novamente - + Re-run the First Time Wizard, importing songs, Bibles and themes. Iniciar o Assistente de Primeira Execução novamente importando músicas, Bíblia e temas. - + Re-run First Time Wizard? Deseja iniciar o Assistente de Primeira Execução novamente? - + 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. @@ -4272,13 +4110,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. @@ -4287,75 +4125,36 @@ Executar o assistente novamente poderá fazer mudanças na sua configuração at Configure &Formatting Tags... Configurar Etiquetas de &Formatação... - - - Export OpenLP settings to a specified *.config file - Exportar as configurações do OpenLP para um arquivo *.config - Settings Configurações - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importar as configurações do OpenLP de um arquivo *.config que foi previamente exportado neste ou em outro computador - - - + Import settings? Importar configurações? - - Open File - Abrir Arquivo - - - - OpenLP Export Settings Files (*.conf) - Arquivo de Configurações do OpenLP (*.conf) - - - + Import settings Importar configurações - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. O OpenLP irá finalizar. As configurações importadas serão aplicadas na próxima execução do OpenLP. - + Export Settings File - Exportar arquivo de configurações + Exportar Arquivo de Configurações - - OpenLP Export Settings File (*.conf) - 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 - Falhou a cópia do diretório de dados do OpenLP - -%s - General @@ -4367,12 +4166,12 @@ Executar o assistente novamente poderá fazer mudanças na sua configuração at Biblioteca - + Jump to the search box of the current active plugin. Ir para a caixa de pesquisa do plugin atualmente ativo. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4385,7 +4184,7 @@ Executar o assistente novamente poderá fazer mudanças na sua configuração at Importando configurações incorretas poderá causar um comportamento inesperado ou o OpenLP pode encerrar de forma anormal. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4394,39 +4193,14 @@ Processing has terminated and no changes have been made. O Processo foi encerrado e nenhuma mudança foi feita. - - Projector Manager - Gerenciador de projetor - - - - Toggle Projector Manager - Alternar gerenciador de projetor - - - - Toggle the visibility of the Projector Manager - Alterar a visualização do gerenciador de projector - - - + Export setting error Erro na exportação da configuração - - - The key "%s" does not have a default value so it will be skipped in this export. - A chave "%s" não possui um valor padrão, então ela será ignorada nesta exportação. - - - - An error occurred while exporting the settings: %s - Ocorreu um erro ao exportar as configurações: %s - &Recent Services - &Culto Recente + Culto &Recente @@ -4454,131 +4228,344 @@ O Processo foi encerrado e nenhuma mudança foi feita. &Gerenciar Plugins - + Exit OpenLP - Sair + Sair do OpenLP - + Are you sure you want to exit OpenLP? Tem certeza de que deseja sair do OpenLP? - + &Exit OpenLP - &Sair + Sa&ir do OpenLP + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Nova versão {new} do OpenLP já está disponível para baixar (você está executando a versão {current}). + + Você pode baixar a última versão em http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + A chave "{key}" não possui um valor padrão, ela será ignorada nesta exportação. + + + + An error occurred while exporting the settings: {err} + Ocorreu um erro ao exportar as configurações: {err} + + + + Default Theme: {theme} + Tema Padrão: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Copiando para a nova localização do diretório de dados OpenLP - {path} - Por favor, espere a cópia terminar + + + + OpenLP Data directory copy failed + +{err} + A cópia do diretório de dados do OpenLP falhou + +{err} + + + + &Layout Presets + + + + + Service + Culto + + + + Themes + Temas + + + + Projectors + Projetores + + + + Close OpenLP - Shut down the program. + Fechar OpenLP - Encerra o programa. + + + + Export settings to a *.config file. + Exportar as configurações para um arquivo *.config. + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + &Projetores + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + B&iblioteca + + + + Hide or show the Library. + Ocultar ou exibir a Biblioteca. + + + + Toggle the visibility of the Library. + Alternar a visibilidade da Biblioteca. + + + + &Themes + &Temas + + + + Hide or show themes + Ocultar ou exibir os Temas. + + + + Toggle visibility of the Themes. + Alternar a visibilidade dos Temas. + + + + &Service + &Culto + + + + Hide or show Service. + Ocultar ou exibir o Culto. + + + + Toggle visibility of the Service. + Alternar a visibilidade do Culto. + + + + &Preview + &Pré-visualização + + + + Hide or show Preview. + Ocultar ou exibir a Pré-visualização. + + + + Toggle visibility of the Preview. + Alternar a visibilidade da Pré-visualização. + + + + Li&ve + Ao &Vivo + + + + Hide or show Live + Ocultar ou exibir Ao Vivo. + + + + L&ock visibility of the panels + &Travar visibilidade dos painéis + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + Alternar a visibilidade do Ao Vivo. + + + + You can enable and disable plugins from here. + Você pode ativar e desativar plugins a partir daqui. + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + 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 - O banco de dados que está sendo carregado foi criado numa versão mais recente do OpenLP. O banco de dados está na versão %d, enquanto o OpenLP espera a versão %d. O banco de dados não será carregado. - -Banco de dados: %s - - - + OpenLP cannot load your database. -Database: %s - O OpenLP não conseguiu carregar o seu banco de dados. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Banco de Dados: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Nenhum Item Selecionado - + &Add to selected Service Item &Adicionar ao Item de Ordem de Culto selecionado - + You must select one or more items to preview. Você deve selecionar um ou mais itens para pré-visualizar. - + You must select one or more items to send live. Você deve selecionar um ou mais itens para projetar. - + You must select one or more items. Você deve selecionar um ou mais itens. - + You must select an existing service item to add to. Você deve selecionar um item de culto existente ao qual adicionar. - + Invalid Service Item Item de Culto inválido - - You must select a %s service item. - Você deve selecionar um item de culto %s. - - - + You must select one or more items to add. Você deve selecionar um ou mais itens para adicionar. - + No Search Results Nenhum Resultado de Busca - + Invalid File Type Tipo de Arquivo Inválido - - Invalid File %s. -Suffix not supported - Arquivo Inválido %s. -Sufixo não suportado - - - + &Clone &Duplicar - + Duplicate files were found on import and were ignored. Arquivos duplicados foram encontrados na importação e foram ignorados. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. tag <lyrics> ausente. - + <verse> tag is missing. tag <verse> ausente. @@ -4586,55 +4573,55 @@ Sufixo não suportado OpenLP.PJLink1 - + Unknown status Status desconhecido - + No message Nenhuma mensagem - + Error while sending data to projector Erro ao enviar dados para projetor - + Undefined command: - Comando não definido: + Comando indefinido: OpenLP.PlayerTab - + Players - Usuários + Reprodutor de Mídia - + Available Media Players Reprodutores de Mídia Disponíveis - + Player Search Order Ordem de Pesquisa de Reprodutor - + Visible background for videos with aspect ratio different to screen. Plano de fundo que será visto em vídeos com proporções diferentes da tela. - + %s (unavailable) %s (indisponível) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" NOTA: Para usar o VLC é necessário instalar a versão %s @@ -4643,55 +4630,50 @@ Sufixo não suportado OpenLP.PluginForm - + Plugin Details Detalhes do Plugin - + Status: Status: - + Active Ativo - - Inactive - Inativo - - - - %s (Inactive) - %s (Inativo) - - - - %s (Active) - %s (Ativo) + + Manage Plugins + Gerenciar Plugins - %s (Disabled) - %s (Desabilitado) + {name} (Disabled) + {name} (Desabilitado) - - Manage Plugins - Gerenciar Plugins + + {name} (Active) + {name} (Ativo) + + + + {name} (Inactive) + {name} (Inativo) OpenLP.PrintServiceDialog - + Fit Page Ajustar à Página - + Fit Width Ajustar à Largura @@ -4699,77 +4681,77 @@ Sufixo não suportado OpenLP.PrintServiceForm - + Options Opções - + Copy Copiar - + Copy as HTML Copiar como HTML - + Zoom In Aumentar o Zoom - + Zoom Out Diminuir o Zoom - + Zoom Original Zoom Original - + Other Options Outras Opções - + Include slide text if available Incluir texto do slide se disponível - + Include service item notes Incluir notas do item de culto - + Include play length of media items Incluir duração dos itens de mídia - + Add page break before each text item Adicionar uma quebra de página antes de cada item de texto - + Service Sheet Folha de Culto - + Print Imprimir - + Title: Título: - + Custom Footer Text: Texto de Rodapé Customizado: @@ -4777,257 +4759,257 @@ Sufixo não suportado OpenLP.ProjectorConstants - + OK OK - + General projector error Erro no projetor - + Not connected error Erro não conectado - + Lamp error Erro na lâmpada - + Fan error Erro no fan/cooler - + High temperature detected Alta temperatura detectada - + Cover open detected Tampa aberta - + Check filter - Verifique o filtro e a entrada de ar + Verifique o filtro - + Authentication Error Erro de Autenticação - + Undefined Command Comando indefinido - + Invalid Parameter Parâmetro inválido - + Projector Busy - Projetor ocupado + Projetor Ocupado - + Projector/Display Error - Projector / exibição de erro + Projetor/Exibição Erro - + Invalid packet received Pacote recebido inválido - + Warning condition detected - + Alerta detectado - + Error condition detected - + Condição de erro detectada - + PJLink class not supported Classe PJLink não suportada - + Invalid prefix character Caractere de prefixo inválido - + The connection was refused by the peer (or timed out) A conexão foi recusada (ou excedeu o tempo limite) - + The remote host closed the connection O host remoto encerrou a conexão - + The host address was not found O endereço do host não foi encontrado - + The socket operation failed because the application lacked the required privileges A operação de socket falhou porque a aplicação não tinha os privilégios necessários - + The local system ran out of resources (e.g., too many sockets) O sistema local ficou sem recursos (por exemplo, muitas conexões de sockets) - + The socket operation timed out Tempo esgotado para operação de socket - + The datagram was larger than the operating system's limit O datagrama era maior que o limite permitido pelo sistema operacional - + An error occurred with the network (Possibly someone pulled the plug?) Ocorreu um erro de rede (Será possível que alguém puxou a tomada?) - + The address specified with socket.bind() is already in use and was set to be exclusive O endereço especificado pelo socket.bind() já está em uso e é exclusivo - + The address specified to socket.bind() does not belong to the host O endereço especificado ao socket.bind() não pertence ao host - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) A operação de socket requisitada não é suportada pelo sistema operacional local (por exemplo, a falta de suporte ao IPv6) - + The socket is using a proxy, and the proxy requires authentication O socket está usando um servidor proxy, e este servidor requer uma autenticação - - - 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 SSL/TLS handshake failed + O SSL/TLS handshake falhou + + + + The last operation attempted has not finished yet (still in progress in the background) + A última operação ainda não terminou (em andamento) + + + + Could not contact the proxy server because the connection to that server was denied + Não foi possível contactar ao servidor proxy. A conexão foi negada + + + 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 - + A conexão com o servidor proxy foi fechado inesperadamente (antes da ligação ser estabelecida) + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + A conexão com o servidor proxy expirou ou o servidor proxy parou de responder na fase de autenticação. + + + + The proxy address set with setProxy() was not found + O endereço de proxy configurado com setProxy() não foi encontrado + + + An unidentified error occurred Ocorreu um erro não identificado - + Not connected Não conectado - + Connecting Conectando - + Connected Conectado - + Getting status - Coletando status + Obtendo estado - + Off Desligado - + Initialize in progress Inicializar em andamento - + Power in standby - Em Standby + Em Espera - + Warmup in progress Aquecimento em Andamento - + Power is on Ligado - + Cooldown in progress Recarga em andamento - + Projector Information available Informação do Projetor disponível - + Sending data Enviando dados - + Received data Dados recebidos - + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood A conexão com o servidor proxy falhou porque a resposta do servidor proxy não pode ser entendida @@ -5035,17 +5017,17 @@ Sufixo não suportado OpenLP.ProjectorEdit - + Name Not Set Nome não definido - + You must enter a name for this entry.<br />Please enter a new name for this entry. Você deve digitar um nome.<br />Por favor, digite um novo nome. - + Duplicate Name Nome duplicado @@ -5053,360 +5035,415 @@ Sufixo não suportado OpenLP.ProjectorEditForm - + Add New Projector Adicionar Novo Projetor - + Edit Projector Editar Projetor - + IP Address Endereço IP - + Port Number Número da porta - + PIN PIN - + Name Nome - + Location Localização - + Notes Notas - + Database Error Erro no Banco de Dados - + There was an error saving projector information. See the log for the error - Ocorreu um erro ao salvar as informações do projetor.Veja o log do erro + Ocorreu um erro ao salvar as informações do projetor. Veja o registro de erro OpenLP.ProjectorManager - + Add Projector Adicionar Projetor - - Add a new projector - Adicionar um novo projetor - - - + Edit Projector Editar Projetor - - Edit selected projector - Editar projetor selecionado - - - + Delete Projector Excluir Projetor - - Delete selected projector - Excluir projetor selecionado - - - + Select Input Source Selecione a Fonte de Entrada - - Choose input source on selected projector - Escolha a entrada do projetor selecionado - - - + View Projector Visualizar Projetor - - View selected projector information - Ver informação do projetor selecionado - - - - Connect to selected projector - Conecte-se ao projetor selecionado - - - + Connect to selected projectors Conectar-se a projetores selecionados - + Disconnect from selected projectors Desconectar dos projetores selecionados - + Disconnect from selected projector - Desconectar do projetor seleccionado + Desconectar do projetor selecionado - + Power on selected projector - Ligar projetor seleccionado + Ligar projetor selecionado - + Standby selected projector - Standby projetor selecionado + Projetor selecionado em espera - - Put selected projector in standby - Colocar em modo de espera o Projetor selecionado - - - + Blank selected projector screen Apaga tela do projetor selecionado - + Show selected projector screen Mostrar tela do projetor selecionado - + &View Projector Information - Ver informações do projetor + &Ver informações do projetor - + &Edit Projector &Editar Projetor - + &Connect Projector &Conectar Projector - + D&isconnect Projector - Desconectar Projetor + Desc&onectar Projetor - + Power &On Projector &Ligar Projetor - + Power O&ff Projector &Desligar Projetor - + Select &Input - + Selecione &Entrada - + Edit Input Source - + Editar Fonte de Entrada - + &Blank Projector Screen &Tela de projeção em branco - + &Show Projector Screen &Mostra tela projetor - + &Delete Projector - &Excluir Projetor + E&xcluir Projetor - + Name Nome - + IP IP - + Port Porta - + Notes Notas - + Projector information not available at this time. Informação do projetor não disponível no momento. - + Projector Name Nome do Projetor - + Manufacturer - Produtor + Fabricante - + Model Modelo - + Other info Outra informação - + Power status - Status + Estado da energia - + Shutter is - + Obturador - + Closed Fechado - + Current source input is - + A entrada atual - + Lamp Lâmpada - - On - Ligado - - - - Off - Desligado - - - + Hours Horas - + No current errors or warnings Sem erros ou avisos - + Current errors/warnings Erros/Avisos - + Projector Information - Informações do projetor + Informações do Projetor - + No message Nenhuma mensagem - + Not Implemented Yet Ainda não implementado - - Delete projector (%s) %s? - Deletar projetor (%s) %s? - - - + Are you sure you want to delete this projector? Tem certeza de que deseja excluir este projetor? + + + Add a new projector. + Adicionar um novo projetor. + + + + Edit selected projector. + Editar o projetor selecionado. + + + + Delete selected projector. + Excluir o projetor selecionado. + + + + Choose input source on selected projector. + Escolher a fonte de entrada do projetor selecionado. + + + + View selected projector information. + Visualizar informações do projetor selecionado. + + + + Connect to selected projector. + Conectar-se ao projetor selecionado. + + + + Connect to selected projectors. + Conectar-se aos projetores selecionados. + + + + Disconnect from selected projector. + Desconectar do projetor selecionado. + + + + Disconnect from selected projectors. + Desconectar dos projetores selecionados. + + + + Power on selected projector. + Ligar o projetor selecionado. + + + + Power on selected projectors. + Ligar os projetores selecionados. + + + + Put selected projector in standby. + Colocar o projetor selecionado no modo de espera. + + + + Put selected projectors in standby. + Colocar os projetores selecionados no modo de espera. + + + + Blank selected projectors screen + Tela em branco nos projetores selecionados + + + + Blank selected projectors screen. + Tela em branco no projetor selecionado. + + + + Show selected projector screen. + Mostrar tela do projetor selecionado. + + + + Show selected projectors screen. + Mostrar tela dos projetores selecionados. + + + + is on + Ligado + + + + is off + Desligado + + + + Authentication Error + Erro de Autenticação + + + + No Authentication Error + Sem Erro de autenticação + OpenLP.ProjectorPJLink - + Fan - + Ventoinha - + Lamp Lâmpada - + Temperature Temperatura - + Cover - + Proteção - + Filter Filtro - + Other - Outra + Outro @@ -5434,33 +5471,33 @@ Sufixo não suportado Poll time (seconds) - + Tempo limite excedido (segundos) Tabbed dialog box - + Caixa de diálogo com guias Single dialog box - + Caixa de diálogo simples OpenLP.ProjectorWizard - + Duplicate IP Address Endereço IP duplicado - + Invalid IP Address Endereço IP inválido - + Invalid Port Number Número da Porta Inválida @@ -5473,27 +5510,27 @@ Sufixo não suportado Tela - + primary primário OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Início</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Duração</strong>: %s - - [slide %d] - [slide %d] + [slide {frame:d}] + [slide {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Início</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Duração</strong>: {length} @@ -5557,52 +5594,52 @@ Sufixo não suportado Excluir o item selecionado do culto. - + &Add New Item &Adicionar um Novo Item - + &Add to Selected Item &Adicionar ao Item Selecionado - + &Edit Item &Editar Item - + &Reorder Item &Reordenar Item - + &Notes &Anotações - + &Change Item Theme &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 @@ -5627,7 +5664,7 @@ Sufixo não suportado Recolher todos os itens do culto. - + Open File Abrir Arquivo @@ -5657,22 +5694,22 @@ Sufixo não suportado Enviar o item selecionado para a Projeção. - + &Start Time &Horário Inicial - + Show &Preview - Exibir &Pré-visualização + Exibir Pré-&visualização - + Modified Service Culto Modificado - + The current service has been modified. Would you like to save this service? O culto atual foi modificada. Você gostaria de salvar este culto? @@ -5692,27 +5729,27 @@ Sufixo não suportado Duração: - + Untitled Service 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 @@ -5732,142 +5769,144 @@ 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. - + Service File(s) Missing Arquivo(s) Faltando no Culto - + &Rename... - + &Renomear... - + Create New &Custom Slide - + &Criar um novo slide personalizado. - + &Auto play slides - + &Avanço automático dos slides - + Auto play slides &Loop - + Exibir Slides com Repetição - + Auto play slides &Once - + Repetir &os slides uma única vez - + &Delay between slides - + &Espera entre slides em segundos. - + OpenLP Service Files (*.osz *.oszl) - + Arquivos de Serviço OpenLP (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + Arquivos de Serviço OpenLP (*.osz);; Arquivos de Serviço OpenLP - lite (*.oszl) - + OpenLP Service Files (*.osz);; - + Arquivos de Serviço OpenLP (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. - + Não é um arquivo de serviço válido. +A codificação do conteúdo não é 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. - + O arquivo de serviço que você está tentando abrir está em um formato antigo. + Por favor, salve-o usando OpenLP 2.0.2 ou superior. - + This file is either corrupt or it is not an OpenLP 2 service file. - + Este arquivo está corrompido ou não é um arquivo de serviço OpenLP 2. - + &Auto Start - inactive - + Início &Automático - desativado - + &Auto Start - active - + Início &Automático - ativado - + Input delay - + Atraso de entrada - + Delay between slides in seconds. Espera entre slides em segundos. - + Rename item title - + Renomear título do item - + Title: Título: - - An error occurred while writing the service file: %s + + The following file(s) in the service are missing: {name} + +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. + + An error occurred while writing the service file: {error} @@ -5900,15 +5939,10 @@ These files will be removed if you continue to save. Atalho - + Duplicate Shortcut Atalho Repetido - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - O atalho "%s" já está designado para outra ação, escolha um atalho diferente. - Alternate @@ -5954,238 +5988,252 @@ These files will be removed if you continue to save. Configure Shortcuts Configurar Atalhos + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Ocultar - + Go To Ir Para - + Blank Screen Apagar Tela - + Blank to Theme Apagar e deixar o Tema - + Show Desktop Mostrar a Área de Trabalho - + Previous Service Lista Anterior - + Next Service Próxima Lista - + Escape Item Escapar Item - + Move to previous. Mover para o anterior. - + Move to next. Mover para o seguinte. - + Play Slides Exibir Slides - + Delay between slides in seconds. Espera entre slides em segundos. - + Move to live. Mover para projeção. - + Add to Service. Adicionar ao Culto. - + Edit and reload song preview. Editar e recarregar pré-visualização da música. - + Start playing media. Começar a reproduzir mídia. - + Pause audio. Pausar o áudio. - + Pause playing media. Pausar mídia sendo reproduzido. - + Stop playing media. Parar mídia sendo reproduzido. - + Video position. Posição do vídeo - + Audio Volume. Volume do Áudio. - + Go to "Verse" Ir para "Estrofe" - + Go to "Chorus" Ir para "Refrão" - + Go to "Bridge" Ir para "Ponte" - + Go to "Pre-Chorus" Ir para "Pré-Refrão" - + Go to "Intro" Ir para "Introdução" - + Go to "Ending" Ir para "Final" - + Go to "Other" Ir para "Outro" - + Previous Slide Slide Anterior - + Next Slide Slide Seguinte - + Pause Audio Interromper Som - + Background Audio Som de Fundo - + Go to next audio track. Ir para a próxima faixa de áudio - + Tracks Faixas + + + Loop playing media. + Reproduzir mídia em laço. + + + + Video timer. + Temporizador de Vídeo. + OpenLP.SourceSelectForm - + Select Projector Source - Selecione Projector origem + Selecionar Fonte de Entrada do Projetor - + Edit Projector Source Text - Editar a origem do texto do Projetor -  + Editar a Fonte de Entrada de Texto do Projetor + + + + Ignoring current changes and return to OpenLP + Ignorar alterações atuais e retornar ao OpenLP - Ignoring current changes and return to OpenLP - + Delete all user-defined text and revert to PJLink default text + Deletar todo texto definido pelo usuário e reverter ao texto PJLink padrão - Delete all user-defined text and revert to PJLink default text - + Discard changes and reset to previous user-defined text + Descartar alterações e voltar para o texto anterior definido pelo usuário - Discard changes and reset to previous user-defined text - - - - Save changes and return to OpenLP - + Salvar alterações e retornar ao OpenLP - + Delete entries for this projector - Excluir entradas do projector + Excluir entradas para este projetor - + Are you sure you want to delete ALL user-defined source input text for this projector? - Tem certeza de que quer apagar o assunto selecionado? + Tem certeza de que deseja excluir todas as fontes de entrada de texto definidas pelo usuário para este projetor? OpenLP.SpellTextEdit - + Spelling Suggestions Sugestões Ortográficas - + Formatting Tags - Tags de Formatação + Etiquetas de Formatação - + Language: Idioma: @@ -6218,7 +6266,7 @@ These files will be removed if you continue to save. Hours: - Horários: + Horas: @@ -6264,7 +6312,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (aproximadamente %d linhas por slide) @@ -6272,521 +6320,533 @@ These files will be removed if you continue to save. OpenLP.ThemeManager - + Create a new theme. Criar um novo tema. - + Edit Theme Editar Tema - + Edit a theme. Editar um tema. - + Delete Theme Excluir Tema - + Delete a theme. Excluir um tema. - + Import Theme Importar Tema - + Import a theme. Importar um tema. - + Export Theme Exportar Tema - + Export a theme. Exportar um tema. - + &Edit Theme &Editar Tema - + &Delete Theme &Apagar Tema - + Set As &Global Default Definir como Padrão &Global - - %s (default) - %s (padrão) - - - + You must select a theme to edit. Você precisa selecionar um tema para editar. - + You are unable to delete the default theme. Você não pode apagar o tema padrão. - + 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 - + 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. - + &Copy Theme &Copiar Tema - + &Rename Theme &Renomear Tema - + &Export Theme &Exportar Tema - + You must select a theme to rename. Você precisa selecionar um tema para renomear. - + Rename Confirmation Confirmar Renomeação - + Rename %s theme? Renomear o tema %s? - + You must select a theme to delete. Você precisa selecionar um tema para excluir. - + Delete Confirmation Confirmar Exclusão - + Delete %s theme? Apagar o tema %s? - + Validation Error Erro de Validação - + A theme with this name already exists. Já existe um tema com este nome. - - Copy of %s - Copy of <theme name> - 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) - + Temas do OpenLP (*.otz) - - %s time(s) by %s - - - - + Unable to delete theme + Não é possível deletar o tema + + + + {text} (default) + {text} (padrão) + + + + Copy of {name} + Copy of <theme name> + Cópia de {name} + + + + Save Theme - ({name}) + Salvar Tema - ({name}) + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + {name} (padrão) + + + + Theme {name} already exists. Do you want to replace it? + {count} time(s) by {plugin} + {count} vez(es) por {plugin} + + + Theme is currently used -%s - +{text} + Tema atualmente usado + +{text} OpenLP.ThemeWizard - + Theme Wizard Assistente de Tema - + Welcome to the Theme Wizard Bem-vindo ao Assistente de Tema - + Set Up Background Configurar Plano de Fundo - + Set up your theme's background according to the parameters below. Configure o plano de fundo de seu tema de acordo com os parâmetros abaixo. - + Background type: Tipo de plano de fundo: - + Gradient Degradê - + Gradient: Degradê: - + Horizontal Horizontal - + Vertical Vertical - + Circular Circular - + Top Left - Bottom Right Esquerda Superior - Direita Inferior - + Bottom Left - Top Right Esquerda Inferior - Direita Superior - + Main Area Font Details Detalhes da Fonte da Área Principal - + Define the font and display characteristics for the Display text Definir a fonte e características de exibição para o texto de Exibição - + Font: Fonte: - + Size: Tamanho: - + Line Spacing: Espaçamento entre linhas: - + &Outline: &Contorno: - + &Shadow: &Sombra: - + Bold Negrito - + Italic Itálico - + Footer Area Font Details Detalhes de Fonte da Área de Rodapé - + Define the font and display characteristics for the Footer text Defina a fone e as características de exibição do texto de Rodapé - + Text Formatting Details Detalhes da Formatação de Texto - + Allows additional display formatting information to be defined Permite que informações adicionais de formatações de exibição sejam definidas - + Horizontal Align: Alinhamento Horizontal: - + Left Esquerda - + Right Direita - + Center Centralizado - + Output Area Locations Posições das Áreas de Saída - + &Main Area &Área Principal - + &Use default location &Usar posição padrão - + X position: Posição X: - + px px - + Y position: Posição Y: - + Width: Largura: - + Height: Altura: - + Use default location Usar posição padrão - + Theme name: Nome do tema: - - Edit Theme - %s - Editar Tema - %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. Este assistente vai ajudá-lo a criar e editar seus temas. Clique no botão avançar abaixo para iniciar o processo, configurando seu plano de fundo. - + Transitions: Transições: - + &Footer Area Área do &Rodapé - + Starting color: Cor inicial: - + Ending color: Cor final: - + Background color: Cor do Plano de Fundo: - + Justify Justificar - + Layout Preview Previsualizar a Disposição - + Transparent Transparente - + Preview and Save Visualizar e Salvar - + Preview the theme and save it. - Visualizar o tema e salvar + Pré-visualizar o tema e salvar. - + Background Image Empty Imagem de Fundo Não-especificado - + Select Image Selecione Imagem - + Theme Name Missing Falta Nome do Tema - + There is no name for this theme. Please enter one. Não existe um nome para este tema. Favor digitar um. - + Theme Name Invalid Nome do Tema Inválido - + Invalid theme name. Please enter one. Nome do tema inválido. Favor especificar um. - + Solid color - + Cor solida - + color: - + Cor: - + Allows you to change and move the Main and Footer areas. - + Permite modificar e mover as áreas principal e de rodapé. - + You have not selected a background image. Please select one before continuing. Você não selecionou uma imagem de fundo. Por favor, selecione uma antes de continuar. + + + Edit Theme - {name} + Editar Tema - {name} + + + + Select Video + Selecione o Video + OpenLP.ThemesTab @@ -6838,12 +6898,12 @@ These files will be removed if you continue to save. Universal Settings - + Configurações Universais &Wrap footer text - + &Quebrar texto do rodapé @@ -6869,73 +6929,73 @@ These files will be removed if you continue to save. Alinhamento &Vertical: - + Finished import. Importação concluída. - + Format: Formato: - + Importing Importando - + Importing "%s"... Importando "%s"... - + Select Import Source Selecionar Origem da Importação - + Select the import format and the location to import from. Selecione o formato e a localização para a importação. - + Open %s File Abrir o Arquivo %s - + %p% %p% - + Ready. Pronto. - + Starting import... Iniciando importação... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong 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 - + Welcome to the Song Export Wizard Bem Vindo ao Assistente de Exportação de Músicas - + Welcome to the Song Import Wizard Bem-vindo ao Assistente de Importação de Música @@ -6985,39 +7045,34 @@ These files will be removed if you continue to save. Erro de sintaxe XML - - Welcome to the Bible Upgrade Wizard - Bem-vindo ao Assistente de Atualização de Bíblias - - - + Open %s Folder Abrir Diretório %s - + You need to specify one %s file to import from. A file type e.g. OpenSong Você precisa especificar um arquivo %s de onde importar. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Você precisa especificar um diretório %s de onde importar. - + Importing Songs Importando Músicas - + Welcome to the Duplicate Song Removal Wizard Bem-vindo ao Assistente de Remoção Música Duplicada - + Written by Compositor @@ -7027,543 +7082,602 @@ These files will be removed if you continue to save. Autor Desconhecido - + About Sobre - + &Add &Adicionar - + Add group Adicionar grupo - + Advanced Avançado - + All Files Todos os Arquivos - + Automatic Automático - + Background Color Cor do Plano de Fundo - + Bottom Rodapé - + Browse... Procurar... - + Cancel Cancelar - + CCLI number: Número CCLI: - + Create a new service. Criar uma novo culto. - + Confirm Delete Confirmar Exclusão - + Continuous Contínuo - + Default Padrão - + Default Color: Cor Padrão: - + 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. Culto %Y-%m-%d %H-%M - + &Delete - &Excluir + E&xcluir - + Display style: Estilo de Exibição: - + Duplicate Error Erro de duplicidade - + &Edit &Editar - + Empty Field Campo Vazio - + Error Erro - + Export Exportar - + File Arquivo - + File Not Found Arquivo Não Encontrado - - File %s not found. -Please try selecting it individually. - Arquivo %s não encontrado. -Por favor, tente selecionar individualmente. - - - + pt Abbreviated font pointsize unit pt - + Help Ajuda - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Diretório Inválido Selecionado - + Invalid File Selected Singular Arquivo Inválido Selecionado - + Invalid Files Selected Plural Arquivos Inválidos Selecionados - + Image Imagem - + Import Importar - + Layout style: Estilo do Layout: - + Live Ao Vivo - + Live Background Error Erro no Fundo da Projeção - + Live Toolbar Barra de Ferramentas de Projeção - + Load Carregar - + Manufacturer Singular - Produtor + Fabricante - + Manufacturers Plural - Produtores + Fabricantes - + Model Singular Modelo - + Models Plural Modelos - + m The abbreviated unit for minutes m - + Middle Meio - + New Novo - + New Service Novo Culto - + New Theme Novo Tema - + Next Track Faixa Seguinte - + No Folder Selected Singular Nenhum Diretório Selecionado - + No File Selected Singular Nenhum Arquivo Selecionado - + No Files Selected Plural Nenhum Arquivo Selecionado - + No Item Selected Singular Nenhum Item Selecionado - + No Items Selected Plural Nenhum Item Selecionado - + OpenLP is already running. Do you wish to continue? OpenLP já está sendo executado. Deseja continuar? - + Open service. Abrir culto. - + Play Slides in Loop Exibir Slides com Repetição - + Play Slides to End Exibir Slides até o Fim - + Preview Pré-Visualização - + Print Service Imprimir Culto - + Projector Singular Projetor - + Projectors Plural Projetores - + 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 - + CCLI song number: Número da Música na CCLI: - + Preview Toolbar Pré-visulalização - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + A troca do fundo da projeção não está disponível quando o Webkit está desabilitado. Songbook Singular - + Hinário Songbooks Plural + Hinários + + + + Background color: + Cor do Plano de Fundo: + + + + Add group. + Adicionar grupo. + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Vídeo + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Nenhuma Bíblia Disponível + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + Capítulo do Livro + + + + Chapter + Capítulo + + + + Verse + Estrofe + + + + Psalm + Salmos + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 OpenLP.core.lib - + %s and %s Locale list separator: 2 items - + %s e %s - + %s, and %s Locale list separator: end - + %s, e %s - + %s, %s Locale list separator: middle - + %s, %s - + %s, %s Locale list separator: start - + %s, %s @@ -7571,7 +7685,7 @@ Por favor, tente selecionar individualmente. Source select dialog interface - + Origem da interface de diálogo @@ -7643,47 +7757,47 @@ Por favor, tente selecionar individualmente. Apresentar usando: - + File Exists O Arquivo já Existe - + A presentation with that filename already exists. Já existe uma apresentação com este nome. - + This type of presentation is not supported. Este tipo de apresentação não é suportado. - - Presentations (%s) - 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. + + Presentations ({text}) + Apresentações ({text}) - - The presentation %s no longer exists. - A apresentação %s já não existe mais. + + The presentation {name} no longer exists. + A apresentação {name} não existe mais. + + + + The presentation {name} is incomplete, please reload. + A apresentação {name} está incompleta, por favor recarregue-a. 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. + Ocorreu um erro na integração do Powerpoint e a apresentação será interrompida. Reinicie a apresentação se quiser apresentá-la. @@ -7693,11 +7807,6 @@ Por favor, tente selecionar individualmente. Available Controllers Controladores Disponíveis - - - %s (unavailable) - %s (indisponível) - Allow presentation application to be overridden @@ -7711,33 +7820,39 @@ Por favor, tente selecionar individualmente. Use given full path for mudraw or ghostscript binary: - + Use o caminho completo para mudraw ou binário ghostscript: - + Select mudraw or ghostscript binary. - + Selecionar mudraw ou binário ghostscript. - + The program is not ghostscript or mudraw which is required. - + O programa não é o ghostscript ou mudraw que é requerido. PowerPoint options - + Opções PowerPoint - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + {name} (unavailable) + {name} (indisponível) + RemotePlugin @@ -7767,138 +7882,138 @@ Por favor, tente selecionar individualmente. Server Config Change - + Alterar Configuração do Servidor Server configuration changes will require a restart to take effect. - + Mudanças de configuração do servidor requer um reinício para ter efeito. 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 + Adicionar &amp; ao Culto - + No Results Nenhum Resultado - + Options Opções - + Service Culto - + Slides Slides - + Settings Configurações - + Remote Remoto - + Stage View - Visualização de Palvo + Visualização de Palco - + Live View Ao vivo @@ -7906,78 +8021,88 @@ Por favor, tente selecionar individualmente. RemotePlugin.RemoteTab - + Serve on IP address: Endereço IP do servidor: - + Port number: Número de porta: - + Server Settings Configurações do Servidor - + Remote URL: URL Remoto: - + Stage view URL: URL de Visualização de Palco: - + Display stage time in 12h format Exibir hora de palco no formato 12h - - - Android App - Aplicativo Android - - - - 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: - - + Android App + App Android + + + + Live view URL: + ULR Visualização ao vivo: + + + + HTTPS Server + Servidor 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. + Não foi possível encontrar um certificado SSL. O servidor HTTPS não estará disponível a menos que um certificado SSL seja encontrado. Por favor, consulte o manual para obter mais informações. + + + + User Authentication + Autenticação de Usuário + + + + User id: + id do Usuário: + + + Password: Senha: - + Show thumbnails of non-text slides in remote and stage view. + Exibir miniaturas dos slides de imagens na visão remota e palco. + + + + iOS App + Aplicativo iOS + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. @@ -8011,58 +8136,58 @@ Por favor, tente selecionar individualmente. Toggle Tracking - Alternar Registro + Liga/Desliga Registro Toggle the tracking of song usage. - Alternar o registro de uso das músicas. + Liga/Desliga 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 + Música Utilizada - + SongUsage name plural - UsoDaMúsica + Músicas Utilizadas - + SongUsage container title - UsoDaMúsica + Música Utilizada - + 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 @@ -8093,12 +8218,13 @@ Por favor, tente selecionar individualmente. Select the date up to which the song usage data should be deleted. All data recorded before this date will be permanently deleted. - + Selecione a data até à qual os dados de uso de música devem ser excluídos. +Todos os dados gravados antes desta data serão excluídos permanentemente. All requested data has been deleted successfully. - + Todos os dados solicitados foram apagados com sucesso. @@ -8129,24 +8255,10 @@ All data recorded before this date will be permanently deleted. 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. - Relatório -%s -foi criado com sucesso. - Output Path Not Selected @@ -8156,48 +8268,63 @@ foi criado com sucesso. You have not set a valid output location for your song usage report. Please select an existing path on your computer. - + Você não definiu um local de saída válido para o relatório de uso de música. +Por favor selecione um caminho existente no seu computador. - + Report Creation Failed - + Falha na Criação de Relatório - - An error occurred while creating the report: %s - + + usage_detail_{old}_{new}.txt + detalhe_uso_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + Relatório +{name} +foi criado com sucesso. + + + + An error occurred while creating the report: {error} + Ocorreu um erro ao criar o relatório: {error} 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... @@ -8293,80 +8420,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 - + CCLI SongSelect - + Import songs from CCLI's SongSelect service. - + Importar músicas do serviço SongSelect do CCLI. - + Find &Duplicate Songs - Buscar musicas duplicadas + &Buscar musicas duplicadas - + Find and remove duplicate songs in the song database. Busca e remover músicas duplicadas no banco de dados. @@ -8449,67 +8576,73 @@ A codificação é responsável pela correta representação dos caracteres. Invalid DreamBeam song file. Missing DreamSong tag. - + Arquivo de música DreamBeam inválido. Nenhum verso encontrado. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administrado por %s - - - - "%s" could not be imported. %s - - - - + Unexpected data formatting. - + Formatação de dados inesperada. - + No song text found. - + Nenhum texto de música encontrado. - + [above are Song Tags with notes imported from EasyWorship] - - - - - This file does not exist. - + +[Acima são Etiquetas de canção com notas importadas do EasyWorship] + This file does not exist. + Este arquivo não existe. + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. - + Não foi possível encontrar o arquivo "Songs.MB". Ele deve estar na mesma pasta que o arquivo "Songs.DB". - + This file is not a valid EasyWorship database. - + O arquivo não é um banco de dado EasyWorship válido. - + Could not retrieve encoding. - + Não foi possível recuperar a codificação. + + + + Administered by {admin} + Administrado por {admin} + + + + "{title}" could not be imported. {entry} + "{title}" não pode ser importado. {entry} + + + + "{title}" could not be imported. {error} + "{title}" não pode ser importado. {error} SongsPlugin.EditBibleForm - + Meta Data Metadados - + Custom Book Names Nomes de Livros Personalizados @@ -8529,7 +8662,7 @@ A codificação é responsável pela correta representação dos caracteres. Alt&ernate title: - Título &Alternativo: + Tít&ulo Alternativo: @@ -8539,12 +8672,12 @@ A codificação é responsável pela correta representação dos caracteres. &Verse order: - Ordem das &estrofes: + &Ordem das estrofes: Ed&it All - &Editar Todos + Ed&itar Todos @@ -8554,7 +8687,7 @@ A codificação é responsável pela correta representação dos caracteres. &Add to Song - &Adicionar à Música + &Adicionar Autor @@ -8564,7 +8697,7 @@ A codificação é responsável pela correta representação dos caracteres. A&dd to Song - A&dicionar uma Música + Adicionar &Tópico @@ -8592,57 +8725,57 @@ A codificação é responsável pela correta representação dos caracteres.Tema, Direitos Autorais && Comentários - + Add Author Adicionar Autor - + This author does not exist, do you want to add them? Este autor não existe, deseja adicioná-lo? - + This author is already in the list. Este autor já está na lista. - + 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. Você não selecionou um autor válido. Selecione um autor da lista, ou digite um novo autor e clique em "Adicionar Autor à Música" para adicioná-lo. - + Add Topic Adicionar Assunto - + This topic does not exist, do you want to add it? Este assunto não existe, deseja adicioná-lo? - + This topic is already in the list. Este assunto já está na lista. - + 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. Você não selecionou um assunto válido. Selecione um assunto da lista ou digite um novo assunto e clique em "Adicionar Assunto à Música" para adicioná-lo. - + You need to type in a song title. Você deve digitar um título para a música. - + You need to type in at least one verse. Você deve digitar ao menos um verso. - + You need to have an author for this song. Você precisa ter um autor para esta música. @@ -8667,7 +8800,7 @@ A codificação é responsável pela correta representação dos caracteres.Excluir &Todos - + Open File(s) Abrir Arquivo(s) @@ -8682,15 +8815,9 @@ A codificação é responsável pela correta representação dos caracteres.<strong>Alerta:</strong>Você não digitou uma ordem de versos. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - - - + Invalid Verse Order - + Ordem dos Versos Inválida @@ -8698,81 +8825,101 @@ Please enter the verses separated by spaces. &Editar Tipo de Autor - + Edit Author Type Editar Tipo de Autor - + Choose type for this author Escolha o tipo para este autor - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks - + &Gerenciar Autores, Tópicos, Hinários Add &to Song - + Adicionar &Hinário Re&move - + Re&mover Authors, Topics && Songbooks - + Autores, Tópicos && Hinários - + Add Songbook - + Adicionar Hinário - + This Songbook does not exist, do you want to add it? - + Este Hinário não existe, você deseja adicioná-lo? - + This Songbook is already in the list. + Este Hinário já está na lista. + + + + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + Você não selecionou um hinário válido. Selecione um hinário na lista, ou digite um novo hinário e clique em "Adicionar Hinário" para adicioná-lo. + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. - - You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name SongsPlugin.EditVerseForm - + Edit Verse Editar Estrofe - + &Verse type: Tipo de &Estrofe: - + &Insert &Inserir - + Split a slide into two by inserting a verse splitter. Dividir um slide em dois, inserindo um divisor de estrófes. @@ -8785,85 +8932,85 @@ Please enter the verses separated by spaces. Assistente de Exportação de Músicas - + Select Songs Selecionar Músicas - + Check the songs you want to export. Marque as músicas que você deseja exportar. - + Uncheck All Desmarcar Todas - + Check All Marcar Todas - + Select Directory Selecionar Diretório - + Directory: Diretório: - + Exporting Exportando - + Please wait while your songs are exported. Por favor aguarde enquanto as suas músicas são exportadas. - + You need to add at least one Song to export. Você precisa adicionar pelo menos uma Música para exportar. - + No Save Location specified Nenhum Localização para Salvar foi especificado - + Starting export... Iniciando a exportação... - + You need to specify a directory. Você precisa especificar um diretório. - + Select Destination Folder Selecione a Pasta de Destino - + Select the directory where you want the songs to be saved. Selecionar o diretório onde deseja salvar as músicas. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. - + Este assistente ira ajudá-lo a exportar suas músicas para o formato aberto e livre do <strong>OpenLyrics </strong>. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Arquivo de música Foilpresenter inválido. Nenhum verso encontrado. @@ -8871,7 +9018,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Habilitar busca ao digitar @@ -8879,7 +9026,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selecione Arquivos de Documentos/Apresentações @@ -8889,228 +9036,238 @@ Please enter the verses separated by spaces. Assistente de Importação de Música - + 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. Este assistente irá ajudá-lo a importar músicas de uma variedade de formatos. Clique no abaixo no botão Próximo para iniciar o processo, escolhendo um desses formatos. - + Generic Document/Presentation Documento/Apresentação Genérica - + Add Files... Adicionar Arquivos... - + Remove File(s) Remover Arquivos(s) - + Please wait while your songs are imported. Por favor espere enquanto as suas músicas são importadas. - + Words Of Worship Song Files Arquivos de Música do Words Of Worship - + Songs Of Fellowship Song Files Arquivos do Songs Of Fellowship - + SongBeamer Files Arquivos do SongBeamer - + SongShow Plus Song Files Arquivos do SongShow Plus - + Foilpresenter Song Files Arquivos do Folipresenter - + Copy Copiar - + Save to File Salvar em Arquivo - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. A importação Songs of Fellowship foi desabilitada porque OpenLP não consegue acessar OpenOffice ou LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. A importação de documentos/apresentações genéricos foi desabilitada porque OpenLP não consegue acessar OpenOffice ou LibreOffice. - + OpenLyrics Files Arquivos OpenLyrics - + CCLI SongSelect Files Arquivos CCLI - + EasySlides XML File Arquivo XML EasySlides - + EasyWorship Song Database Músicas EasyWorship - + DreamBeam Song Files Arquivos de Música DreamBeam - + You need to specify a valid PowerSong 1.0 database folder. Você precisa especificar um diretório válido de banco de dados do 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>. Primeiro converta o seu banco de dados do ZionWorx, como explicado no <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Manual do Usuário</a> - + SundayPlus Song Files Arquivos de Música do SundayPlus - + This importer has been disabled. Esta importação foi desabilitada. - + MediaShout Database Banco de Dados do 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. - A importação do MediaShout somente é suportada no Windows. Ela foi desabilitada por causa de um módulo Python inexistente. Se você deseja utilizar esta importação, você precisa instalar o módulo "pyodbc". + A importação do MediaShout só é suportada no Windows. Ela foi desabilitada por causa de um módulo Python inexistente. Se você deseja utilizar esta importação, você precisa instalar o módulo "pyodbc". - + SongPro Text Files Arquivos Texto do SongPro - + SongPro (Export File) SongPro (Arquivo de Exportação) - + In SongPro, export your songs using the File -> Export menu No SongPro, exporte as suas músicas utilizando o menu Arquivo -> Exportar. - + EasyWorship Service File - + Arquivo de Culto do EasyWorship - + WorshipCenter Pro Song Files - + Arquivos de Música 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. - + A importação do MediaShout só é suportada no Windows. Ela foi desabilitada por causa de um módulo Python inexistente. Se você deseja utilizar esta importação, você precisa instalar o módulo "pyodbc". - + PowerPraise Song Files - + Arquivos de Música PowerPraise + + + + PresentationManager Song Files + Arquivos de Música PresentationManager + + + + Worship Assistant Files + Arquivos do Worship Assistant + + + + Worship Assistant (CSV) + Worship Assistant (CSV) + + + + In Worship Assistant, export your Database to a CSV file. + No Worship Assistant, exporte seu banco de dado para um arquivo CSV. + + + + OpenLyrics or OpenLP 2 Exported Song + Música Exportada OpenLyrics ou OpenLP 2 + + + + OpenLP 2 Databases + Bancos de Dados do OpenLP 2 + + + + LyriX Files + Arquivos LyriX + + + + LyriX (Exported TXT-files) + LyriX (arquivo TXT exportado) + + + + VideoPsalm Files + Arquivos VideoPsalm + + + + VideoPsalm + VideoPsalm + + + + OPS Pro database + Base de dados OPS Pro - PresentationManager Song Files - + The OPS 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. + A importação do OPS Pro só é suportada no Windows. Ela foi desativada devido a um módulo Python em falta. Se você deseja utilizar esta importação, você precisará instalar o módulo "pyodbc". - - ProPresenter 4 Song Files - + + ProPresenter Song Files + Arquivos de Música ProPresenter - - Worship Assistant Files - - - - - Worship Assistant (CSV) - - - - - In Worship Assistant, export your Database to a CSV file. - - - - - OpenLyrics or OpenLP 2 Exported Song - - - - - OpenLP 2 Databases - - - - - LyriX Files - - - - - LyriX (Exported TXT-files) - - - - - VideoPsalm Files - - - - - VideoPsalm - - - - - The VideoPsalm songbooks are normally located in %s + + The VideoPsalm songbooks are normally located in {path} @@ -9118,8 +9275,13 @@ Please enter the verses separated by spaces. SongsPlugin.LyrixImport - Error: %s - + File {name} + Arquivo {name} + + + + Error: {error} + Erro: {error} @@ -9138,89 +9300,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Títulos - + Lyrics Letras - + CCLI License: Licença CCLI: - + Entire Song Música Inteira - + Maintain the lists of authors, topics and books. Gerencia a lista de autores, tópicos e hinários. - + copy For song cloning copiar - + Search Titles... Pesquisar títulos... - + Search Entire Song... Música Inteira - + Search Lyrics... Pesquisar letras... - + Search Authors... Pesquisar autores... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + Pesquisar Hinários... - - Search Songbooks... + + Search Topics... + Pesquisando Tópicos... + + + + Copyright + Direitos Autorais + + + + Search Copyright... + Pesquisando Direitos Autorais... + + + + CCLI number + Numero CCLI + + + + Search CCLI number... + Pesquisando numero CCLI... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Não foi possível abrir o banco de dados do MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Não é possível conectar ao banco de dados OPS Pro. + + + + "{title}" could not be imported. {error} + "{title}" não pode ser importado. {error} + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + Não é uma base de dados de músicas válido do OpenLP 2. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportando "%s"... + + Exporting "{title}"... + Exportando "{title}"... @@ -9228,7 +9428,7 @@ Please enter the verses separated by spaces. Invalid OpenSong song file. Missing song tag. - + Arquivo de música OpenSong inválido. Nenhum verso encontrado. @@ -9239,29 +9439,37 @@ Please enter the verses separated by spaces. Nenhuma música para importar. - + Verses not found. Missing "PART" header. Os versículos não foram encontrados. O cabeçalho "PART" está faltando. - No %s files found. - Nenhum arquivo %s encontrado. + No {text} files found. + Arquivo {text} não existe. - Invalid %s file. Unexpected byte value. - Arquivo %s inválido. Valor inesperado de byte. + Invalid {text} file. Unexpected byte value. + Arquivo {text} inválido. Valor inesperado de byte. - Invalid %s file. Missing "TITLE" header. - Arquivo %s inválido. Falta cabeçalho "TITLE". + Invalid {text} file. Missing "TITLE" header. + Arquivo {text} inválido. Falta cabeçalho "TITLE". - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Arquivo %s inválido. Falta cabeçalho "COPYRIGHTLINE". + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Arquivo {text} inválido. Falta cabeçalho "COPYRIGHTLINE". + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9284,25 +9492,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + Gerenciador de Hinário 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 - + + Your song export failed because this error occurred: {error} + A exportação da música falhou porque ocorreu o erro: {error} @@ -9318,17 +9526,17 @@ Please enter the verses separated by spaces. As seguintes músicas não puderam ser importadas: - + Cannot access OpenOffice or LibreOffice Não foi possível acessar OpenOffice ou LibreOffice - + Unable to open file Não foi possível abrir o arquivo - + File not found Arquivo não encontrado @@ -9336,109 +9544,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Não foi possível adicionar seu autor. - + This author already exists. Este autor já existe. - + Could not add your topic. Não foi possível adicionar seu assunto. - + This topic already exists. Este assunto já existe. - + Could not add your book. Não foi possível adicionar seu livro. - + This book already exists. Este livro já existe. - + Could not save your changes. Não foi possível salvar suas alterações. - + Could not save your modified author, because the author already exists. Não foi possível salvar sue autor modificado, pois o autor já existe. - + Could not save your modified topic, because it already exists. O assunto modificado não pode ser salvo porque já existe. - + Delete Author Excluir Autor - + Are you sure you want to delete the selected author? Você tem certeza de que deseja excluir o autor selecionado? - + This author cannot be deleted, they are currently assigned to at least one song. Este autor não pode ser apagado, pois está associado a pelo menos uma música. - + Delete Topic Excluir Assunto - + Are you sure you want to delete the selected topic? Tem certeza de que quer apagar o assunto selecionado? - + This topic cannot be deleted, it is currently assigned to at least one song. Este assunto não pode ser apagado, pois está associado a pelo menos uma música. - + Delete Book Excluir Hinário - + Are you sure you want to delete the selected book? Tem certeza de que quer excluir o hinário selecionado? - + This book cannot be deleted, it is currently assigned to at least one song. Este hinário não pode ser excluido, pois está associado a ao menos uma música. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - O autor %s já existe. Deseja que as músicas com o autor %s usem o autor %s existente? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + O autor {original} já existe. Deseja que as músicas com o autor {new} usem o autor {original} existente? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - O assunto %s já existe. Deseja que as músicas com o assunto %s usem o assunto %s existente? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + O topico {original} já existe. Deseja que as músicas com o autor {new} usem o autor {original} existente? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - O hinário %s já existe. Deseja que as músicas com o hinário %s usem o hinário %s existente? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + O hinário {original} já existe. Deseja que as músicas com o autor {new} usem o autor {original} existente? @@ -9446,12 +9654,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + Importador CCLI SongSelect <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + <strong>Nota:</strong> Uma ligação à Internet é necessária para importar músicas do CCLI SongSelect. @@ -9466,132 +9674,132 @@ Please enter the verses separated by spaces. Save username and password - + Salvar nome de usuário e senha Login - + Login Search Text: - + Texto de busca: Search Busca - - - Found %s song(s) - - - - - Logout - - + Logout + Deslogar + + + View Visualizar - + Title: Título: - + Author(s): Autor(s): - + Copyright: Direitos Autorais: - - - CCLI Number: - - - Lyrics: - + CCLI Number: + Número CCLI: + Lyrics: + Letras: + + + Back Voltar - + Import Importar More than 1000 results - + Mais de 1000 resultados Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. - + Sua busca retornou mais de 1000 resultados e parou. Por favor, refine sua busca para alcançar melhores resultados. Logging out... - + Deslogando... Save Username and Password - + Salvar nome de usuário e senha 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. - + AVISO: Salvar seu nome de usuário e senha é INSEGURO, sua senha é armazenada em TEXTO SIMPLES. Clique em Sim para salvar sua senha ou Não para cancelar. Error Logging In - + Erro na Autenticação There was a problem logging in, perhaps your username or password is incorrect? - + Houve um erro na autenticação, talvez seu nome de usuário ou senha esteja incorreto? - + Song Imported - + Música importada Incomplete song - + Música incompleta This song is missing some information, like the lyrics, and cannot be imported. - + Esta música está faltando algumas informações, como letras, e não pode ser importada. - + Your song has been imported, would you like to import more songs? - + Sua música foi importada, você gostaria de importar mais músicas? Stop - + Parar + + + + Found {count:d} song(s) + Encontrado {count:d} música(s) @@ -9601,30 +9809,30 @@ Please enter the verses separated by spaces. Songs Mode Modo de Música - - - Display verses on live tool bar - Exibir estrofes na barra de ferramentas de projeção - Update service from song edit Atualizar culto após editar música - - - Import missing songs from service files - Importar músicas de arquivos de culto - Display songbook in footer + Mostrar hinário no rodapé + + + + Enable "Go to verse" button in Live panel + + + Import missing songs from Service files + Importar músicas dos arquivos de Serviço de culto + - Display "%s" symbol before copyright info - + Display "{symbol}" symbol before copyright info + Mostrar o simbolo "{symbol}" antes da informação de direitos autorais @@ -9648,37 +9856,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Estrofe - + Chorus Refrão - + Bridge Ponte - + Pre-Chorus Pré-Estrofe - + Intro Introdução - + Ending Final - + Other Outra @@ -9686,21 +9894,21 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - + + Error: {error} + Erro: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + Arquivo de música do Words of Worship inválido. Falta cabeçalho "{text}". - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. @@ -9712,32 +9920,32 @@ Please enter the verses separated by spaces. Erro ao ler o arquivo CSV. - - Line %d: %s - Linha %d: %s - - - - Decoding error: %s - Erro de decodificação: %s - - - + File not valid WorshipAssistant CSV format. + O arquivo não é um arquivo CSV válido do WorshipAssistant. + + + + Line {number:d}: {error} + Linha {number:d}: {error} + + + + Record {count:d} - - Record %d - Registro %d + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. - + Não foi possível conectar ao banco de dados WorshipCenter Pro. @@ -9748,66 +9956,992 @@ Please enter the verses separated by spaces. Erro ao ler o arquivo CSV. - + File not valid ZionWorx CSV format. O arquivo não é um arquivo CSV válido do ZionWorx. - - Line %d: %s - Linha %d: %s - - - - Decoding error: %s - Erro de decodificação: %s - - - + Record %d Registro %d + + + Line {number:d}: {error} + Linha {number:d}: {error} + + + + Record {index} + + + + + Decoding error: {error} + + Wizard Wizard - + Assistente - + 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. - + Esse assistente irá auxiliar na remoção de músicas duplicadas no banco de dados. Você terá a chance de revisar toda música duplicada em potencial antes de ser deletada. Nenhuma música será deletada sem seu consentimento explicito. + Searching for duplicate songs. + Procurando por músicas duplicadas. + + + Please wait while your songs database is analyzed. - + Por favor aguarde enquanto seu banco de dados de música está sendo analisado. - + Here you can decide which songs to remove and which ones to keep. - + Aqui você pode decidir quais músicas remover e quais manter. - - Review duplicate songs (%s/%s) - - - - + Information Informações - + No duplicate songs have been found in the database. + Nenhuma música duplicada foi encontrada no banco de dados. + + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Português do Brasil + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + Português + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + Russo + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + Espanhol + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu diff --git a/resources/i18n/ru.ts b/resources/i18n/ru.ts index 41e036210..c8cedaf75 100644 --- a/resources/i18n/ru.ts +++ b/resources/i18n/ru.ts @@ -120,32 +120,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font Параметры - + Font name: Шрифт: - + Font color: Цвет текста: - - Background color: - Цвет фона: - - - + Font size: Размер шрифта: - + Alert timeout: Время отображения: @@ -153,88 +148,78 @@ 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. - Обновить формат базы данных для хранения Библии. - Genesis @@ -739,161 +724,107 @@ Please type in some text before clicking New. Эта Библия уже существует. Пожалуйста, импортируйте другую Библию или сначала удалите существующую. - - 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" введено более одного раза. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error Не указана строка поиска - - Web Bible cannot be used - Сетевая Библия не может быть использована + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Некорректный формат ссылки. Пожалуйста, убедитесь, что ссылка соответствует одному из шаблонов: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Книга Глава -Книга Глава%(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Стих +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Отображение стихов - + Only show new chapter numbers Показывать только номера новых глав - + Bible theme: Тема для отображения Библии: - + No Brackets Без скобок - + ( And ) ( XXX ) - + { And } { XXX } - + [ And ] [ XXX ] - - 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. @@ -902,37 +833,83 @@ 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 Показывать номера стихов + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +965,76 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - Импорт книг... %s - - - + Importing verses... done. Импорт стихов... готово. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + 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 Русский @@ -1070,224 +1053,259 @@ 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. Возникла проблема при распаковке выбранных стихов. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1318,114 +1336,130 @@ It is not possible to customize the Book Names. 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? - -Для повторного использования Библии, необходимо будет снова ее импортироать. + + Search + Поиск - - Advanced - Ручной выбор + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + 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. Некорректный формат файла Библии. Попробуйте использовать формат Zefania. @@ -1433,178 +1467,51 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Импорт %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Удаление неиспользуемых тегов (это может занять некоторое время)... - + Importing %(bookname)s %(chapter)s... Импорт %(bookname)s %(chapter)s... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Выберите папку для резервной копии + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 из %s: "%s" -Обновление %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Обновление Библий %s из %s: "%s" -Завершено - - - - , %s failed - Не удалось обновить: %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. - Нет Библий, которым необходимо обновление. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Обновлено Библий: %(success)d.%(failed_text)s -Стихи сетевых Библий будут скачиваться по мере необходимости, поэтому при их использовании может потребоваться подключение к Интернету. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Некорректный формат файла Библии. Файлы в формате Zefania могут быть сжаты. Необходимо распаковать их перед импортом. @@ -1612,9 +1519,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Импорт %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1729,7 +1636,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Редактировать все слайды сразу. - + Split a slide into two by inserting a slide splitter. Вставить разделитель слайда на случай, если он не будует помещаться на одном экране. @@ -1744,22 +1651,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Подпись: - + You need to type in a title. Необходимо ввести название. Ed&it All - &Редактировать все + &Целиком - + Insert Slide Слайд - + You need to add at least one slide. Необходимо добавить как минимум один слайд. @@ -1767,7 +1674,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Редактировать слайд @@ -1775,9 +1682,9 @@ 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 "%d" selected custom slide(s)? - Удалить выбранные произвольные слайды (выбрано слайдов: %d)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1805,11 +1712,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Изображения - - - Load a new image. - Загрузить новое изображение. - Add a new image. @@ -1840,6 +1742,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Добавить выбранное изображение в Служение. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1864,12 +1776,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. Эта группа уже существует. @@ -1905,7 +1817,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Выберите вложение @@ -1913,39 +1825,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. Отсутствует элемент для изменений. @@ -1955,25 +1850,41 @@ 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" вместе со всеми изображениями? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Видимый фон для изображений с соотношением сторон отличным от экрана. @@ -1981,27 +1892,27 @@ Do you want to add the other images anyway? Media.player - + 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 является медиа-плеером, который работает в браузере. Этот плеер позволяет выводить текст поверх видео на экране. - + This media player uses your operating system to provide media capabilities. Этот медиаплеер использует операционную систему для воспроизведения файлов. @@ -2009,60 +1920,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. Добавить выбранный клип в служение. @@ -2178,47 +2089,47 @@ Do you want to add the other images anyway? 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 ":" Название медиа-клипа не должны содержать символ ":" @@ -2226,90 +2137,100 @@ Do you want to add the other images anyway? 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 Клип уже был сохранен + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2320,41 +2241,19 @@ Do you want to add the other images anyway? - Start Live items automatically - Начинать прямой эфир автоматически - - - - OPenLP.MainWindow - - - &Projector Manager - Окно &проекторов + Start new Live media automatically + OpenLP - + Image Files Файлы изображений - - Information - Информация - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Формат Библий был изменен. -Необходимо обновить существующие Библии. -Выполнить обновление прямо сейчас? - - - + Backup Резервная копия @@ -2371,15 +2270,20 @@ Should OpenLP upgrade now? Не удалось выполнить резервное копирование каталога с данными! - - A backup of the data folder has been created at %s - Резервная копия папки с данными была создана в %s - - - + Open Открыт + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2389,15 +2293,10 @@ Should OpenLP upgrade now? Благодарности - + 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. @@ -2426,7 +2325,7 @@ OpenLP — это свободное программное обеспечени OpenLP разрабатывается и поддерживается добровольцами. Если вы хотите оказать помощь в развитии свободного христианского программного обеспечения, пожалуйста, рассмотрите возможные варианты участия с помощью кнопки ниже. - + Volunteer Принять участие @@ -2618,333 +2517,237 @@ OpenLP разрабатывается и поддерживается добро потому что Бог освободил нас даром. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} + 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 и дать возможность исправить проблему вручную. - -Нажмите «Да», чтобы сбросить каталог данных на путь по умолчанию. - - - - 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 Использовать различные цвета строк в списках - - 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? - ПРЕДУПРЕЖДЕНИЕ: - -Выбранный каталог содержит файлы данных OpenLP. - -%s - -Заменить эти файлы текущими файлами данных? - - - + Restart Required Требуется перезапуск программы - + This change will only take effect once OpenLP has been restarted. Изменения вступят в силу после перезапуска программы. - + 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. @@ -2952,11 +2755,155 @@ This location will be used after OpenLP is closed. Этот каталог будет использован после завершения работы OpenLP. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Автоматически + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Нажмите, чтобы выбрать цвет. @@ -2964,252 +2911,252 @@ This location will be used after OpenLP is closed. OpenLP.DB - + 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 - + 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 @@ -3217,64 +3164,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred Возникла ошибка - + Send E-Mail Отправить e-mail - + Save to File Сохранить в файл - + Attach File Приложить файл - - - Description characters to enter : %s - Осталось символов для ввода: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Пожалуйста, опишите действия, которые привели к возникновению ошибки. -По возможности используйте английский язык. -(Минимум 20 символов) - - 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. Also attach any files that triggered the problem. - Упс! К сожалению, при работе OpenLP возникла неизвестная ошибка. -Текст ниже содержит информацию, которая может быть полезна разработчикам OpenLP. Пожалуйста, отправьте его по адресу bugs@openlp.org вместе с подробным описанием действий, которые привели к возникновению ошибки. Если ошибка возникла при работе с какими-то файлами, приложите их тоже. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation + OpenLP.ExceptionForm - - Platform: %s - - Платформа: %s - - - - + Save Crash Report Сохранить отчет об ошибке - + Text files (*.txt *.log *.text) Текстовый файл (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3315,268 +3272,259 @@ This location will be used after OpenLP is closed. 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 Возникла ошибка сети при попытке получения начальной конфигурационной информации - - Cancel - Отмена - - - + Unable to download some files Не удалось скачать некоторые файлы + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3619,44 +3567,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML здесь> - + Validation Error Ошибка проверки - + Description is missing Отсутствует описание - + Tag is missing Отсутствует тег - Tag %s already defined. - Тег %s уже определен. + Tag {tag} already defined. + - Description %s already defined. - Описание %s уже определено. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Открывающий тег %s не соответствует формату HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Завершающий тег %(end)s не соответствует открывающему тегу %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3745,170 +3698,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 Х - + 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 &Перейти к следующему/предыдущему элементу служения + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Выбрать файл для отображения. + + + + Revert to the default OpenLP logo. + Вернуться к логотипу OpenLP. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Язык - + Please restart OpenLP to use your new language setting. Перезапустите OpenLP, чтобы новые языковые настройки вступили в силу. @@ -3916,7 +3899,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Экран OpenLP @@ -3943,11 +3926,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View &Вид - - - M&ode - Р&ежим - &Tools @@ -3968,16 +3946,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help &Помощь - - - Service Manager - Служение - - - - Theme Manager - Темы - Open an existing service. @@ -4003,11 +3971,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit Вы&ход - - - Quit OpenLP - Завершить работу OpenLP - &Theme @@ -4019,191 +3982,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Настроить 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. - Переключить отображение окна прямого эфира. - - - - 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/. - Для скачивания доступна версия 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 Русский @@ -4214,27 +4053,27 @@ You can download the latest version from http://openlp.org/. Настроить &клавиатурные комбинации... - + Open &Data Folder... Открыть &каталог данных... - + Open the folder where songs, bibles and other data resides. Открыть каталог размещения песен, Библий и других данных. - + &Autodetect &Автоопределение - + Update Theme Images Обновить изображения темы - + Update the preview images for all themes. Обновить миниатюры всех тем. @@ -4244,32 +4083,22 @@ You can download the latest version from http://openlp.org/. Распечатать текущее служение. - - 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. @@ -4278,13 +4107,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. Очистить список последних файлов. @@ -4293,75 +4122,36 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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 будет закрыта. Импортированные настройки будут применены при следующем запуске программы. - + 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 @@ -4373,12 +4163,12 @@ Re-running this wizard may make changes to your current OpenLP configuration and Библиотека - + 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. @@ -4391,7 +4181,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and – Импортирование некорректных настроек может привести к ошибкам или вылетам 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. @@ -4400,35 +4190,10 @@ 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 - &Recent Services @@ -4460,133 +4225,340 @@ Processing has terminated and no changes have been made. Список &плагинов - + Exit OpenLP Выход из OpenLP - + Are you sure you want to exit OpenLP? Завершить работу OpenLP? - + &Exit OpenLP Вы&ход + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Служение + + + + Themes + Темы + + + + Projectors + Проекторы + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 не может загрузить базу данных. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -База данных: %s +Database: {db_name} + 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. В процессе импорта были пропущены дубликаты файлов. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Не найден тег <lyrics>. - + <verse> tag is missing. Не найден тег <verse>. @@ -4594,22 +4566,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status Неизвестный статус - + No message Нет сообщения - + Error while sending data to projector Ошибка при отправке данных проектору - + Undefined command: Неизвестная команда: @@ -4617,32 +4589,32 @@ Suffix not supported OpenLP.PlayerTab - + Players Плееры - + Available Media Players Доступные медиа плееры - + Player Search Order Порядок выбора плееров - + Visible background for videos with aspect ratio different to screen. Видимый фон для видео с соотношением сторон, отличным от экрана. - + %s (unavailable) %s (недоступно) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" ПРИМЕЧАНИЕ: для использования VLC требуется установить версию %s @@ -4651,55 +4623,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details Описание плагина - + Status: Состояние: - + Active Активирован - - Inactive - Деактивирован - - - - %s (Inactive) - %s (Деактивирован) - - - - %s (Active) - %s (Активирован) + + Manage Plugins + Список плагинов - %s (Disabled) - %s (Отключен) + {name} (Disabled) + - - Manage Plugins - Список плагинов + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Вписать в страницу - + Fit Width Вписать по ширине @@ -4707,77 +4674,77 @@ Suffix not supported OpenLP.PrintServiceForm - + Options Настройки - + Copy Копировать - + Copy as HTML Копировать как HTML - + Zoom In Увеличить - + Zoom Out Уменьшить - + Zoom Original 1:1 - + 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: Заметки к служению: @@ -4785,257 +4752,257 @@ Suffix not supported 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 Класс 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) Запрошенная операция по сокету не поддерживается операционной системой (например, нет поддержки IPv6) - + The socket is using a proxy, and the proxy requires authentication Сокет работает через прокси сервер, который требует авторизации - + The SSL/TLS handshake failed Не удалось согласовать протокол 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 Адрес прокси сервера, переданный функции 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 Не удалось распознать ответ от прокси сервера @@ -5043,17 +5010,17 @@ Suffix not supported OpenLP.ProjectorEdit - + Name Not Set Нет названия - + You must enter a name for this entry.<br />Please enter a new name for this entry. Необходимо ввести название проектора. - + Duplicate Name Название уже существует @@ -5061,52 +5028,52 @@ Suffix not supported OpenLP.ProjectorEditForm - + Add New Projector Добавить новый проектор - + Edit Projector Изменить параметры проектора - + IP Address IP адрес - + Port Number Номер порта - + PIN Пароль - + Name Название - + Location Местоположение - + Notes Заметки - + Database Error Ошибка базы данных - + There was an error saving projector information. See the log for the error Возникла ошибка при сохранении информации о проекторе. Смотрите лог ошибок @@ -5114,307 +5081,362 @@ Suffix not supported 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 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 Еще не реализовано - - Delete projector (%s) %s? - Удалить проектор (%s) %s? - - - + Are you sure you want to delete this projector? Удалить указанный проектор? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Ошибка авторизации + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Вентиллятор - + Lamp Лампа - + Temperature Температура - + Cover Крышка - + Filter Фильтр - + Other - Другое + Other (другое) @@ -5458,17 +5480,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address Повторный IP адрес - + Invalid IP Address Некорректный IP адрес - + Invalid Port Number Некорректный номер порта @@ -5481,27 +5503,27 @@ Suffix not supported Экран - + primary основной OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Начало</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Продолжительность</strong>: %s - - [slide %d] - [слайд %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5565,52 +5587,52 @@ Suffix not supported Удалить выбранный элемент из служения. - + &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 Элемент служения не может быть показан, поскольку требуемый плагин отсутствует или отключен @@ -5635,7 +5657,7 @@ Suffix not supported Свернуть все элементы служения. - + Open File Открыть файл @@ -5665,22 +5687,22 @@ Suffix not supported Показать выбранный элемент в прямом эфире. - + &Start Time &Время начала - + Show &Preview &Просмотр - + Modified Service Измененное служение - + The current service has been modified. Would you like to save this service? Текущее служение было изменено. Сохранить служение? @@ -5700,27 +5722,27 @@ Suffix not supported Время игры: - + Untitled Service Служение без названия - + File could not be opened because it is corrupt. Файл не может быть открыт, поскольку он поврежден. - + Empty File Пустой файл - + This service file does not contain any data. Файл служения не содержит данных. - + Corrupt File Поврежденный файл @@ -5740,147 +5762,145 @@ Suffix not supported Выберите тему для служения. - + 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 файлы служений (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP файлы служений (*.osz);; OpenLP файлы служений - lite (*.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 - Произошла ошибка в процессе записи файла служения: %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Следующие файлы в служении не найдены: %s - -Эти файлы будут удалены, если вы продолжите сохранять. + + + + + An error occurred while writing the service file: {error} + @@ -5912,15 +5932,10 @@ These files will be removed if you continue to save. Сочетание клавиш - + Duplicate Shortcut Дублировать сочетание клавиш - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Сочетание "%s" уже назначено для другого действия. Пожалуйста, используйте другое сочетание клавиш. - Alternate @@ -5966,219 +5981,234 @@ These files will be removed if you continue to save. Configure Shortcuts Настроить клавиши быстрого доступа + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + 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 Дорожки + + + Loop playing media. + + + + + Video timer. + + 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? Удалить ВЕСЬ введенный текст для этого проектора? @@ -6186,17 +6216,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions Правописание - + Formatting Tags Теги форматирования - + Language: Язык: @@ -6275,7 +6305,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (приблизительно %d строк на слайде) @@ -6283,523 +6313,531 @@ These files will be removed if you continue to save. 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. Вы не можете удалить тему, назначенную темой по умолчанию. - + 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 - Экспорт темы не удался из-за возникшей ошибки: %s - - - + OpenLP Themes (*.otz) Тема OpenLP (*.otz) - - %s time(s) by %s - %s раз(а) плагином %s - - - + Unable to delete theme Не удалось удалить тему + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Использование темы: - -%s +{text} + 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. Не выбрано фоновое изображение. Пожалуйста, выберете прежде чем продолжить. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6882,73 +6920,73 @@ These files will be removed if you continue to save. &Вертикальное выравнивание: - + 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 Вас приветствует мастер импорта песен @@ -6998,39 +7036,34 @@ These files will be removed if you continue to save. Ошибка синтаксиса 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 Авторы @@ -7040,502 +7073,490 @@ These files will be removed if you continue to save. Автор не известен - + 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 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: Номер песни CCLI: - + Preview Toolbar Панель просмотра - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Замена фона недоступна при отключенном плеере WebKit. @@ -7551,29 +7572,100 @@ Please try selecting it individually. Plural Сборники + + + Background color: + Цвет фона: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Видео + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Библии отсутствуют + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Verse (куплет) + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + 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 @@ -7656,47 +7748,47 @@ Please try selecting it individually. Показывать с помощью: - + 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 не закончена, пожалуйста обновите. + + Presentations ({text}) + - - The presentation %s no longer exists. - Презентация %s больше не существует. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. Презентация будет остановлена, но ее можно перезапустить заново. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7706,11 +7798,6 @@ Please try selecting it individually. Available Controllers Доступные приложения - - - %s (unavailable) - %s (недоступно) - Allow presentation application to be overridden @@ -7727,12 +7814,12 @@ Please try selecting it individually. Использовать указанный путь к исполняемому файлу mudraw или ghostscript: - + Select mudraw or ghostscript binary. Выберите mudraw или ghostscript исполняемый файл. - + The program is not ghostscript or mudraw which is required. Программа не является приложением ghostscript или mudraw. @@ -7743,14 +7830,19 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. - При нажатии на выбранный слайд в управлении слайдами запускает переход к следующему эффекту. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Разрешить Powerpoint управлять размером и положением окна презентации -(для решения проблем с масштабированием в Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7792,127 +7884,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 Настройки - + Remote Удаленное управление - + Stage View Вид со сцены - + Live View Вид прямого эфира @@ -7920,79 +8012,89 @@ Please try selecting it individually. RemotePlugin.RemoteTab - + Serve on IP address: IP адрес: - + Port number: Номер порта: - + Server Settings Настройки сервера - + Remote URL: Ссылка для управления: - + Stage view URL: Ссылка для сцены: - + Display stage time in 12h format Показывать время в режиме со сцены в 12-часовом формате - + Android App Android App - + Live view 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. Сервер HTTPS недоступен, так как не удалось найти сертификат SSL. Обратитесь к руководству, чтобы получить подробную информацию. - + User Authentication Авторизация пользователя - + User id: Пользователь: - + Password: Пароль: - + Show thumbnails of non-text slides in remote and stage view. Показывать миниатюры слайдов в режимах для управления и для сцены. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Просканируйте QR-код или нажмите на <a href="%s">ссылку</a>, чтобы установить приложение для Android из Google Play. + + iOS App + iOS App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8033,50 +8135,50 @@ Please try selecting it individually. Переключить отслеживание использования песен. - + <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 напечатано @@ -8144,22 +8246,10 @@ All data recorded before this date will be permanently deleted. Расположение файла вывода - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation Создание отчета - - - Report -%s -has been successfully created. - Отчет ⏎ %s ⏎ был успешно сформирован. - Output Path Not Selected @@ -8173,45 +8263,57 @@ Please select an existing path on your computer. Пожалуйста, выберите один из существующих на диске каталогов. - + Report Creation Failed Не удалось сгенерировать отчет - - An error occurred while creating the report: %s - Произошла ошибка в процессе создания отчета: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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... Индексация песен... @@ -8308,80 +8410,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 Найти &дубликаты песен - + Find and remove duplicate songs in the song database. Найти и удалить дубликаты песен в базе данных песен. @@ -8470,62 +8572,67 @@ The encoding is responsible for the correct character representation. 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.MB". Он должен находиться в одном каталоге с файлом "Songs.DB". - + This file is not a valid EasyWorship database. Файл не является корректной базой данных EasyWorship. - + Could not retrieve encoding. Не удалось определить способ кодирования. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Метаданные - + Custom Book Names Пользовательские сборники @@ -8608,57 +8715,57 @@ The encoding is responsible for the correct character representation. Дополнительно - + 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. Необходимо ввести текст песни. - + You need to have an author for this song. Необходимо добавить автора к этой песне. @@ -8683,7 +8790,7 @@ The encoding is responsible for the correct character representation. Удалить &все - + Open File(s) Открыть файл(ы) @@ -8698,14 +8805,7 @@ The encoding is responsible for the correct character representation. <strong>Предупреждение:</strong> не указан порядок куплетов. - - 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 Некорректный порядок куплетов @@ -8715,22 +8815,15 @@ Please enter the verses separated by spaces. &Изменить вид авторства - + Edit Author Type Изменить вид авторства - + Choose type for this author Выберите вид авторства - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Не найдены куплеты "%(invalid)s". Корректно указаны: %(valid)s. -Please enter the verses separated by spaces. - &Manage Authors, Topics, Songbooks @@ -8752,45 +8845,71 @@ Please enter the verses separated by spaces. Информация - + Add Songbook Добавить сборник - + This Songbook does not exist, do you want to add it? Добавить сборник? - + This Songbook is already in the list. Сборник уже в списке. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Не выбран сборник. Необходимо выбрать сборник из списка или ввести название нового сборник и нажать "Добавить к песне". + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Изменить текст - + &Verse type: &Тип: - + &Insert &Вставить - + Split a slide into two by inserting a verse splitter. Вставить разделитель слайдов. @@ -8803,77 +8922,77 @@ Please enter the verses separated by spaces. Мастер экспорта песен - + 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>. @@ -8881,7 +9000,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Некорректный файл песен Foilpresenter. Не найдены куплеты. @@ -8889,7 +9008,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Включить поиск при вводе @@ -8897,7 +9016,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Выберите файл документа или презентации @@ -8907,237 +9026,252 @@ Please enter the verses separated by spaces. Мастер импорта песен - + 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. Производится импорт песен. Пожалуйста, подождите. - + 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 Files OpenLyrics - + CCLI SongSelect Files CCLI SongSelect - + EasySlides XML File 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) 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">Руководстве пользователя</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. Если вы хотите импортировать из этого формата, вам нужно установить Python модуль "pyodbc". - + SongPro Text Files SongPro (Text File) - + SongPro (Export File) SongPro (Export File) - + In SongPro, export your songs using the File -> Export menu В SongPro, экспортируйте песни с помощью меню File -> Export - + 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. Импорт из WorshipCenter Pro поддерживается только в Windows. Если вы хотите импортировать из этого формата, вам нужно установить Python модуль "pyodbc". - + PowerPraise Song Files PowerPraise - + PresentationManager Song Files PresentationManager - - ProPresenter 4 Song Files - ProPresenter 4 - - - + Worship Assistant Files Worship Assistant - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. В Worship Assistant, экспортируйте базу данных в текстовый файл CSV. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics или OpenLP 2 - + OpenLP 2 Databases OpenLP 2 - + LyriX Files LyriX - + LyriX (Exported TXT-files) LyriX (TXT) - + VideoPsalm Files VideoPsalm - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Песни VideoPsalm обычно расположены в %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Ошибка импорта из LyriX: %s + File {name} + + + + + Error: {error} + @@ -9156,79 +9290,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles По названию - + Lyrics По тексту - + CCLI License: Лицензия CCLI: - + Entire Song Везде - + Maintain the lists of authors, topics and books. Редактировать списки авторов, тематик и сборников песен. - + copy For song cloning копия - + Search Titles... Поиск по названию... - + Search Entire Song... Поиск по всему содержимому песен... - + Search Lyrics... Поиск по тексту песен... - + Search Authors... Поиск по авторам... - - Are you sure you want to delete the "%d" selected song(s)? - Удалить выбранные песни (выбрано песен: %d)? - - - + Search Songbooks... Поиск сборников... + + + Search Topics... + + + + + Copyright + Авторские права + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Невозможно открыть базу данных MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Файл не является базой данных OpenLP 2. @@ -9236,9 +9408,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Экспортирую "%s"... + + Exporting "{title}"... + @@ -9257,29 +9429,37 @@ Please enter the verses separated by spaces. Нет песен для иморта. - + Verses not found. Missing "PART" header. Стихи не найдены. Пропущен заголовок "PART". - No %s files found. - %s файлов не найдено. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Неправильный файл %s. Неожиданное бинарное значение. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Неправильный файл %s. Не найден "TITLE" заголовок. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Неправильный файл %s. Не найден "COPYRIGHTLINE" заголовок. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9308,19 +9488,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> импортер. - - Your song export failed because this error occurred: %s - Экспорт вашей песни не удался из-за возникшей ошибки: %s + + Your song export failed because this error occurred: {error} + @@ -9336,17 +9516,17 @@ Please enter the verses separated by spaces. Следующие песни не могут быть импортированы: - + Cannot access OpenOffice or LibreOffice Нет доступа к OpenOffice или LibreOffice - + Unable to open file Не удается открыть файл - + File not found Файл не найден @@ -9354,109 +9534,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Тематика %s уже существует. Хотите перевести песни с тематикой %s на существующую тематику %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Сборник %s уже существует. Хотите присвоить песне со сборником %s существующий сборник %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9474,7 +9654,7 @@ Please enter the verses separated by spaces. Username: - Логин: + Пользователь: @@ -9502,52 +9682,47 @@ Please enter the verses separated by spaces. Поиск - - Found %s song(s) - Найдена %s песня(и) - - - + Logout Выход - + View Просмотр - + Title: Название: - + Author(s): Автор(ы): - + Copyright: Авторские права: - + CCLI Number: Номер CCLI: - + Lyrics: Слова: - + Back Черный - + Import Импорт @@ -9587,7 +9762,7 @@ Please enter the verses separated by spaces. Был проблема входа в систему, может быть, ваше имя пользователя или пароль неверен? - + Song Imported Песня импортирована @@ -9602,7 +9777,7 @@ Please enter the verses separated by spaces. В этой песне не хватает такой информации, такой стихи, и она не может быть импортирована. - + Your song has been imported, would you like to import more songs? Ваша песня была импортирована, вы хотели бы еще импортировать песни? @@ -9611,6 +9786,11 @@ Please enter the verses separated by spaces. Stop Остановить + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9619,30 +9799,30 @@ Please enter the verses separated by spaces. Songs Mode Режим песен - - - Display verses on live tool bar - Показать куплеты в окне прямого эфира - Update service from song edit Обновить служение из редактора песен - - - Import missing songs from service files - Импортировать не найденные песни из файла служения - Display songbook in footer Показывать сборник песен внизу экрана + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Показывать символ "%s" в информации об авторском праве + Display "{symbol}" symbol before copyright info + @@ -9666,37 +9846,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Verse (куплет) - + Chorus Chorus (припев) - + Bridge Bridge (мост) - + Pre-Chorus Pre-Chorus (пред-припев) - + Intro Intro (проигрыш) - + Ending Ending (окончание) - + Other Other (другое) @@ -9704,22 +9884,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - Ошибка: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Некорректный файл Words of Worship. Не найден заголовок %s + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Некорректный файл Words of Worship. Не найдена строка "%s" + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9730,30 +9910,30 @@ Please enter the verses separated by spaces. Ошибка чтения CSV файла. - - Line %d: %s - Строка %d: %s - - - - Decoding error: %s - Ошибка декодирования: %s - - - + File not valid WorshipAssistant CSV format. Файл не соответствует формату WorshipAssistant CSV. - - Record %d - Запись %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Не удалось подключиться к базе данных WorshipCenter Pro. @@ -9766,25 +9946,30 @@ Please enter the verses separated by spaces. Ошибка чтения CSV файла. - + File not valid ZionWorx CSV format. Файл не правильного ZionWorx CSV формата. - - Line %d: %s - Строка %d: %s - - - - Decoding error: %s - Ошибка декодирования: %s - - - + Record %d Запись %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9794,39 +9979,960 @@ 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. Этот мастер предназначен для удаления дубликатов песен из базы данных. Вы будете иметь возможность просмотреть все потенциальные дубликаты песен, прежде чем они будут удалены. Песни не будут удалены без явного подтверждения. - + 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. Дубликаты песен не были найдены в базе. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Русский + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/sk.ts b/resources/i18n/sk.ts index b27a12595..671992207 100644 --- a/resources/i18n/sk.ts +++ b/resources/i18n/sk.ts @@ -120,32 +120,27 @@ Pred kliknutím na Nový prosím zadajte nejaký text. AlertsPlugin.AlertsTab - + Font Písmo - + Font name: Názov písma: - + Font color: Farba písma: - - Background color: - Farba pozadia: - - - + Font size: Veľkosť písma: - + Alert timeout: Čas pre vypršanie upozornenia: @@ -153,88 +148,78 @@ 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. - Genesis @@ -739,160 +724,107 @@ Pred kliknutím na Nový prosím zadajte nejaký text. Táto Biblia už existuje. Importujte prosím inú Bibliu alebo najskôr zmažte tú existujúcu. - - You need to specify a book name for "%s". - Je nutné uviesť názov knihy pre "%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. - Názov knihy "%s" nie je správny. -Čísla môžu byť použité len na začiatku a tak musí nasledovať jeden alebo viac nečíselných znakov. - - - + Duplicate Book Name Duplicitný názov knihy - - The Book Name "%s" has been entered more than once. - Názov knihy "%s" bol zadaný viac ako raz. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error Chyba v odkaze Biblie - - Web Bible cannot be used - Biblia z www sa nedá použiť + + Web Bible cannot be used in Text Search + - - 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á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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Odkaz z Biblie buď nie je podporovaný aplikáciou OpenLP, alebo je neplatný. Uistite sa prosím, že odkaz odpovedá jednému z nasledujúcich vzorov alebo sa obráťte na manuál: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Kapitola Knihy -Kapitola Knihy%(range)s -Kapitola Knihy%(verse)sVerš%(range)sVerš -Kapitola Knihy%(verse)sVerš%(range)sVerš%(list)sVerš%(range)sVerš -Kapitola Knihy%(verse)sVerš%(range)sVerš%(list)sKapitola%(verse)sVerš%(range)sVerš -Kapitola Knihy%(verse)sVerš%(range)sKapitola%(verse)sVerš +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Zobraziť verš - + Only show new chapter numbers Zobraziť len číslo novej kapitoly - + Bible theme: Motív Biblie: - + No Brackets Žiadne zátvorky - + ( And ) ( A ) - + { And } { A } - + [ And ] [ A ] - - Note: -Changes do not affect verses already in the service. - Poznámka: -Verše, ktoré sú už v službe, nie sú ovplyvnené zmenami. - - - + Display second Bible verses Zobraziť druhé verše z Biblie - + Custom Scripture References Vlastné odkazy z Biblie. - - Verse Separator: - Oddeľovač veršov: - - - - Range Separator: - Oddeľovač rozsahov: - - - - List Separator: - Oddeľovač zoznamov: - - - - End Mark: - Ukončovacia značka: - - - + 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. @@ -901,37 +833,83 @@ Tie musia byť oddelené zvislou čiarou "|". Pre použitie predvolenej hodnoty zmažte tento riadok. - + English Slovenčina - + Default Bible Language Predvolený jazyk Biblie - + Book name language in search field, search results and on display: Jazyk názvu knihy vo vyhľadávacom poli, výsledkoch vyhľadávania a pri zobrazení: - + Bible Language Jazyk Biblie - + Application Language Jazyk aplikácie - + Show verse numbers Zobraziť číslovanie slôh + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -987,70 +965,76 @@ výsledkoch vyhľadávania a pri zobrazení: BiblesPlugin.CSVBible - - Importing books... %s - Importovanie kníh... %s - - - + Importing verses... done. Importovanie veršov... dokončené. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + BiblesPlugin.EditBibleForm - + Bible Editor Editor Biblie - + License Details Podrobnosti k licencii - + Version name: Názov verzie - + Copyright: Autorské práva: - + Permissions: Povolenia: - + Default Bible Language Predvolený jazyk Biblie - + Book name language in search field, search results and on display: Jazyk názvu knihy vo vyhľadávacom poli, výsledky vyhľadávania a pri zobrazení: - + Global Settings Globálne nastavenia - + Bible Language Jazyk Biblie - + Application Language Jazyk aplikácie - + English Slovenčina @@ -1070,224 +1054,259 @@ 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... - - 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. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + Biblie: + + + + SWORD data folder: + SWORD dátový adresár : + + + + SWORD zip-file: + SWORD zip-súbor: + + + + Defaults to the standard SWORD data folder + Predvolené nastavenie do štandardnej zložky SWORD dát + + + + Import from folder + Import z adresára + + + + Import from Zip-file + Import zo zip-súboru + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Pre import SWORD biblií musí byť nainštalovaný pysword python modul. Prosím prečítajte si manuál pre inštrukcie. + BiblesPlugin.LanguageDialog @@ -1318,112 +1337,130 @@ Nie je možné prispôsobiť názvy kníh. BiblesPlugin.MediaItem - - Quick - Rýchly - - - + Find: Hľadať: - + Book: Kniha: - + Chapter: Kapitola: - + Verse: Verš: - + From: Od: - + To: Do: - + Text Search Vyhľadávanie textu - + Second: Druhý: - + Scripture Reference Odkaz do Biblie - + Toggle to keep or clear the previous results. Prepnúť ponechanie alebo zmazanie predchádzajúcich výsledkov. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Nie je možné kombinovať jednoduché a dvojité výsledky hľadania veršov v Bibli. Prajete si zmazať výsledky hľadania a začať s novým vyhľadávaním? - + Bible not fully loaded. Biblia nie je načítaná celá. - + Information Informácie - - 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. - Druhá Biblia neobsahuje všetky verše ako sú v hlavnej Biblii. Budú zobrazené len verše nájdené v obidvoch Bibliách. %d veršov nebolo zahrnutých vo výsledkoch. - - - + Search Scripture Reference... Vyhľadávať odkaz do Biblie... - + Search Text... Vyhľadávať 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. - Ste si istí, že chcete úplne vymazať Bibliu "%s" z OpenLP? Pre použite bude potrebné naimportovať Bibliu znovu. + + Search + Hľadať - - Advanced - Pokročilé + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Bol zadaný nesprávny typ súboru Biblie. OpenSong Biblie môžu byť komprimované. Pred importom je nutné ich rozbaliť. - + 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. @@ -1431,174 +1468,51 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importovanie %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + 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... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Vybrať priečinok pre zálohu + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Sprievodca aktualizácie Biblie - - - - 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. - Tento sprievodca pomáhá s aktualizáciou existujúcich Biblií z predchádzajúcej verzie OpenLP 2. Pre spustenie aktualizácie kliknite nižšie na tlačítko Ďalej. - - - - Select Backup Directory - Vybrať prečinok pre zálohu - - - - Please select a backup directory for your Bibles - Vyberte prosím priečinok pre zálohu Biblií - - - - 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>. - Predchádzajúce vydania OpenLP 2.0 nie sú schopné aktualizovať Bibliu. Bude vytvorená záloha súčasných Biblií, aby bylo možné v prípadě potreby jednoducho nakopírovať súbory späť do dátoveho pričinku aplikácie OpenLP. Inštrukcie, ako obnoviť súbory, nájdete v <a href="http://wiki.openlp.org/faq">často kladených otázkach</a>. - - - - Please select a backup location for your Bibles. - Vyberte prosím umiestenie pre zálohu Biblie. - - - - Backup Directory: - Priečinok pre zálohu: - - - - There is no need to backup my Bibles - Nie je potrebné zálohovať Bibliu - - - - Select Bibles - Vybrať Bibliu - - - - Please select the Bibles to upgrade - Vyberte prosím Bibliu na aktualizáciu - - - - Upgrading - Aktualizujuem - - - - Please wait while your Bibles are upgraded. - Čakajte prosím, až budú Biblie aktualizované. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Záloha nebola úspešná. Pre zálohu Biblií je potrebné oprávnenie k zápisu do zadaného priečinku. - - - - Upgrading Bible %s of %s: "%s" -Failed - Aktualizácia Biblie %s z %s: "%s" Zlyhala - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Aktualizujem Bibliu %s z %s: "%s" Aktualizujem ... - - - - Download Error - Chyba pri sťahovaní - - - - To upgrade your Web Bibles an Internet connection is required. - Pre aktualizáciu Biblií z www je potrebné internetové pripojenie. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Aktualizujem Bibliu %s z %s: "%s" Aktualizujem %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Aktualizujem Biblie %s z %s: "%s" Dokončené - - - - , %s failed - , %s zlyhalo - - - - Upgrading Bible(s): %s successful%s - Aktualizácia Biblií: %s úspešná%s - - - - Upgrade failed. - Aktualizácia zlyhala. - - - - You need to specify a backup directory for your Bibles. - Je potrebné upresniť priečinok pre zálohu Biblií. - - - - Starting upgrade... - Spúšťam aktualizáciu... - - - - There are no Bibles that need to be upgraded. - Nie sú žiadne Biblie, ktoré treba aktualizovať. - - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Aktualizácia Biblií: %(success)d úspešná%(failed_text)s -Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potrebné internetové pripojenie. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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ť. @@ -1606,9 +1520,9 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importovanie %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1723,7 +1637,7 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr Upraviť všetky snímky naraz. - + Split a slide into two by inserting a slide splitter. Vložením oddeľovača sa snímok rozdelí na dva. @@ -1738,7 +1652,7 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr &Zásluhy: - + You need to type in a title. Je potrebné zadať názov. @@ -1748,12 +1662,12 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr &Upraviť všetko - + Insert Slide Vložiť snímok - + You need to add at least one slide. Musíte vložiť aspoň jeden snímok. @@ -1761,7 +1675,7 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr CustomPlugin.EditVerseForm - + Edit Slide Upraviť snímok @@ -1769,9 +1683,9 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Ste si istý, že chcete zmazať "%d" vybraných užívateľských snímkov(y)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1799,11 +1713,6 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr container title Obrázky - - - Load a new image. - Načítať nový obrázok. - Add a new image. @@ -1834,6 +1743,16 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr Add the selected image to the service. Pridať vybraný obrázok do služby. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1858,12 +1777,12 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr 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. @@ -1899,7 +1818,7 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr ImagePlugin.ExceptionDialog - + Select Attachment Vybrať prílohu @@ -1907,39 +1826,22 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr ImagePlugin.MediaItem - + Select Image(s) 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 - 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á. @@ -1949,25 +1851,41 @@ Chcete pridať ďaľšie obrázky? -- 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Viditeľné pozadie pre obrázky s iným pomerom strán než má obrazovka. @@ -1975,27 +1893,27 @@ Chcete pridať ďaľšie obrázky? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Tento prehrávač médií využíva na prehrávanie schopnosti operačného systému. @@ -2003,60 +1921,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. @@ -2172,47 +2090,47 @@ Chcete pridať ďaľšie obrázky? 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ť ":" @@ -2220,90 +2138,100 @@ Chcete pridať ďaľšie obrázky? MediaPlugin.MediaItem - + Select Media 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á. - + Unsupported File Nepodporovaný súbor - + Use Player: 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ý + + + File %s not supported using player %s + Súbor %s nie je podporovaný prehrávačom %s + + + + Unsupported Media File + Nepodporovaný mediálny súbor + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2314,41 +2242,19 @@ Chcete pridať ďaľšie obrázky? - Start Live items automatically - Automaticky spustiť prehrávanie položky Naživo - - - - OPenLP.MainWindow - - - &Projector Manager - Správca &projektorov + Start new Live media automatically + 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? - Formát Biblie sa zmenil. -Je nutné upgradovať existujúcu Bibliu. -Má OpenLP upgradovať teraz? - - - + Backup Záloha @@ -2363,15 +2269,20 @@ Má OpenLP upgradovať teraz? 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ť + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2381,15 +2292,10 @@ Má OpenLP upgradovať teraz? Kredity - + License Licencia - - - build %s - vytvorené %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. @@ -2418,7 +2324,7 @@ Viac informácií o OpenLP: http://openlp.org/ OpenLP je tvorený a spravovaný dobrovoľníkmi. Ak by ste chceli vidieť viac voľne dostupného kresťanského softvéru, zvážte prosím, či sa tiež nechcete zapojiť do tvorby OpenLP. Môžte tak spraviť pomocou tlačidla nižšie. - + Volunteer Dobrovoľník @@ -2609,343 +2515,392 @@ Prinášame túto aplikáciu zdarma, protože On nás oslobodil. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Autorské práva © 2004-2016 %s -Čiastočné autorská práva © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} + OpenLP.AdvancedTab - + UI Settings Nastavenia používateľského rozhrania - - - Number of recent files to display: - Počet zobrazených nedávnych súborov: - - Remember active media manager tab on startup - Zapamätať si akívnu kartu správcu médií pri spustení - - - - Double-click to send items straight to live - Dvojklik pre zobrazenie položiek Naživo - - - Expand new service items on creation Rozbaliť nové položky služby pri vytváraní. - + Enable application exit confirmation Povoliť potvrdenie ukončenia aplikácie - + Mouse Cursor Kurzor myši - + Hide mouse cursor when over display window Skryť kurzor myši počas prechodu cez okno zobrazenia - - Default Image - Východzí obrázok - - - - Background color: - Farba pozadia: - - - - Image file: - Obrázok: - - - + Open File Otvoriť súbor - + Advanced Pokročilé - - - Preview items when clicked in Media Manager - Náhľad položiek po kliknutí v správcovi médií - - Browse for an image file to display. - Prehľadávať obrázky na zobrazenie. - - - - Revert to the default OpenLP logo. - Obnoviť pôvodné OpenLP logo. - - - Default Service Name Predvolený názov služby - + Enable default service name Zapnúť predvolený názov služby. - + Date and Time: Dátum a čas: - + Monday Pondelok - + Tuesday Utorok - + Wednesday Streda - + Friday Piatok - + Saturday Sobota - + Sunday Nedeľa - + Now Teraz - + Time when usual service starts. Čas, kedy obvykle začína služba. - + Name: Názov: - + Consult the OpenLP manual for usage. Pre použitie sa obráťte na OpenLP manuál. - - Revert to the default service name "%s". - Vrátiť na predvolený názov služby "%s". - - - + Example: Príklad: - + Bypass X11 Window Manager Obísť správcu okien X11 - + Syntax error. Chyba syntaxe. - + Data Location Umiestnenie dát - + Current path: Aktuálna cesta: - + Custom path: Používateľská cesta: - + Browse for new data file location. Prehľadávať nové umiestnenie dátových súborov. - + Set the data location to the default. Nastaviť umiestnenie dát na predvolené. - + Cancel Zrušiť - + Cancel OpenLP data directory location change. Zrušiť zmenu umiestnenia dátového priečinku OpenLP. - + Copy data to new location. Kopírovať dáta do nového umiestnenia. - + Copy the OpenLP data files to the new location. Kopírovať dátové súbory OpenLP do nového umiestnenia. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>VAROVANIE:</strong>Nové umiestnenie dátového priečinku už obsahuje dátové súbory OpenLP. Tieto súbory BUDÚ nahradené počas kopírovania. - + Data Directory Error Chyba dátového priečinku. - + Select Data Directory Location Vybrať umiestnenie dátového priečinku. - + Confirm Data Directory Change Potvrdiť zmenu dátového priečinku. - + Reset Data Directory Obnoviť dátový priečinok - + Overwrite Existing Data Prepísať existujúce údaje - + + Thursday + Štvrtok + + + + Display Workarounds + Zobraz pracovnú plochu + + + + Use alternating row colours in lists + Použiť striedanie farieb v riadkoch + + + + Restart Required + Požadovaný reštart + + + + This change will only take effect once OpenLP has been restarted. + Táto zmena sa prejaví až po reštarte programu OpenLP. + + + + 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. + Ste si istý, že chcete zmeniť umiestnenie dátového priečinku OpenLP na predvolené umiestnenie? Toto umiestnenie sa použije po zatvorení aplikácie OpenLP. + + + + Max height for non-text slides +in slide controller: + Maximálna výška pre netextové snímky +v správcovi snímkov: + + + + Disabled + Vypnuté + + + + When changing slides: + Počas zmeny snímkov: + + + + Do not auto-scroll + Neskorolovať automaticky + + + + Auto-scroll the previous slide into view + Automatické posúvanie predchádzajúceho snímku do zobrazenia + + + + Auto-scroll the previous slide to top + Automatické posúvanie predchádzajúceho snímku na začiatok + + + + Auto-scroll the previous slide to middle + Automatické posúvanie predchádzajúceho snímku do stredu + + + + Auto-scroll the current slide into view + Automatické posúvanie aktuálneho snímku do zobrazenia + + + + Auto-scroll the current slide to top + Automatické posúvanie aktuálneho snímku na začiatok + + + + Auto-scroll the current slide to middle + Automatické posúvanie aktuálneho snímku do stredu + + + + Auto-scroll the current slide to bottom + Automatické posúvanie aktuálneho snímku nadol + + + + Auto-scroll the next slide into view + Automatické posúvanie nasledujúceho snímku do zobrazenia + + + + Auto-scroll the next slide to top + Automatické posúvanie nasledujúceho snímku na začiatok + + + + Auto-scroll the next slide to middle + Automatické posúvanie nasledujúceho snímku do stredu + + + + Auto-scroll the next slide to bottom + Automatické posúvanie nasledujúceho snímku nadol + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automaticky + + + + Revert to the default service name "{name}". + + + + OpenLP data directory was not found -%s +{path} 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. - Dátový priečinok OpenLP nebol nájdený - -%s - -Predvolené umiestnenie OpenLP bolo skôr zmenené na tento priečinok. Ak bolo nové umiestnenie na výmeniteľnom zariadení, je nutné dané zariadenie najskôr pripojiť. - -Kliknite na "Nie", aby sa prerušilo načítanie OpenLP. To umožní opraviť daný problém. - -Kliknite na "Áno", aby sa dátový priečinok nastavil na predvolené umiestnenie. + - + Are you sure you want to change the location of the OpenLP data directory to: -%s +{path} The data directory will be changed when OpenLP is closed. - Ste si istý, že chcete zmeniť umiestnenie dátového priečinku OpenLP na: - -%s - -Toto umiestnenie bude zmenené po zatvorení aplikácie OpenLP. + - - Thursday - Štvrtok - - - - Display Workarounds - Zobraz pracovnú plochu - - - - Use alternating row colours in lists - Použiť striedanie farieb v riadkoch - - - + WARNING: The location you have selected -%s +{path} appears to contain OpenLP data files. Do you wish to replace these files with the current data files? - VAROVANIE: - -Umiestnenie - -%s - -ktoré ste vybrali zrejme obsahuje dátové súbory aplikácie OpenLP. Prajete si nahradiť tieto súbory aktuálnymi dátovými súbormi? - - - - Restart Required - Požadovaný reštart - - - - This change will only take effect once OpenLP has been restarted. - Táto zmena sa prejaví až po reštarte programu OpenLP. - - - - 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. - Ste si istý, že chcete zmeniť umiestnenie dátového priečinku OpenLP na predvolené umiestnenie? Toto umiestnenie sa použije po zatvorení aplikácie OpenLP. + OpenLP.ColorButton - + Click to select a color. Kliknúť pre výber farby. @@ -2953,252 +2908,252 @@ This location will be used after OpenLP is closed. OpenLP.DB - + RGB RGB - + Video Video - + 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 @@ -3206,62 +3161,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred Vyskytla sa chyba - + Send E-Mail Poslať email. - + Save to File Uložiť do súboru - + Attach File Pripojiť súbor - - - Description characters to enter : %s - Popisné znaky na potvrdenie : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Prosím, popíšte, čo ste robili, keď sa vyskytla táto chyba. Pokiaľ možno v angličtine. -(Najmenej 20 znakov) - - 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. Also attach any files that triggered the problem. - Ups! V OpenLP sa vyskytol problém a program sa nemohol obnoviť. Text v poli nižšie obsahuje informácie, ktoré by mohli byť užitočné pre OpenLP vývojárov. Prosím pošlite e-mail na bugs@openlp.org spolu s podrobným popisom toho, čo ste robili, keď sa problém vyskytol. Tak isto pripojte akékoľvek súbory, ktoré spustili tento problém. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation + OpenLP.ExceptionForm - - Platform: %s - - Platforma: %s - - - - + Save Crash Report Uložiť správu o zlyhaní - + Text files (*.txt *.log *.text) Textové súbory (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3302,268 +3269,259 @@ This location will be used after OpenLP is closed. OpenLP.FirstTimeWizard - + Songs Piesne - + First Time Wizard Sprievodca prvým spustením - + Welcome to the First Time Wizard 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 - Sledovanie použitia piesní - - - - Allow Alerts - Povoliť upozornenia - - - + Default Settings Pôvodné nastavenia. - - Downloading %s... - Sťahovanie %s... - - - + Enabling selected plugins... 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... Štartovanie konfiguračného procesu... - + Setting Up And Downloading 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 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. - Internetové pripojenie nie je dostupné. Sprievodca prvým spustením potrebuje internetové pripojenie pre stiahnutie ukážok piesní, Biblií a motívov. Kliknite na tlačidlo Koniec pre spustenie aplikácie OpenLP s predvoleným nastavením a bez vzorových dát. - -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 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ť + + + Select parts of the program you wish to use + Vyberte časti programu, ktoré chcete použiť. + + + + You can also change these settings after the Wizard. + Tieto nastavenia môžete meniť aj po ukončení sprievodcu. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Vlastné snímky - ľahká správa pesničiek s vlastným usporiadaním snímkov + + + + Bibles – Import and show Bibles + Biblie - import a zobrazenie biblií + + + + Images – Show images or replace background with them + Obrázky - ukázať obrázky alebo s nimi meniť pozadie + + + + Presentations – Show .ppt, .odp and .pdf files + Prezentácie - zobrazenie .ppt, .odp, a .pdf súborov + + + + Media – Playback of Audio and Video files + Média - prehrávanie audio a video súborov + + + + Remote – Control OpenLP via browser or smartphone app + Dialkové ovládanie - ovládanie OpenLP cez prehliadač alebo mobilnú aplikáciu + + + + Song Usage Monitor + Sledovanie používania piesne + + + + Alerts – Display informative messages while showing other slides + Upozornenia - zobrazenie informačných správ počas zobrazenia snímkov + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projektory - ovládanie PJLink kompatibilných projektorov v sieti z programu OpenLP + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3606,44 +3564,49 @@ Ak chcete úplne zrušiť sprievodcu prvým spustením (a nespustiť OpenLP), kl OpenLP.FormattingTagForm - + <HTML here> <HTML tu> - + Validation Error Chyba overovania - + Description is missing Chýba popis - + Tag is missing Chýba značka - Tag %s already defined. - Značka %s je už definovaná. + Tag {tag} already defined. + - Description %s already defined. - Popis %s je už definovaný. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Začiatočná značka %s nie je platná značka HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Koncová značka %(end)s nezodpovedá uzatváracej značke k značke %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3732,170 +3695,200 @@ Ak chcete úplne zrušiť sprievodcu prvým spustením (a nespustiť OpenLP), kl OpenLP.GeneralTab - + General Všeobecné - + Monitors Monitory - + Select monitor for output display: Vybrať monitor pre výstupné zobrazenie - + Display if a single screen Zobrazenie pri jednej obrazovke - + Application Startup Spustenie aplikácie - + Show blank screen warning Zobraziť varovanie pri prázdnej obrazovke - - Automatically open the last service - Automaticky otvoriť poslednú službu - - - + Show the splash screen Zobraziť úvodnú obrazovku - + Application Settings Nastavenie aplikácie - + Prompt to save before starting a new service Pred spustením novej služby sa pýtať na uloženie. - - Automatically preview next item in service - Automatický náhľad ďalšej položky v službe - - - + sec sek - + CCLI Details CCLI Detaily - + SongSelect username: SongSelect používateľské meno: - + SongSelect password: SongSelect heslo: - + X X - + Y Y - + Height Výška - + Width Šírka - + Check for updates to OpenLP Kontrola aktualizácií aplikácie OpenLP - - Unblank display when adding new live item - Odkryť zobrazenie pri pridávaní novej položky naživo - - - + Timed slide interval: Časový interval medzi snímkami: - + Background Audio Zvuk na pozadí - + Start background audio paused Spustiť zvuk na pozadí pozastavený - + Service Item Slide Limits Obmedzenia snímku položky služby - + Override display position: Prekryť pozíciu zobrazenia: - + Repeat track list Opakovať zoznam stôp - + Behavior of next/previous on the last/first slide: Správanie nasledujúceho/predchádzajúceho na poslednom/prvom snímku: - + &Remain on Slide &Zostať na snímku - + &Wrap around &Skok na prvý/posledný snímok - + &Move to next/previous service item &Presuň na nasledujúcu/predchádzajúcu položku v službe + + + Logo + Logo + + + + Logo file: + Súbor loga: + + + + Browse for an image file to display. + Prehľadávať obrázky na zobrazenie. + + + + Revert to the default OpenLP logo. + Obnoviť pôvodné OpenLP logo. + + + + Don't show logo on startup + Nezobrazovať logo pri spustení + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Jazyk - + Please restart OpenLP to use your new language setting. Zmeny nastavenia jazyka sa prejavia po reštartovaní aplikácie OpenLP. @@ -3903,7 +3896,7 @@ Ak chcete úplne zrušiť sprievodcu prvým spustením (a nespustiť OpenLP), kl OpenLP.MainDisplay - + OpenLP Display Zobrazenie OpenLP @@ -3930,11 +3923,6 @@ Ak chcete úplne zrušiť sprievodcu prvým spustením (a nespustiť OpenLP), kl &View &Zobraziť - - - M&ode - &Réžim - &Tools @@ -3955,16 +3943,6 @@ Ak chcete úplne zrušiť sprievodcu prvým spustením (a nespustiť OpenLP), kl &Help &Pomocník - - - Service Manager - Správca služby - - - - Theme Manager - Správca motívov - Open an existing service. @@ -3990,11 +3968,6 @@ Ak chcete úplne zrušiť sprievodcu prvým spustením (a nespustiť OpenLP), kl E&xit &Ukončiť - - - Quit OpenLP - Ukončiť OpenLP - &Theme @@ -4006,191 +3979,67 @@ Ak chcete úplne zrušiť sprievodcu prvým spustením (a nespustiť OpenLP), kl &Nastaviť OpenLP - - &Media Manager - &Správca médií - - - - Toggle Media Manager - Prepnúť správcu médií - - - - Toggle the visibility of the media manager. - Prepnúť viditeľnosť správcu médií. - - - - &Theme Manager - &Správca motívov - - - - Toggle Theme Manager - Prepnúť správcu motívu - - - - Toggle the visibility of the theme manager. - Prepnúť viditeľnosť správcu motívu. - - - - &Service Manager - &Správca služby - - - - Toggle Service Manager - Prepnúť správcu služby - - - - Toggle the visibility of the service manager. - Prepnúť viditeľnosť správcu služby. - - - - &Preview Panel - &Panel náhľadu - - - - Toggle Preview Panel - Prepnúť panel náhľadu - - - - Toggle the visibility of the preview panel. - Prepnúť viditeľnosť panelu náhľadu. - - - - &Live Panel - &Panel Naživo - - - - Toggle Live Panel - Prepnúť panel Naživo - - - - Toggle the visibility of the live panel. - Prepnúť viditeľnosť panelu Naživo. - - - - List the Plugins - Vypísať moduly - - - + &User Guide &Používateľská príručka - + &About &O aplikácii - - More information about OpenLP - Viac informácií o aplikácii OpenLP - - - + &Online Help &Online pomocník - + &Web Site &Webová stránka - + Use the system language, if available. Použiť jazyk systému, ak je dostupný. - - Set the interface language to %s - Jazyk rozhrania nastavený na %s - - - + Add &Tool... Pridať &nástroj... - + Add an application to the list of tools. Pridať aplikáciu do zoznamu nástrojov. - - &Default - &Predvolený - - - - Set the view mode back to the default. - Nastaviť režim zobrazenia späť na predvolený. - - - + &Setup &Náhľad - - Set the view mode to Setup. - &Nastaviť režim zobrazenia na Nastavenie - - - + &Live &Naživo - - Set the view mode to Live. - Nastaviť režim zobrazenia na Naživo. - - - - 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/. - Na stiahnutie je dostupná verzia %s aplikácie OpenLP (v súčasnej dobe používate verziu %s). - -Najnovšiu verziu si môžte stiahnuť z http://openlp.org/. - - - + OpenLP Version Updated Verzia OpenLP bola aktualizovaná - + OpenLP Main Display Blanked Hlavné zobrazenie OpenLP je prázdne - + The Main Display has been blanked out Hlavné zobrazenie je vymazané. - - Default Theme: %s - Predvolený motív: %s - - - + English Please add the name of your language here Slovenčina @@ -4201,27 +4050,27 @@ Najnovšiu verziu si môžte stiahnuť z http://openlp.org/. Klávesové &skratky... - + Open &Data Folder... Otvoriť &dátový priečinok... - + Open the folder where songs, bibles and other data resides. Otvoriť priečinok, kde sa nachádzajú piesne, biblie a ostatné dáta. - + &Autodetect &Automaticky detekovať - + Update Theme Images Aktualizovať obrázky motívov - + Update the preview images for all themes. Aktualizovať náhľady obrázkov všetkých motívov @@ -4231,32 +4080,22 @@ Najnovšiu verziu si môžte stiahnuť z http://openlp.org/. Tlačiť aktuálnu službu. - - L&ock Panels - &Zamknúť panely - - - - Prevent the panels being moved. - Zabrániť presunu panelov. - - - + Re-run First Time Wizard Znovu spustiť Sprievodcu prvým spustením. - + Re-run the First Time Wizard, importing songs, Bibles and themes. Znovu spustiť Sprievodcu prvým spustením, importovať piesne, biblie a motívy. - + Re-run First Time Wizard? Spustiť znovu Sprievodcu prvým spustením? - + 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. @@ -4265,13 +4104,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. @@ -4280,73 +4119,36 @@ Znovu spustením tohto sprievodcu môže dojsť k zmenám aktuálneho nastavenia Configure &Formatting Tags... Nastaviť &formátovacie značky... - - - Export OpenLP settings to a specified *.config file - Export OpenLP nastavení do určitého *.config súboru - Settings Nastavenia - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Import OpenLP nastavenia z určitého *.config súboru predtým exportovaného na tomto alebo inom stroji. - - - + Import settings? Importovať nastavenia? - - Open File - Otvoriť súbor - - - - OpenLP Export Settings Files (*.conf) - Súbory exportovaného nastavenia OpenLP (*.conf) - - - + Import settings Import nastavení - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. Aplikácia OpenLP sa teraz ukončí. Importované nastavenia sa použijú pri ďalšom spustení. - + Export Settings File Súbor exportovaného nastavenia. - - OpenLP Export Settings File (*.conf) - 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 - Kopírovanie dátového priečinku OpenLP zlyhalo %s - General @@ -4358,12 +4160,12 @@ Znovu spustením tohto sprievodcu môže dojsť k zmenám aktuálneho nastavenia Knižnica - + Jump to the search box of the current active plugin. Skočiť na vyhľadávacie pole aktuálneho aktívneho pluginu. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4376,7 +4178,7 @@ Tieto importované nastavenia trvalo zmenia súčasnú konfiguráciu OpenLP. Import nesprávných nastavení môže viesť k neočakávanému správaniu alebo padaniu aplikácie 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. @@ -4385,35 +4187,10 @@ Processing has terminated and no changes have been made. 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 - &Recent Services @@ -4445,131 +4222,344 @@ Proces bude ukončený a žiadne zmeny sa neuložia. Spravovať &moduly - + Exit OpenLP Ukončiť OpenLP - + Are you sure you want to exit OpenLP? Chcete naozaj ukončiť aplikáciu OpenLP? - + &Exit OpenLP U&končit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Verzia OpenLP {new} je k dispozícii na stiahnutie (momentálna verzia {current}). + +Poslednú verziu môžete stiahnuť z http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + Kľúč "{key}" nemá východziu hodnotu a preto bude pri tomto exporte preskočený. + + + + An error occurred while exporting the settings: {err} + Vyskytla sa chyba pri exporte nastavení: {err} + + + + Default Theme: {theme} + Predvolený motív: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Kopírovanie OpenLP dát do nového umiestnenia dátového priečinka - {path} - Počkajte prosím na dokokončenie kopírovania. + + + + OpenLP Data directory copy failed + +{err} + Kopírovanie dátového priečinku OpenLP zlyhalo + +{err} + + + + &Layout Presets + + + + + Service + Služba + + + + Themes + Motívy + + + + Projectors + Projektory + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 - Databáza na načítanie bola vytvorená v novšej verzii aplikácie OpenLP. Verzia databázy je %d, zatiaľ čo OpenLP očakáva verziu %d. Databáza nebude načítaná. - -Databáza: %s - - - + OpenLP cannot load your database. -Database: %s - Aplikácia OpenLP nemôže načítať databázu. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Databáza: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Nevybrané žiadne položky - + &Add to selected Service Item &Pridať k vybranej položke služby - + You must select one or more items to preview. K náhľadu je potrebné vybrať jednu alebo viac položiek. - + You must select one or more items to send live. Pre zobrazenie naživo je potrebné vybrať jednu alebo viac položiek. - + You must select one or more items. Je potrebné vybrať jednu alebo viac položiek. - + You must select an existing service item to add to. K pridaniu je potrebné vybrať existujúcu položku služby. - + Invalid Service Item Neplatná položka služby - - You must select a %s service item. - Je potrebné vybrať %s položku služby. - - - + You must select one or more items to add. Pre pridanie je potrebné vybrať jednu alebo viac položiek. - + No Search Results Žiadne výsledky vyhľadávania. - + Invalid File Type Neplatný typ súboru. - - Invalid File %s. -Suffix not supported - Nepltný súbor %s. -Prípona nie je podporovaná - - - + &Clone &Klonovať - + Duplicate files were found on import and were ignored. Pri importe boli nájdené duplicitné súbory, ktoré boli ignorované. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Chýbajúca značka <lyrics>. - + <verse> tag is missing. Chýbajúca značka <verse>. @@ -4577,22 +4567,22 @@ Prípona nie je podporovaná OpenLP.PJLink1 - + 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: @@ -4600,32 +4590,32 @@ Prípona nie je podporovaná OpenLP.PlayerTab - + Players Prehrávače - + Available Media Players Dostupné prehrávače médií - + Player Search Order Poradie vyhľadávania prehrávačov - + Visible background for videos with aspect ratio different to screen. Viditeľné pozadie pre videa s iným pomerom strán než má obrazovka. - + %s (unavailable) %s (nedostupný) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" Poznámka: Aby sa dalo použiť VLC je potrebné nainštalovať verziu %s @@ -4634,55 +4624,50 @@ Prípona nie je podporovaná OpenLP.PluginForm - + Plugin Details Podrobnosti k modulu. - + Status: Stav: - + Active Aktívny - - Inactive - Neaktívny - - - - %s (Inactive) - %s (Neaktívny) - - - - %s (Active) - %s (Aktívny) + + Manage Plugins + Spravovať moduly - %s (Disabled) - %s (Vypnutý) + {name} (Disabled) + - - Manage Plugins - Spravovať moduly + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Prispôsobiť stránke - + Fit Width Prispôsobiť šírke @@ -4690,77 +4675,77 @@ Prípona nie je podporovaná OpenLP.PrintServiceForm - + Options Možnosti - + Copy Kopírovať - + Copy as HTML Kopírovať ako HTML - + Zoom In Zväčšiť - + Zoom Out Zmenšiť - + Zoom Original Pôvodná veľkosť - + Other Options Ostatné možnosti - + Include slide text if available Zahrnúť text snímku, ak je k dispozícii - + Include service item notes Zahrnúť poznámky položky služby - + Include play length of media items Zahrnúť dĺžku prehrávania mediálnych položiek - + Add page break before each text item Pridať zalomenie stránky pred každou položkou textu - + Service Sheet List služby - + Print Tlač - + Title: Nadpis: - + Custom Footer Text: Vlastný text zápätia: @@ -4768,257 +4753,257 @@ Prípona nie je podporovaná OpenLP.ProjectorConstants - + 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 + Neplatný 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 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 @@ -5026,17 +5011,17 @@ Prípona nie je podporovaná OpenLP.ProjectorEdit - + 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 @@ -5044,52 +5029,52 @@ Prípona nie je podporovaná OpenLP.ProjectorEditForm - + 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 - + Notes Poznámky - + Database Error Chyba databázy - + 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. @@ -5097,305 +5082,360 @@ Prípona nie je podporovaná OpenLP.ProjectorManager - + 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 - Prepnúť 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 - + Port Port - + Notes Poznámky - + 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é - - Delete projector (%s) %s? - Zmazať projektor (%s) %s? - - - + Are you sure you want to delete this projector? Ste si istý, že chcete zmazať tento projektor? + + + Add a new projector. + Pridať nový projektor. + + + + Edit selected projector. + Upraviť vybraný projektor. + + + + Delete selected projector. + Zmazať vybraný projektor. + + + + Choose input source on selected projector. + Vybrať zdroj vstupu u vybraného projektoru. + + + + 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 projector. + Odpojiť sa od vybraného projektoru. + + + + Disconnect from selected projectors. + Odpojiť sa od vybraných projektorov. + + + + Power on selected projector. + Zapnúť vybraný projektor. + + + + Power on selected projectors. + Zapnúť vybrané projektory. + + + + Put selected projector in standby. + Prepnúť vybraný projektor do úsporného režimu. + + + + Put selected projectors in standby. + Prepnúť vybrané projektory do úsporného režimu. + + + + Blank selected projectors screen + Prázdna obrazovka na vybranom projektore. + + + + Blank selected projectors screen. + Prázdna obrazovka na vybraných projektoroch. + + + + Show selected projector screen. + Zobraziť obrazovku na vybranom projektore. + + + + Show selected projectors screen. + Zobraziť obrazovku na vybraných projektoroch. + + + + is on + je zapnutý + + + + is off + je vypnutý + + + + Authentication Error + Chyba prihlásenia + + + + No Authentication Error + Bez chyby prihlásenia + OpenLP.ProjectorPJLink - + Fan Ventilátor - + Lamp Lampa - + Temperature Teplota - + Cover Kryt - + Filter Filter - + Other Ďalšie @@ -5441,17 +5481,17 @@ Prípona nie je podporovaná OpenLP.ProjectorWizard - + Duplicate IP Address Duplicitná IP adresa - + Invalid IP Address Neplatná IP adresa - + Invalid Port Number Neplatné číslo portu @@ -5464,27 +5504,27 @@ Prípona nie je podporovaná Obrazovka - + primary Primárny OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Začiatok</strong>:%s - - - - <strong>Length</strong>: %s - <strong>Dĺžka</strong>:%s - - [slide %d] - [snímok %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5548,52 +5588,52 @@ Prípona nie je podporovaná Vymazať vybranú položku zo služby. - + &Add New Item &Pridať novú položku - + &Add to Selected Item &Pridať k vybranej položke - + &Edit Item &Upraviť položku - + &Reorder Item &Zmeniť poradie položky - + &Notes &Poznámky - + &Change Item Theme &Zmeniť motív položky - + File is not a valid service. 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 @@ -5618,7 +5658,7 @@ Prípona nie je podporovaná Zabaliť všetky položky služby. - + Open File Otvoriť súbor @@ -5648,22 +5688,22 @@ Prípona nie je podporovaná Odoslať vybranú položku Naživo. - + &Start Time &Spustiť čas - + Show &Preview Zobraziť &náhľad - + Modified Service Zmenená služba - + The current service has been modified. Would you like to save this service? Aktuálna služba bola zmenená. Prajete si službu uložiť? @@ -5683,27 +5723,27 @@ Prípona nie je podporovaná Čas prehrávania: - + Untitled Service 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 @@ -5723,147 +5763,145 @@ Prípona nie je podporovaná 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 - + &Rename... &Premenovať... - + Create New &Custom Slide Vytvoriť nový &vlastný snímok - + &Auto play slides &Automaticky prehrať snímok - + Auto play slides &Loop Automaticky prehrať snímok &Opakovane - + Auto play slides &Once Automaticky prehrať snímok opakovane &Raz - + &Delay between slides Oneskorenie &Medzi snímkami - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} 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í. + + + + + An error occurred while writing the service file: {error} + @@ -5895,15 +5933,10 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. Skratka - + Duplicate Shortcut Duplicitná skratka - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Skratka "%s" je už priradená inej činnosti, prosím použite inú skratku. - Alternate @@ -5949,219 +5982,234 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. Configure Shortcuts Nastaviť skratky + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Skryť - + Go To Prejsť na - + Blank Screen Prázdna obrazovka - + Blank to Theme Prázdny motív - + Show Desktop Zobraziť plochu - + Previous Service Predchádzajúca služba - + Next Service Nasledujúca služba - + Escape Item Zrušiť položku - + Move to previous. Predchádzajúci - + Move to next. Nasledujúci - + Play Slides Prehrať snímky - + Delay between slides in seconds. Oneskorenie medzi snímkami v sekundách. - + Move to live. Naživo - + Add to Service. Pridať k službe. - + Edit and reload song preview. Upraviť a znovu načítať náhľad piesne. - + Start playing media. Spustiť prehrávanie média. - + Pause audio. Pozastaviť zvuk. - + Pause playing media. Pozastaviť prehrávanie média. - + Stop playing media. Zastaviť prehrávanie média. - + Video position. Pozícia vo videu. - + Audio Volume. Hlasitosť zvuku. - + Go to "Verse" Prejsť na "Sloha" - + Go to "Chorus" Prejsť na "Refrén" - + Go to "Bridge" Prejsť na "Prechod" - + Go to "Pre-Chorus" Prejsť na "Predrefrén" - + Go to "Intro" Prejsť na "Úvod" - + Go to "Ending" Prejsť na "Zakončenie" - + Go to "Other" Prejsť na "Ostatné" - + Previous Slide Predchádzajúci snímok - + Next Slide Nasledujúci snímok - + Pause Audio Pozastaviť zvuk - + Background Audio Zvuk na pozadí - + Go to next audio track. Prejsť na ďalšiu zvukovú stopu. - + Tracks Stopy + + + Loop playing media. + Opakovať prehrávanie média. + + + + Video timer. + Časovač videa. + 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 - + 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? @@ -6169,17 +6217,17 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. OpenLP.SpellTextEdit - + Spelling Suggestions Návrhy pravopisu - + Formatting Tags Formátovacie značky - + Language: Jazyk: @@ -6258,7 +6306,7 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. OpenLP.ThemeForm - + (approximately %d lines per slide) (približne %d riadok na snímok @@ -6266,523 +6314,531 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. OpenLP.ThemeManager - + Create a new theme. Nový motív - + Edit Theme Upraviť motív - + Edit a theme. Upraviť motív - + Delete Theme Zmazať motív - + Delete a theme. Odstrániť motív - + Import Theme Import motívu - + Import a theme. Importovať motív - + Export Theme Export motívu - + Export a theme. Exportovať motív - + &Edit Theme &Upraviť motív - + &Delete Theme &Zmazať motív - + Set As &Global Default Nastaviť ako &Globálny predvolený - - %s (default) - %s (predvolený) - - - + You must select a theme to edit. Pre úpravy je potrebné vybrať motív. - + You are unable to delete the default theme. Nie je možné zmazať predvolený motív - + 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 - + Select Theme Import File Vybrať súbor k importu motívu - + File is not a valid theme. Súbor nie je platný motív. - + &Copy Theme &Kopírovať motív - + &Rename Theme &Premenovať motív - + &Export Theme &Export motívu - + You must select a theme to rename. K premenovaniu je potrebné vybrať motív. - + Rename Confirmation Potvrdenie premenovania - + Rename %s theme? Premenovať motív %s? - + You must select a theme to delete. Pre zmazanie je potrebné vybrať motív. - + Delete Confirmation Potvrdenie zmazania. - + Delete %s theme? Zmazať motív %s? - + Validation Error Chyba overovania - + A theme with this name already exists. Motív s týmto názvom už existuje. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s krát použité v %s - - - + Unable to delete theme Nie je možné zmazať motív + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Motív sa práve používa - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Sprievodca motívom - + Welcome to the Theme Wizard Vitajte v sprievodcovi motívom - + Set Up Background Nastavenie pozadia - + Set up your theme's background according to the parameters below. Podľa parametrov nižšie nastavte pozadie motívu. - + Background type: Typ pozadia: - + Gradient Stúpanie - + Gradient: Stúpanie: - + Horizontal Vodorovný - + Vertical Zvislý - + Circular Kruhový - + Top Left - Bottom Right Vľavo hore - vpravo dole - + Bottom Left - Top Right Vľavo dole - vpravo hore - + Main Area Font Details Podrobnosti písma hlavnej oblasti - + Define the font and display characteristics for the Display text Definovať písmo a charakteristiku zobrazenia pre zobrazený text - + Font: Písmo: - + Size: Veľkosť: - + Line Spacing: Riadkovanie: - + &Outline: &Okraj: - + &Shadow: &Tieň: - + Bold Tučné - + Italic Kurzíva - + Footer Area Font Details Podrobnosti písma oblasti zápätia - + Define the font and display characteristics for the Footer text Definovať písmo a charakteristiku zobrazenia pre text zápätia - + Text Formatting Details Podrobnosti formátovania textu - + Allows additional display formatting information to be defined Povoľuje definovať ďalšie formátovacie infromácie zobrazenia - + Horizontal Align: Vodorovné zarovnanie - + Left Vľavo - + Right Vpravo - + Center Na stred - + Output Area Locations Umiestnenie výstupných oblastí - + &Main Area &Hlavná oblasť - + &Use default location &Použiť predvolené umiestnenie - + X position: Pozícia X: - + px px - + Y position: Pozícia Y: - + Width: Šírka: - + Height: Výška: - + Use default location Použiť predvolené umiestnenie - + Theme name: Názov motívu: - - Edit Theme - %s - Upraviť motív - %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. Tento sprievodca vám pomôže vytvoriť a upravovať svoje motívy. Pre spustenie procesu nastavení vášho pozadia kliknite nižšie na tlačidlo ďalší. - + Transitions: Prechody: - + &Footer Area &Oblasť zápätia - + Starting color: Farba začiatku: - + Ending color: Farba konca: - + Background color: Farba pozadia: - + Justify Do bloku - + Layout Preview Náhľad rozmiestnenia - + Transparent Priehľadný - + Preview and Save Náhľad a uložiť - + Preview the theme and save it. Náhľad motívu a uložiť ho. - + Background Image Empty Prázdny obrázok pozadia - + Select Image Vybrať obrázok - + Theme Name Missing Chýba názov motívu - + There is no name for this theme. Please enter one. Nie je vyplnený názov motívu. Prosím zadajte ho. - + Theme Name Invalid Neplatný názov motívu - + Invalid theme name. Please enter one. Neplatný názov motívu. Prosím zadajte nový. - + Solid color Jednofarebné - + color: farba: - + Allows you to change and move the Main and Footer areas. Umožňuje zmeniť a presunúť hlavnú oblasť a oblasť zápätia. - + You have not selected a background image. Please select one before continuing. Nebol vybraný obrázok pozadia. Pred pokračovaním prosím jeden vyberte. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6865,73 +6921,73 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. &Zvislé zarovnanie: - + Finished import. Import ukončený. - + Format: Formát: - + Importing Importovanie - + Importing "%s"... Importovanie "%s"... - + Select Import Source Vybrať zdroj importu - + Select the import format and the location to import from. Vyberte formát importu a umiestnenia, z ktorého sa má importovať. - + Open %s File Otvoriť súbor %s - + %p% %p% - + Ready. Pripravený - + Starting import... Spustenie importu... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong 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 - + Welcome to the Song Export Wizard Vitajte v sprievodcovi exportu piesní. - + Welcome to the Song Import Wizard Vitajte v sprievodcovi importu piesní. @@ -6981,39 +7037,34 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. Chyba v syntaxi XML - - Welcome to the Bible Upgrade Wizard - Vitajte v sprievodcovi aktualizácií Biblie. - - - + Open %s Folder Otvorte %s priečinok - + You need to specify one %s file to import from. A file type e.g. OpenSong Určte jeden %s súbor z kade sa bude importovať. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Určte jeden %s priečinok z kadiaľ sa bude importovať. - + Importing Songs Import piesní - + Welcome to the Duplicate Song Removal Wizard Vitajte v sprievodcovi odobratia duplicitných piesní - + Written by Napísal @@ -7023,502 +7074,490 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. Autor neznámy - + About O aplikácii - + &Add &Pridať - + Add group Pridať skupinu - + Advanced Pokročilé - + All Files Všetky súbory - + Automatic Automaticky - + Background Color Farba pozadia - + Bottom Dole - + Browse... Prehliadať... - + Cancel Zrušiť - + CCLI number: CCLI číslo: - + Create a new service. Vytvoriť novú službu - + Confirm Delete Potvrdiť zmazanie - + Continuous Spojitý - + Default Predvolená - + Default Color: Predvolená farba: - + 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. Služba %Y-%m-%d %H-%M - + &Delete &Zmazať - + Display style: Štýl zobrazenia - + Duplicate Error Duplicitná chyba - + &Edit &Upraviť - + Empty Field Prázdne pole - + Error Chyba - + Export Export - + File Súbor - + File Not Found Súbor nebol nájdený - - File %s not found. -Please try selecting it individually. - Súbor %s nebol nájdený. -Skúste to prosím výberom individuálne. - - - + pt Abbreviated font pointsize unit pt - + Help Pomocník - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Vybrali ste nesprávny priečinok - + Invalid File Selected Singular Vybrali ste nesprávny súbor - + Invalid Files Selected Plural Vybrali ste nesprávne súbory - + Image Obrázok - + Import Import - + Layout style: Štýl rozmiestnenia - + Live Naživo - + Live Background Error Chyba v pozadí naživo - + Live Toolbar Nástrojová lišta naživo - + Load Načítať - + Manufacturer Singular Výrobca - + Manufacturers Plural Výrobci - + Model Singular Model - + Models Plural Modely - + m The abbreviated unit for minutes min - + Middle Uprostred - + New Nový - + New Service Nová služba - + New Theme Nový motív - + Next Track Nasledujúca stopa - + No Folder Selected Singular Nevybrali ste žiadny priečinok - + No File Selected Singular Nevybraný žiadny súbor - + No Files Selected Plural Nevybrané žiadne súbory - + No Item Selected Singular Nevybraná žiadna položka - + No Items Selected Plural Nevybrané žiadne položky - + OpenLP is already running. Do you wish to continue? Aplikácia OpenLP je už spustená. Prajete si pokračovať? - + Open service. Otvoriť službu - + Play Slides in Loop Prehrať snímky v slučke - + Play Slides to End Prehrať snímky na konci - + Preview Náhľad - + Print Service Tlač služby - + Projector Singular 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: - + Preview Toolbar Nástrojová lišta náhľadu - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Nahradiť živé pozadie (live background) nie je dostupné keď je prehrávač WebKit zakázaný. @@ -7534,29 +7573,100 @@ Skúste to prosím výberom individuálne. Plural Spevníky + + + Background color: + Farba pozadia: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Žiadne Biblie k dispozícii. + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Sloha + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s a %s - + %s, and %s Locale list separator: end %s, a %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7639,47 +7749,47 @@ Skúste to prosím výberom individuálne. Prezentovať pomocou: - + File Exists Súbor existuje - + A presentation with that filename already exists. Prezentácia s týmto názvom súboru už existuje. - + This type of presentation is not supported. Tento typ prezentácie nie je podporovaný. - - Presentations (%s) - 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. + + Presentations ({text}) + - - The presentation %s no longer exists. - Prezentácia %s už neexistuje. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7689,11 +7799,6 @@ Skúste to prosím výberom individuálne. Available Controllers Dostupné ovládanie - - - %s (unavailable) - %s (nedostupný) - Allow presentation application to be overridden @@ -7710,12 +7815,12 @@ Skúste to prosím výberom individuálne. Použite celú cestu k mudraw alebo ghostscript: - + Select mudraw or ghostscript binary. Vyberte mudraw alebo ghostscript. - + The program is not ghostscript or mudraw which is required. Program nie je ghostscript alebo mudraw, ktorý je potrebný. @@ -7726,13 +7831,19 @@ Skúste to prosím výberom individuálne. - Clicking on a selected slide in the slidecontroller advances to next effect. - Kliknutím na vybratý snímok v ovládaní postúpi do dalšieho efektu. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Nechať PowerPoint určovať veľkosť a pozíciu prezentačného okna (riešenie problému veľkosti vo Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7746,19 +7857,19 @@ Skúste to prosím výberom individuálne. Remote name singular - Vzdialený + Dialkové ovládanie Remotes name plural - Vzdialené + Dialkové ovládania Remote container title - Vzdialený + Dialkové ovládanie @@ -7774,127 +7885,127 @@ 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 - + Remote - Vzdialený + Dialkové ovládania - + Stage View Pódiové zobrazenie - + Live View Zobrazenie naživo @@ -7902,79 +8013,89 @@ Skúste to prosím výberom individuálne. RemotePlugin.RemoteTab - + Serve on IP address: Zdieľať na IP adrese: - + Port number: Číslo portu: - + Server Settings Nastavenie serveru - + Remote URL: - Vzdialená URL: + URL dialkového ovládania: - + Stage view URL: Náhľad stage URL: - + Display stage time in 12h format Zobraziť čas v 12-hodinovom formáte - + Android App Android aplikácia - + Live view URL: URL Naživo: - + 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. Nemôžem nájsť SSL certifikát. HTTPS server nebude dostupný pokiaľ nebude SSL certifikát. Prosím pozrite manuál pre viac informácií. - + User Authentication Autentifikácia používateľa - + User id: Používateľ: - + Password: Heslo: - + 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í + Zobraziť miniatúry netextových snímkov v dialkovom ovládaní a na pódiovom zobrazení - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Naskenujte QR kód alebo klinite na <a href="%s">stiahnuť</a> pre inštaláciu Android aplikácie zo služby Google Play. + + iOS App + iOS aplikácia + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8015,50 +8136,50 @@ Skúste to prosím výberom individuálne. 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ý @@ -8125,22 +8246,10 @@ All data recorded before this date will be permanently deleted. 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 @@ -8154,45 +8263,57 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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í... @@ -8285,80 +8406,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í. @@ -8441,68 +8562,73 @@ The encoding is responsible for the correct character representation. Invalid DreamBeam song file. Missing DreamSong tag. - Nesprávny DreamBeam súbor. Chýbajúce DreamBeam značky. + Neplatný DreamBeam súbor. Chýbajúca DreamBeam značka. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Spravuje %s - - - - "%s" could not be imported. %s - "%s" nemôže byť nahraný. %s - - - + Unexpected data formatting. Neočakávané formátovanie. - + No song text found. Nenájdený žiadny text piesne. - + [above are Song Tags with notes imported from EasyWorship] [vyššie sú značky piesní s poznámkami importovanými z EasyWorship] - + 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Používateľské názvy kníh @@ -8585,57 +8711,57 @@ The encoding is responsible for the correct character representation. Motív, autorské práva a komentáre - + Add Author Pridať autora - + This author does not exist, do you want to add them? Tento autor neexistuje. Chcete ho pridať? - + This author is already in the list. Tento autor je už v zozname - + 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. Nie je vybraný platný autor. Buď vyberiete autora zo zoznamu, alebo zadáte nového autora a pre pridanie nového autora kliknete na tlačidlo "Pridať autora k piesni". - + Add Topic Pridať tému - + This topic does not exist, do you want to add it? Táto téma neexistuje. Chcete ju pridať? - + This topic is already in the list. Táto téma je už v zozname. - + 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. Nie je vybraná platná téma. Buď vyberiete tému zo zoznamu, alebo zadáte novú tému a pridanie novej témy kliknete na tlačidlo "Pridať tému k piesni". - + You need to type in a song title. Je potrebné zadať názov piesne. - + You need to type in at least one verse. Je potrebné zadať aspoň jednu slohu. - + You need to have an author for this song. Pre túto pieseň je potrebné zadať autora. @@ -8660,7 +8786,7 @@ The encoding is responsible for the correct character representation. Odstrániť &Všetko - + Open File(s) Otvoriť súbor (y) @@ -8675,14 +8801,7 @@ The encoding is responsible for the correct character representation. <strong>Upozornenie:</strong> Nevložili ste poradie veršov. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Niesú žiadne verše ako "%(invalid)s". Správne sú %(valid)s, -Prosím vložte verše oddelené medzerou. - - - + Invalid Verse Order Nesprávne poradie veršov @@ -8692,22 +8811,15 @@ Prosím vložte verše oddelené medzerou. &Upraviť typ autora - + Edit Author Type Úprava typu autora - + Choose type for this author Vybrať typ pre tohto autora - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Niesú žiadne verše ako "%(invalid)s". Správne sú %(valid)s, -Prosím vložte verše oddelené medzerou. - &Manage Authors, Topics, Songbooks @@ -8729,45 +8841,71 @@ Prosím vložte verše oddelené medzerou. Autori, témy a spevníky - + Add Songbook Pridať spevník - + This Songbook does not exist, do you want to add it? Tento spevník neexistuje. Chcete ho pridať? - + This Songbook is already in the list. Tento spevník je už v zozname. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Nie je vybraný platný spevník. Buď vyberiete spevník zo zoznamu, alebo zadáte nový spevník a pre pridanie nového spevníku kliknete na tlačidlo "Pridať k piesni". + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Upraviť verš - + &Verse type: &Typ verša - + &Insert &Vložiť - + Split a slide into two by inserting a verse splitter. Vložením oddeľovača sloh sa snímok rozdelí na dva snímky. @@ -8780,77 +8918,77 @@ Prosím vložte verše oddelené medzerou. Sprievodca exportom piesne - + Select Songs Vybrať piesne - + Check the songs you want to export. Zaškrtnite piesne, ktoré chcete exportovať. - + Uncheck All - Odoznačiť všetko + Odznačiť všetko - + Check All Označiť všetko - + Select Directory Vybrať priečinok: - + Directory: Priečinok: - + Exporting Exportovanie - + Please wait while your songs are exported. Čakajte prosím, kým budú vaše piesne exportované. - + You need to add at least one Song to export. Je potrebné pridať k exportu aspoň jednu pieseň - + No Save Location specified Nie je zadané umiestnenie pre uloženie. - + Starting export... Spustenie exportu... - + You need to specify a directory. Je potrebné zadať priečinok. - + Select Destination Folder Vybrať cielový priečinok. - + Select the directory where you want the songs to be saved. Vybrať priečinok, kde chcete ukladať piesne. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Tento sprievodca vám pomôže s exportom vašich piesní do otvoreného a volne šíriteľného formátu pre chvály <strong>OpenLyrics</strong>. @@ -8858,15 +8996,15 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. - Nesprávny Foilpresenter súbor. Žiadne verše. + Neplatný Foilpresenter súbor. Žiadne verše. SongsPlugin.GeneralTab - + Enable search as you type Zapnúť vyhľadávanie počas písania. @@ -8874,7 +9012,7 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Vybrať dokumentové/prezentačné súbory @@ -8884,237 +9022,252 @@ Prosím vložte verše oddelené medzerou. Sprievodca importom piesní. - + 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. Tento sprievodca vám pomôže importovať piesne z rôznych formátov. Importovanie sa spustí kliknutím nižšie na tlačidlo ďalší a výberom formátu, z ktorého sa bude importovať. - + Generic Document/Presentation Všeobecný dokument/prezentácia - + Add Files... Pridať súbory... - + Remove File(s) Odstrániť súbor(y) - + Please wait while your songs are imported. Čakajte prosím, kým budú vaše piesne naimportované. - + Words Of Worship Song Files Súbory s piesňami Words of Worship - + Songs Of Fellowship Song Files Súbory s piesňami Songs Of Fellowship - + SongBeamer Files Súbory SongBeamer - + SongShow Plus Song Files Súbory s piesňami SongShow Plus - + Foilpresenter Song Files Súbory s piesňami Foilpresenter - + Copy Kopírovať - + Save to File Uložiť do súboru - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import zo Song of Fellowship bol zakázaný, pretože aplikácia OpenLP nemôže pristupovať k aplikáciám OpenOffice alebo LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import všeobecných dokumentov/prezenácií bol zakázaný, pretože aplikácia OpenLP nemôže pristupovať k aplikáciám OpenOffice alebo LibreOffice. - + OpenLyrics Files Súbory OpenLyrics - + CCLI SongSelect Files Súbory CCLI SongSelect - + EasySlides XML File XML súbory EasySlides - + EasyWorship Song Database Databáza piesní EasyWorship - + DreamBeam Song Files Súbory Piesní DreamBeam - + You need to specify a valid PowerSong 1.0 database folder. Musíte upresniť správny priečinok PowerSong 1.0 databázy. - + 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>. Najprv prekonvertuj tvoju ZionWorx databázu na CSV textový súbor, ako je to vysvetlené v <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Užívateľskom Manuály</a>. - + SundayPlus Song Files Súbory s piesňami SundayPlus - + This importer has been disabled. Tento importér bol zakázaný. - + MediaShout Database Databáza 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 importér je podporovaný len vo Windows. Bol zakázaný kôli chýbajúcemu Python modulu. Ak si prajete používať tento importér, bude potrebné nainštalovať modul "pyodbc". - + SongPro Text Files Textové súbory SongPro - + SongPro (Export File) SongPro (exportovaný súbor) - + In SongPro, export your songs using the File -> Export menu V aplikácii SongPro sa piesne exportujú cez menu File -> Export - + EasyWorship Service File Súbor služby EasyWorship - + WorshipCenter Pro Song Files Súbor piesní 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 importér je podporovaný len vo Windows. Bol zakázaný kôli chýbajúcemu Python modulu. Ak si prajete používať tento importér, bude potrebné nainštalovať modul "pyodbc". - + 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. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics alebo piesne exportované z OpenLP 2 - + OpenLP 2 Databases Databázy OpenLP 2 - + LyriX Files LyriX súbory - + LyriX (Exported TXT-files) LyriX (Exportované TXT-soubory) - + VideoPsalm Files VideoPsalm súbory - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Spevníky VideoPsalm sú bežne umiestnené v %s + + OPS Pro database + OPS Pro databáza + + + + The OPS 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. + OPS Pro importér je podporovaný len vo Windows. Bol zakázaný kôli chýbajúcemu Python modulu. Ak si prajete používať tento importér, bude potrebné nainštalovať modul "pyodbc". + + + + ProPresenter Song Files + Súbor piesní ProPresenter + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Chyba: %s + File {name} + + + + + Error: {error} + @@ -9133,79 +9286,117 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.MediaItem - + Titles Názvy - + Lyrics Text piesne - + CCLI License: CCLI Licencia: - + Entire Song Celá pieseň - + Maintain the lists of authors, topics and books. Spravovať zoznamy autorov, tém a kníh. - + copy For song cloning kopírovať - + Search Titles... Vyhľadávať názov... - + Search Entire Song... Vyhľadávať celú pieseň... - + Search Lyrics... Vyhľadávať text piesne... - + Search Authors... Vyhľadávať autorov... - - Are you sure you want to delete the "%d" selected song(s)? - Ste si istý, že chcete zmazať "%d" vybraných piesní(e)? - - - + Search Songbooks... Vyhľadávať spevníky... + + + Search Topics... + Hľadať témy... + + + + Copyright + Autorské práva + + + + Search Copyright... + Hľadať autorské práva... + + + + CCLI number + CCLI číslo + + + + Search CCLI number... + Hľadať CCLI číslo... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Nie je možné otvoriť databázu MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Nie je možné napojiť sa na OPS Pro datbázu. + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Neplatná databáza piesní OpenLP 2. @@ -9213,9 +9404,9 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportovanie "%s"... + + Exporting "{title}"... + @@ -9223,7 +9414,7 @@ Prosím vložte verše oddelené medzerou. Invalid OpenSong song file. Missing song tag. - Nesprávny OpenSong súbor. Chýbajúce značky. + Neplatný OpenSong súbor. Chýbajúce značky. @@ -9234,29 +9425,37 @@ Prosím vložte verše oddelené medzerou. Žiadne piesne nie sú na vloženie. - + Verses not found. Missing "PART" header. Verše neboli nájdené. Chýba "ČASŤ" hlavička. - No %s files found. - Nenájdené žiadne súbory %s + No {text} files found. + - Invalid %s file. Unexpected byte value. - Neplatný súbor %s. Neočakávaná hodnota bajtu. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Neplatný súbor %s. Chýbajúca hlavička "TITLE" + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Neplatný súbor %s. Chýbajúca hlavička "COPYRIGHTLINE". + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9285,19 +9484,19 @@ 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 + + Your song export failed because this error occurred: {error} + @@ -9313,17 +9512,17 @@ Prosím vložte verše oddelené medzerou. Nasledujúce piesne nemôžu byť importované: - + Cannot access OpenOffice or LibreOffice Žiadny prístup k aplikáciám OpenOffice alebo LibreOffice - + Unable to open file Nejde otvoríť súbor - + File not found Súbor nebol nájdený @@ -9331,109 +9530,109 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.SongMaintenanceForm - + Could not add your author. Nie je možné pridať autora. - + This author already exists. Tento autor už existuje. - + Could not add your topic. Nie je možné pridať tému. - + This topic already exists. Táto téma už existuje - + Could not add your book. Nie je možné pridať knihu. - + This book already exists. Táto kniha už existuje. - + Could not save your changes. Nie je možné uložiť zmeny. - + Could not save your modified author, because the author already exists. Nie je možné uložiť upraveného autora, pretože tento autor už existuje. - + Could not save your modified topic, because it already exists. Nie je možné uložiť upravenú tému, pretože už existuje. - + Delete Author Zmazať autora - + Are you sure you want to delete the selected author? Ste si istý, že chcete zmazať vybraného autora? - + This author cannot be deleted, they are currently assigned to at least one song. Tento autor nemôže byť zmazaný, pretože je v súčastnosti priradený najmenej k jednej piesni. - + Delete Topic Zmazať tému - + Are you sure you want to delete the selected topic? Ste si istý, že chcete zmazať vybranú tému? - + This topic cannot be deleted, it is currently assigned to at least one song. Táto téma nemôže byť zmazaná, pretože je v súčastnosti priradená najmenej k jednej piesni. - + Delete Book Zmazať spevník - + Are you sure you want to delete the selected book? Ste si istý, že chcete zmazať vybranú knihu? - + This book cannot be deleted, it is currently assigned to at least one song. Táto kniha nemôže byť zmazaná, pretože je v súčastnosti priradená najmenej k jednej piesni. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Autor %s už existuje. Prajete si vytvoriť piesne s autorom %s a použiť už existujúceho autora %s ? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Téma %s už existuje. Prajete si vytvoriť piesne s témou %s a použiť už existujúcu tému %s ? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Kniha %s už existuje. Prajete si vytvoriť piesne s knihou %s a použiť už existujúcu knihu %s ? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9479,52 +9678,47 @@ Prosím vložte verše oddelené medzerou. Hľadať - - Found %s song(s) - Najdené %s piesní - - - + Logout Odhlásiť - + View Zobraziť - + Title: Nadpis: - + Author(s): Autor(y): - + Copyright: Autorské práva: - + CCLI Number: CCLI čislo: - + Lyrics: Text piesne: - + Back Naspäť - + Import Import @@ -9564,7 +9758,7 @@ Prosím vložte verše oddelené medzerou. Nastal problém s prihlásením. Možno ste zadali nesprávne meno alebo heslo. - + Song Imported Pieseň naimportovaná @@ -9579,7 +9773,7 @@ Prosím vložte verše oddelené medzerou. Pri tejto piesni chýbajú niektoré informácie, ako napríklad text, a preto nie je možné importovať. - + Your song has been imported, would you like to import more songs? Pieseň bola naimportovaná, chcete importovať ďalšie pesničky? @@ -9588,6 +9782,11 @@ Prosím vložte verše oddelené medzerou. Stop Zastaviť + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9596,30 +9795,30 @@ Prosím vložte verše oddelené medzerou. Songs Mode Réžim piesne - - - Display verses on live tool bar - Zobraziť slohy v nástrojovej lište naživo - Update service from song edit Aktualizovať službu pri úprave piesne. - - - Import missing songs from service files - Import chýbajúcich piesní zo služby súborov. - Display songbook in footer Zobraziť názov spevníku v zápätí + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Zobraziť symbol "%s" pred informáciami o autorských právach + Display "{symbol}" symbol before copyright info + @@ -9643,37 +9842,37 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.VerseType - + Verse Sloha - + Chorus Refrén - + Bridge Prechod - + Pre-Chorus Predrefrén - + Intro - Intro + Predohra - + Ending Zakončenie - + Other Ďalšie @@ -9681,22 +9880,22 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.VideoPsalmImport - - Error: %s - Chyba: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Neplatný súbor Word of Worship. Chýbajúca hlavička "%s". WoW súbor\nSlová piesne + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Chybný súbor Words of Worship. Chýba reťazec "%s". CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9707,30 +9906,30 @@ Prosím vložte verše oddelené medzerou. Chyba pri čítaní CSV súboru. - - Line %d: %s - Riadok %d: %s - - - - Decoding error: %s - Chyba dekódovania: %s - - - + File not valid WorshipAssistant CSV format. Nesprávny CSV formát súboru WorshipAssistant. - - Record %d - Záznam %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Nie je možné napojiť sa na WorshipCenter Pro databázu. @@ -9743,25 +9942,30 @@ Prosím vložte verše oddelené medzerou. Chyba pri čítaní CSV súboru. - + File not valid ZionWorx CSV format. Súbor nemá správny CSV formát programu ZionWorx. - - Line %d: %s - Riadok %d: %s - - - - Decoding error: %s - Chyba dekódovania: %s - - - + Record %d Záznam %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9771,39 +9975,960 @@ Prosím vložte verše oddelené medzerou. Sprievodca - + 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. Tento sprievodca vám pomôže s výmazom duplicitných piesní z databázy. Budete mať možnosť prezrieť si každú dvojicu piesní pred ich vymazaním. Takže žiadna pesnička nebude vymazaná bez vášho súhlasu. - + Searching for duplicate songs. Vyhľadávanie duplicitných piesní. - + Please wait while your songs database is analyzed. Čakajte prosím, kým budú vaše piesne zanalyzované. - + Here you can decide which songs to remove and which ones to keep. Tu možete vybrať ktoré piesne budú vymazané a ktoré budú ponechané. - - Review duplicate songs (%s/%s) - Prezrieť duplicitné piesne (%s/%s) - - - + Information Informácie - + No duplicate songs have been found in the database. Žiadne duplicitné piesne neboli nájdené. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Slovenčina + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/sv.ts b/resources/i18n/sv.ts index 7be8537a0..44a8bc8c1 100644 --- a/resources/i18n/sv.ts +++ b/resources/i18n/sv.ts @@ -120,32 +120,27 @@ Skriv in din text innan du klickar på Nytt. AlertsPlugin.AlertsTab - + Font Teckensnitt - + Font name: Teckensnitt: - + Font color: Teckenfärg: - - Background color: - Bakgrundsfärg: - - - + Font size: Teckenstorlek: - + Alert timeout: Visningstid: @@ -153,88 +148,78 @@ 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. - Genesis @@ -739,161 +724,107 @@ Skriv in din text innan du klickar på Nytt. Bibeln finns redan. Importera en annan bibel eller ta först bort den existerande. - - You need to specify a book name for "%s". - Du måste ange ett boknamn för "%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. - Boknamnet "%s" är inte korrekt. -Siffror kan bara användas i början och måste -följas av ett eller flera ickenumeriska tecken. - - - + Duplicate Book Name Dublettnamn på bok - - The Book Name "%s" has been entered more than once. - Boknamnet "%s" har angivits flera gånger. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error Felaktig bibelreferens - - Web Bible cannot be used - Webb-bibel kan inte användas + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Antingen stöds bibelreferensen inte av OpenLP, eller så är den ogiltig. Kontrollera att bibelreferensen överensstämmer med något av följande mönster, eller läs om funktionen i manualen: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Bok Kapitel -Bok Kapitel%(range)sKapitel -Bok Kapitel%(verse)sVers%(range)sVers -Bok Kapitel%(verse)sVers%(range)sVers%(list)sVers%(range)sVers -Bok Kapitel%(verse)sVers%(range)sVers%(list)sKapitel%(verse)sVers%(range)sVers -Bok Kapitel%(verse)sVers%(range)sKapitel%(verse)sVers +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Visning av bibeltext - + Only show new chapter numbers Visa bara nummer för nya kapitel - + Bible theme: Bibeltema: - + No Brackets Inga parenteser - + ( And ) ( och ) - + { And } { och } - + [ And ] [ och ] - - Note: -Changes do not affect verses already in the service. - Observera: -Ändringar kommer inte att påverka verser som redan finns i körschemat. - - - + Display second Bible verses Visa andra bibelns verser - + Custom Scripture References Anpassade bibelreferenser - - Verse Separator: - Versavskiljare: - - - - Range Separator: - Intervallavskiljare: - - - - List Separator: - Listavskiljare: - - - - End Mark: - Slutmärke: - - - + 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. @@ -902,37 +833,83 @@ De måste separeras med ett lodrätt streck "|". Lämna fältet tomt för att använda standardvärdet. - + English Svenska - + Default Bible Language Förvalt bibelspråk - + Book name language in search field, search results and on display: Språk på boknamn i sökfält, sökresultat och vid visning: - + Bible Language Bibelspråk - + Application Language Programmets språk - + Show verse numbers Visa versnummer + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +965,76 @@ sökresultat och vid visning: BiblesPlugin.CSVBible - - Importing books... %s - Importerar böcker... %s - - - + Importing verses... done. Importerar verser... klart. + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + BiblesPlugin.EditBibleForm - + Bible Editor Bibelredigering - + License Details Licensdetaljer - + Version name: Namn på översättningen: - + Copyright: Copyright: - + Permissions: Tillstånd: - + Default Bible Language Förvalt bibelspråk - + Book name language in search field, search results and on display: Språk på boknamn i sökfält, sökresultat och vid visning: - + Global Settings Globala inställningar - + Bible Language Bibelspråk - + Application Language Programmets språk - + English Svenska @@ -1071,224 +1054,259 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1319,114 +1337,130 @@ Det går inte att anpassa boknamnen. BiblesPlugin.MediaItem - - Quick - Enkelt - - - + Find: Sök efter: - + Book: Bok: - + Chapter: Kapitel: - + Verse: Vers: - + From: Från: - + To: Till: - + Text Search Textsökning - + Second: Alternativ: - + Scripture Reference Bibelreferens - + Toggle to keep or clear the previous results. Växla mellan att behålla eller rensa föregående sökresultat. - + 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 inte kombinera resultat från sökning i en bibel med resultat från sökning i två biblar. Vill du ta bort dina sökresultat och starta en ny sökning? - + Bible not fully loaded. Bibeln är inte helt laddad. - + Information 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. - Den alternativa bibelöversättningen innehåller inte alla verser som finns i huvudöversättningen. Endast verser som finns i båda översättningar kommer att visas. %d verser har utelämnats. - - - + Search Scripture Reference... Sök bibelvers... - + Search Text... Sök 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. - Är du säker på att du vill ta bort bibeln "%s" helt från OpenLP? - -För att bibeln ska gå att använda igen måste den importeras på nytt. + + Search + Sök - - Advanced - Avancerat + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. Ogiltig filtyp på den valda bibeln. OpenSong-biblar kan vara komprimerade. Du måste packa upp dem före import. - + 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. @@ -1434,177 +1468,51 @@ För att bibeln ska gå att använda igen måste den importeras på nytt. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - Importerar %(bookname)s %(chapter)s... + + Importing {name} {chapter}... + 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... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Välj en mapp för säkerhetskopiering + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Bibeluppgraderingsguiden - - - - 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. - Den här guiden hjälper dig att uppgradera dina befintliga biblar från en tidigare version av OpenLP 2. Klicka på Nästa för att starta uppgraderingsprocessen. - - - - Select Backup Directory - Välj mapp för säkerhetskopiering - - - - Please select a backup directory for your Bibles - 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 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 säkerhetskopiering av dina biblar. - - - - Backup Directory: - Mapp för säkerhetskopiering: - - - - There is no need to backup my Bibles - Det är inte nödvändigt med säkerhetskopiering av mina biblar - - - - Select Bibles - Välj biblar - - - - Please select the Bibles to upgrade - Välj biblar att uppgradera - - - - Upgrading - Uppgraderar - - - - Please wait while your Bibles are upgraded. - Vänta medan biblarna uppgraderas. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Säkerhetskopieringen lyckades inte. -För att kunna göra en säkerhetskopia av dina biblar krävs skrivrättigheter i den givna mappen. - - - - Upgrading Bible %s of %s: "%s" -Failed - Uppgraderar bibel %s av %s: "%s" -Misslyckades - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Uppgraderar bibel %s av %s: "%s" -Uppgraderar ... - - - - Download Error - Fel vid nedladdning - - - - To upgrade your Web Bibles an Internet connection is required. - För att uppgradera dina webb-biblar krävs en Internetanslutning. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Uppgraderar bibel %s av %s: "%s" -Uppgraderar %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Uppgraderar bibel %s av %s: "%s" -Färdig - - - - , %s failed - , %s misslyckades - - - - Upgrading Bible(s): %s successful%s - Uppgradering av biblar: %s lyckades%s - - - - Upgrade failed. - Uppgradering misslyckades. - - - - You need to specify a backup directory for your Bibles. - Du måste välja en mapp för säkerhetskopiering av dina biblar. - - - - Starting upgrade... - Startar uppgradering... - - - - There are no Bibles that need to be upgraded. - Det finns inga biblar som behöver uppgraderas. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} 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. @@ -1612,9 +1520,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importerar %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1729,7 +1637,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Redigera alla diabilder på en gång. - + Split a slide into two by inserting a slide splitter. Dela diabilden i två genom att lägga till en diabild delare. @@ -1744,7 +1652,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Erkännande: - + You need to type in a title. Du måste ange en titel. @@ -1754,12 +1662,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Red&igera alla - + Insert Slide Infoga sida - + You need to add at least one slide. Du måste lägga till åtminstone en sida. @@ -1767,7 +1675,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Redigera bild @@ -1775,8 +1683,8 @@ 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 "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1805,11 +1713,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Bilder - - - Load a new image. - Ladda en ny bild. - Add a new image. @@ -1840,6 +1743,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Lägg till den valda bilden i körschemat. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1864,12 +1777,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. @@ -1905,7 +1818,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Välj bilaga @@ -1913,39 +1826,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1955,25 +1851,41 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Synlig bakgrund för bilder med annat bildformat än skärmen. @@ -1981,27 +1893,27 @@ Vill du lägga till dom andra bilderna ändå? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. @@ -2009,60 +1921,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. @@ -2178,47 +2090,47 @@ Vill du lägga till dom andra bilderna ändå? 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 ":" @@ -2226,90 +2138,100 @@ Vill du lägga till dom andra bilderna ändå? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File 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 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2320,41 +2242,19 @@ Vill du lägga till dom andra bilderna ändå? - Start Live items automatically - Starta liveposter automatiskt - - - - OPenLP.MainWindow - - - &Projector Manager - &Projektorhantering + Start new Live media automatically + OpenLP - + Image Files Bildfiler - - Information - Information - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Bibelformatet har ändrats. -Du måste uppgradera dina existerande biblar. -Ska OpenLP uppgradera nu? - - - + Backup Säkerhetskopiering @@ -2369,15 +2269,20 @@ Ska OpenLP uppgradera nu? 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 + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2387,15 +2292,10 @@ Ska OpenLP uppgradera nu? Lista över medverkande - + License Licens - - - 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. @@ -2424,7 +2324,7 @@ Läs mer om OpenLP: http://openlp.org/ OpenLP utvecklas och underhålls av frivilliga. Om du vill se mer fri kristen mjukvara utvecklad, klicka gärna på knappen nedan för att se hur du kan bidra. - + Volunteer Bidra @@ -2600,332 +2500,237 @@ OpenLP utvecklas och underhålls av frivilliga. Om du vill se mer fri kristen mj - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} OpenLP.AdvancedTab - + UI Settings Inställningar för användargränssnitt - - - Number of recent files to display: - Antal tidigare körscheman att visa: - - Remember active media manager tab on startup - Kom ihåg aktiv mediaflik vid start - - - - Double-click to send items straight to live - Dubbelklicka för att visa poster live - - - Expand new service items on creation Expandera nya poster i körschemat vid skapandet - + Enable application exit confirmation Bekräfta för att avsluta programmet - + Mouse Cursor Muspekare - + Hide mouse cursor when over display window Dölj muspekaren över visningsfönstret - - Default Image - Standardbild - - - - Background color: - Bakgrundsfärg: - - - - Image file: - Bildfil: - - - + Open File Öppna fil - + Advanced Avancerat - - - Preview items when clicked in Media Manager - Förhandsgranska poster vid klick i mediahanteringen - - Browse for an image file to display. - Välj en bildfil att visa. - - - - Revert to the default OpenLP logo. - Återställ till OpenLP:s standardlogotyp. - - - Default Service Name Förvalt namn på körschema - + Enable default service name Aktivera förvalt namn på körschema - + Date and Time: Datum och tid: - + Monday Måndag - + Tuesday Tisdag - + Wednesday Onsdag - + Friday Fredag - + Saturday Lördag - + Sunday Söndag - + Now Nu - + Time when usual service starts. Tid när schemat vanligen börjar. - + Name: Namn: - + Consult the OpenLP manual for usage. Läs i OpenLP-manualen för information om funktionen. - - Revert to the default service name "%s". - Återställ till körschemats standardnamn "%s". - - - + Example: Exempel: - + Bypass X11 Window Manager Kringgå X11:s fönsterhanterare - + Syntax error. Syntaxfel. - + Data Location Datalagring - + Current path: Nuvarande sökväg: - + Custom path: Anpassad sökväg: - + Browse for new data file location. Bläddra efter ny plats för datalagring. - + Set the data location to the default. Återställ plats för datalagring till standardinställningen. - + Cancel Avbryt - + Cancel OpenLP data directory location change. Avbryt ändring av plats för OpenLP:s datalagring. - + Copy data to new location. Kopiera data till ny plats. - + Copy the OpenLP data files to the new location. Kopiera OpenLP:s data till den nya platsen. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>VARNING:</strong> Den nya datakatalogen innehåller OpenLP-datafiler. Dessa filer kommer att ersättas vid kopieringen. - + Data Directory Error Datakatalogfel - + Select Data Directory Location Välj plats för datakatalog - + Confirm Data Directory Change Bekräfta ändring av datakatalog - + Reset Data Directory Återställ datakatalog - + Overwrite Existing Data Skriv över befintlig 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 datakatalog hittades inte - -%s - -Datakatalogen har tidigare ändrats från OpenLP:s förvalda plats. Om den nya platsen var på ett portabelt lagringsmedium måste det finnas tillgängligt. - -Klicka "Nej" för att avbryta starten av OpenLP så att du kan lösa problemet. - -Klicka "Ja" för att återställa datakatalogen till förvald plats. - - - - 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. - Är du säker på att du vill ändra plats för OpenLP:s datakatalog till: - -%s - -Datakatalogen kommer att ändras när OpenLP avslutas. - - - + Thursday Torsdag - + Display Workarounds Grafikfixar - + Use alternating row colours in lists Varva radfärger i listor - - 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? - VARNING: - -Platsen du har valt - -%s - -verkar innehålla OpenLP-data. Är du säker på att du vill ersätta de filerna med nuvarande data? - - - + Restart Required Omstart krävs - + This change will only take effect once OpenLP has been restarted. Den här ändringen börjar gälla när OpenLP har startats om. - + 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. @@ -2933,11 +2738,155 @@ This location will be used after OpenLP is closed. Den nya platsen kommer att användas efter att OpenLP har avslutats. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatiskt + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klicka för att välja en färg. @@ -2945,252 +2894,252 @@ Den nya platsen kommer att användas efter att OpenLP har avslutats. OpenLP.DB - + RGB RGB - + Video Video - + 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 @@ -3198,61 +3147,74 @@ Den nya platsen kommer att användas efter att OpenLP har avslutats. OpenLP.ExceptionDialog - + Error Occurred Fel uppstod - + Send E-Mail Skicka e-post - + Save to File Spara till fil - + Attach File Lägg till fil - - Description characters to enter : %s - Beskrivningstecken att ange: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) + + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. - - 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. Also attach any files that triggered the problem. + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation OpenLP.ExceptionForm - - Platform: %s - - Plattform: %s - - - - + Save Crash Report Spara kraschrapport - + Text files (*.txt *.log *.text) Textfiler (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3293,268 +3255,259 @@ Den nya platsen kommer att användas efter att OpenLP har avslutats. 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 - - 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. - - - + 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 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 + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3597,43 +3550,48 @@ För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på kna OpenLP.FormattingTagForm - + <HTML here> <HTML här> - + Validation Error Valideringsfel - + Description is missing Beskrivning saknas - + Tag is missing Tagg saknas - Tag %s already defined. - Taggen %s finns redan. + Tag {tag} already defined. + - Description %s already defined. - Beskrivningen %s är redan definierad. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Starttaggen %s är inte giltig HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} @@ -3723,170 +3681,200 @@ För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på kna OpenLP.GeneralTab - + General Allmänt - + Monitors Skärmar - + Select monitor for output display: Välj skärm för bildvisning: - + Display if a single screen Visa även på ensam skärm - + Application Startup Programstart - + Show blank screen warning Visa varning vid tom skärm - - Automatically open the last service - Öppna det senaste körschemat automatiskt - - - + Show the splash screen Visa startbilden - + Application Settings Programinställningar - + Prompt to save before starting a new service Fråga om att spara innan ett nytt körschema skapas - - Automatically preview next item in service - Förhandsgranska nästa post i körschemat automatiskt - - - + sec sekunder - + CCLI Details CCLI-detaljer - + SongSelect username: SongSelect användarnamn: - + SongSelect password: SongSelect lösenord: - + X X - + Y Y - + Height Höjd - + Width Bredd - + Check for updates to OpenLP Sök efter uppdateringar till OpenLP - - Unblank display when adding new live item - Lägg ut bilden direkt när en ny live-bild läggs till - - - + Timed slide interval: Tidsstyrd bildväxling: - + Background Audio Bakgrundsljud - + Start background audio paused Starta bakgrundsljud pausat - + Service Item Slide Limits Bildväxlingsgräns - + Override display position: Manuell skärmposition: - + Repeat track list Repetera spellistan - + Behavior of next/previous on the last/first slide: Inställning för nästa/föregående vid sista/första bilden: - + &Remain on Slide &Stanna på bilden - + &Wrap around Börja &om - + &Move to next/previous service item &Gå till nästa/föregående post i körschemat + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Välj en bildfil att visa. + + + + Revert to the default OpenLP logo. + Återställ till OpenLP:s standardlogotyp. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Språk - + Please restart OpenLP to use your new language setting. Vänligen starta om OpenLP för att aktivera dina nya språkinställningar. @@ -3894,7 +3882,7 @@ För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på kna OpenLP.MainDisplay - + OpenLP Display OpenLP-visning @@ -3921,11 +3909,6 @@ För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på kna &View &Visa - - - M&ode - &Läge - &Tools @@ -3946,16 +3929,6 @@ För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på kna &Help &Hjälp - - - Service Manager - Körschema - - - - Theme Manager - Temahantering - Open an existing service. @@ -3981,11 +3954,6 @@ För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på kna E&xit A&vsluta - - - Quit OpenLP - Avsluta OpenLP - &Theme @@ -3997,191 +3965,67 @@ För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på kna &Konfigurera OpenLP... - - &Media Manager - &Mediahantering - - - - Toggle Media Manager - Växla mediahantering - - - - Toggle the visibility of the media manager. - Växla visning av mediahanteringen. - - - - &Theme Manager - &Temahantering - - - - Toggle Theme Manager - Växla temahanteringen - - - - Toggle the visibility of the theme manager. - Växla visning av temahanteringen. - - - - &Service Manager - &Körschema - - - - Toggle Service Manager - Växla körschema - - - - Toggle the visibility of the service manager. - Växla visning av körschemat. - - - - &Preview Panel - &Förhandsgranskningpanel - - - - Toggle Preview Panel - Växla förhandsgranskning - - - - Toggle the visibility of the preview panel. - Växla visning av förhandsgranskning. - - - - &Live Panel - Li&ve - - - - Toggle Live Panel - Växla live-rutan - - - - Toggle the visibility of the live panel. - Växla visning av live-rutan. - - - - List the Plugins - Lista modulerna - - - + &User Guide &Bruksanvisning - + &About &Om - - More information about OpenLP - Mer information om OpenLP - - - + &Online Help &Hjälp online - + &Web Site &Webbplats - + Use the system language, if available. Använd systemspråket om möjligt. - - Set the interface language to %s - Sätt användargränssnittets språk till %s - - - + Add &Tool... Lägg till &verktyg... - + Add an application to the list of tools. Lägg till en applikation i verktygslistan. - - &Default - &Standard - - - - Set the view mode back to the default. - Återställ visningslayouten till standardinställningen. - - - + &Setup &Förberedelse - - Set the view mode to Setup. - Ställ in visningslayouten förberedelseläge. - - - + &Live &Live - - Set the view mode to Live. - Ställ in visningslayouten till live-läge. - - - - 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/. - Version %s av OpenLP är nu tillgänglig för hämtning (du kör för närvarande version %s). - -Du kan ladda ner den senaste versionen från http://openlp.org/. - - - + OpenLP Version Updated Ny version av OpenLP - + OpenLP Main Display Blanked OpenLPs huvudbild släckt - + The Main Display has been blanked out Huvudbilden har släckts - - Default Theme: %s - Standardtema: %s - - - + English Please add the name of your language here Svenska @@ -4192,27 +4036,27 @@ Du kan ladda ner den senaste versionen från http://openlp.org/. Konfigurera &genvägar... - + Open &Data Folder... Öppna &datakatalog... - + Open the folder where songs, bibles and other data resides. Öppna mappen där sånger, biblar och annan data lagras. - + &Autodetect Detektera &automatiskt - + Update Theme Images Uppdatera temabilder - + Update the preview images for all themes. Uppdatera förhandsgranskningsbilder för alla teman. @@ -4222,32 +4066,22 @@ Du kan ladda ner den senaste versionen från http://openlp.org/. Skriv ut den nuvarande körschemat. - - L&ock Panels - L&ås paneler - - - - Prevent the panels being moved. - Förhindra att panelerna flyttas. - - - + Re-run First Time Wizard 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. - + Re-run First Time Wizard? 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. @@ -4256,13 +4090,13 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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. @@ -4271,75 +4105,36 @@ Om du kör den här guiden kan din nuvarande konfiguration av OpenLP komma att Configure &Formatting Tags... Konfigurera &format-taggar... - - - Export OpenLP settings to a specified *.config file - Exportera OpenLP-inställningar till en given *.config-fil - Settings Inställningar - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importera OpenLP-inställningar från en given *.config-fil som tidigare har exporterats på den här datorn eller någon annan - - - + Import settings? Importera inställningar? - - Open File - Öppna fil - - - - OpenLP Export Settings Files (*.conf) - OpenLP-inställningsfiler (*.conf) - - - + Import settings Importera inställningar - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP kommer nu att avslutas. Importerade inställningar kommer att tillämpas nästa gång du startar OpenLP. - + Export Settings File Exportera inställningsfil - - OpenLP Export Settings File (*.conf) - 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 - Kopiering av OpenLP:s datakatalog misslyckades - -%s - General @@ -4351,12 +4146,12 @@ Om du kör den här guiden kan din nuvarande konfiguration av OpenLP komma att Bibliotek - + Jump to the search box of the current active plugin. Hoppa till sökrutan för den aktiva modulen. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4369,7 +4164,7 @@ Om du kör den här guiden kan din nuvarande konfiguration av OpenLP komma att Att importera inställningar kan leda till oväntade beteenden eller att OpenLP avslutas onormalt. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4378,35 +4173,10 @@ Processing has terminated and no changes have been made. 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 - &Recent Services @@ -4438,131 +4208,340 @@ Processen har avbrutits och inga ändringar gjordes. - + Exit OpenLP - + Are you sure you want to exit OpenLP? - + &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Körschema + + + + Themes + Teman + + + + Projectors + Projektorer + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 - Databasen som skulle laddas är skapad i en nyare version av OpenLP. Databasen har version %d, och OpenLP kräver version %d. Databasen kommer inte att laddas. - -Databas: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP kan inte ladda databasen. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Databas: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Inga poster valda - + &Add to selected Service Item &Lägg till i vald post i körschemat - + You must select one or more items to preview. Du måste välja en eller flera poster att förhandsgranska. - + You must select one or more items to send live. Du måste välja en eller flera poster att visa live. - + You must select one or more items. Du måste välja en eller flera poster. - + You must select an existing service item to add to. Du måste välja en befintlig post i körschemat att lägga till i. - + Invalid Service Item Ogiltig körschemapost - - You must select a %s service item. - Du måste välja en post av typen %s i körschemat. - - - + You must select one or more items to add. Du måste välja en eller flera poster att lägga till. - + No Search Results Inga sökresultat - + Invalid File Type Ogiltig filtyp - - Invalid File %s. -Suffix not supported - Ogiltig fil %s. -Filändelsen stöds ej - - - + &Clone &Klona - + Duplicate files were found on import and were ignored. Dubblettfiler hittades vid importen och ignorerades. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics>-tagg saknas. - + <verse> tag is missing. <verse>-tagg saknas. @@ -4570,22 +4549,22 @@ Filändelsen stöds ej OpenLP.PJLink1 - + 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: @@ -4593,32 +4572,32 @@ Filändelsen stöds ej OpenLP.PlayerTab - + Players Spelare - + Available Media Players Tillgängliga mediaspelare - + Player Search Order Sökordning för spelare - + Visible background for videos with aspect ratio different to screen. Bakgrund till videor med annat bildförhållande än skärmen. - + %s (unavailable) %s (ej tillgänglig) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" @@ -4627,55 +4606,50 @@ Filändelsen stöds ej OpenLP.PluginForm - + Plugin Details Moduldetaljer - + Status: Status: - + Active Aktiv - - Inactive - Inaktiv - - - - %s (Inactive) - %s (Inaktiv) - - - - %s (Active) - %s (Aktiv) + + Manage Plugins + - %s (Disabled) - %s (Ej valbar) + {name} (Disabled) + - - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page Passa sidan - + Fit Width Passa bredden @@ -4683,77 +4657,77 @@ Filändelsen stöds ej OpenLP.PrintServiceForm - + Options Alternativ - + Copy Kopiera - + Copy as HTML Kopiera som HTML - + Zoom In Zooma in - + Zoom Out Zooma ut - + Zoom Original Återställ zoom - + Other Options Övriga alternativ - + Include slide text if available Inkludera sidtext om tillgänglig - + Include service item notes Inkludera anteckningar - + Include play length of media items Inkludera spellängd för mediaposter - + Add page break before each text item Lägg till sidbrytning före varje textpost - + Service Sheet Körschema - + Print Skriv ut - + Title: Titel: - + Custom Footer Text: Anpassad sidfot: @@ -4761,257 +4735,257 @@ Filändelsen stöds ej OpenLP.ProjectorConstants - + 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 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 @@ -5019,17 +4993,17 @@ Filändelsen stöds ej OpenLP.ProjectorEdit - + 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 @@ -5037,52 +5011,52 @@ Filändelsen stöds ej OpenLP.ProjectorEditForm - + 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 - + Notes Anteckningar - + Database Error Databasfel - + 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 @@ -5090,305 +5064,360 @@ Filändelsen stöds ej OpenLP.ProjectorManager - + 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 - + Port Port - + Notes Anteckningar - + 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 - - Delete projector (%s) %s? - Ta bort projektor (%s) %s? - - - + Are you sure you want to delete this projector? Är du säker på att du vill ta bort den här projektorn? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Autentiseringsfel + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Fläkt - + Lamp Lampa - + Temperature Temperatur - + Cover Hölje - + Filter Filter - + Other Övrigt @@ -5434,17 +5463,17 @@ Filändelsen stöds ej OpenLP.ProjectorWizard - + Duplicate IP Address Dublett-IP-adress - + Invalid IP Address Ogiltig IP-adress - + Invalid Port Number Ogiltigt portnummer @@ -5457,27 +5486,27 @@ Filändelsen stöds ej Skärm - + primary primär OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Längd</strong>: %s - - [slide %d] - [bild %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5541,52 +5570,52 @@ Filändelsen stöds ej Ta bort den valda posten från körschemat. - + &Add New Item &Lägg till ny post - + &Add to Selected Item Lägg till i &vald post - + &Edit Item &Redigera post - + &Reorder Item Arrangera &om post - + &Notes &Anteckningar - + &Change Item Theme &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 @@ -5611,7 +5640,7 @@ Filändelsen stöds ej Fäll ihop alla poster i körschemat. - + Open File Öppna fil @@ -5641,22 +5670,22 @@ Filändelsen stöds ej Visa den valda posten live. - + &Start Time &Starttid - + Show &Preview &Förhandsgranska - + Modified Service Körschemat ändrat - + The current service has been modified. Would you like to save this service? Det nuvarande körschemat har ändrats. Vill du spara körschemat? @@ -5676,27 +5705,27 @@ Filändelsen stöds ej Speltid: - + Untitled Service 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 @@ -5716,147 +5745,145 @@ 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. - + Service File(s) Missing Fil(er) i körschemat saknas - + &Rename... &Byt namn... - + Create New &Custom Slide Skapa ny an&passad sida - + &Auto play slides &Växla sidor automatiskt - + Auto play slides &Loop Växla sidor automatiskt i &loop - + Auto play slides &Once Växla sidor automatiskt &en gång - + &Delay between slides &Tid mellan växling - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} 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. + + + + + An error occurred while writing the service file: {error} + @@ -5888,15 +5915,10 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar.Genväg - + Duplicate Shortcut Dubblett - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Genvägen "%s" är redan kopplad till en annan åtgärd; välj en annan genväg. - Alternate @@ -5942,219 +5964,234 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar.Configure Shortcuts Konfigurera genvägar + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + OpenLP.SlideController - + Hide Dölj - + Go To Gå till - + Blank Screen Släck skärm - + Blank to Theme Släck till tema - + Show Desktop Visa skrivbord - + Previous Service Föregående post - + Next Service Nästa post - + Escape Item Avbryt post - + Move to previous. Flytta till föregående. - + Move to next. Flytta till nästa. - + Play Slides Sidvisning - + Delay between slides in seconds. Tid i sekunder mellan sidorna. - + Move to live. Visa live. - + Add to Service. Lägg till i körschema. - + Edit and reload song preview. Redigera och uppdatera förhandsvisning. - + Start playing media. Starta uppspelning. - + Pause audio. Pausa ljud. - + Pause playing media. Pausa spelande media. - + Stop playing media. Stoppa spelande media. - + Video position. Videoposition. - + Audio Volume. Ljudvolym. - + Go to "Verse" Gå till "Vers" - + Go to "Chorus" Gå till "Refräng" - + Go to "Bridge" Gå till "Stick" - + Go to "Pre-Chorus" Gå till "Brygga" - + Go to "Intro" Gå till "Intro" - + Go to "Ending" Gå till "Avslut" - + Go to "Other" Gå till "Övrigt" - + Previous Slide Föregående bild - + Next Slide Nästa bild - + Pause Audio Pausa ljud - + Background Audio Bakgrundsljud - + Go to next audio track. Gå till nästa ljudspår - + Tracks Spår + + + Loop playing media. + + + + + Video timer. + + 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 - + 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? @@ -6162,17 +6199,17 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar. OpenLP.SpellTextEdit - + Spelling Suggestions Stavningsförslag - + Formatting Tags Format-taggar - + Language: Språk: @@ -6251,7 +6288,7 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar. OpenLP.ThemeForm - + (approximately %d lines per slide) (ungefär %d rader per sida) @@ -6259,521 +6296,531 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar. OpenLP.ThemeManager - + Create a new theme. Skapa ett nytt tema. - + Edit Theme Redigera tema - + Edit a theme. Redigera tema. - + Delete Theme Ta bort tema - + Delete a theme. Ta bort tema. - + Import Theme Importera tema - + Import a theme. Importera tema. - + Export Theme Exportera tema - + Export a theme. Exportera tema. - + &Edit Theme &Redigera tema - + &Delete Theme &Ta bort tema - + Set As &Global Default Ange som &globalt tema - - %s (default) - %s (standard) - - - + You must select a theme to edit. Du måste välja ett tema att redigera. - + You are unable to delete the default theme. Du kan inte ta bort standardtemat. - + 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 - + Select Theme Import File Välj temafil - + File is not a valid theme. Filen är inte ett giltigt tema. - + &Copy Theme &Kopiera tema - + &Rename Theme &Byt namn på tema - + &Export Theme &Exportera tema - + You must select a theme to rename. Du måste välja ett tema att byta namn på. - + Rename Confirmation Bekräftelse av namnbyte - + Rename %s theme? Byt namn på temat %s? - + You must select a theme to delete. Du måste välja ett tema att ta bort. - + Delete Confirmation Borttagningsbekräftelse - + Delete %s theme? Ta bort temat %s? - + Validation Error Valideringsfel - + A theme with this name already exists. Ett tema med det här namnet finns redan. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - - - - + Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s +{text} OpenLP.ThemeWizard - + Theme Wizard Temaguiden - + Welcome to the Theme Wizard Välkommen till temaguiden - + Set Up Background Ställ in bakgrund - + Set up your theme's background according to the parameters below. Ställ in temats bakgrund enligt parametrarna nedan. - + Background type: Bakgrundstyp: - + Gradient Gradient - + Gradient: Gradient: - + Horizontal Horisontell - + Vertical Vertikal - + Circular Cirkulär - + Top Left - Bottom Right Uppe vänster - nere höger - + Bottom Left - Top Right Nere vänster - uppe höger - + Main Area Font Details Huvudytans tecken - + Define the font and display characteristics for the Display text Definiera font och egenskaper för visningstexten - + Font: Teckensnitt: - + Size: Storlek: - + Line Spacing: Radavstånd: - + &Outline: &Kant: - + &Shadow: Sk&ugga: - + Bold Fetstil - + Italic Kursiv - + Footer Area Font Details Sidfotens tecken - + Define the font and display characteristics for the Footer text Definiera font och egenskaper för sidfotstexten - + Text Formatting Details Textformatering - + Allows additional display formatting information to be defined Ytterligare inställningsmöjligheter för visningsformatet - + Horizontal Align: Horisontell justering: - + Left Vänster - + Right Höger - + Center Centrera - + Output Area Locations Visningsytornas positioner - + &Main Area &Huvudyta - + &Use default location Använd &standardposition - + X position: X-position: - + px px - + Y position: Y-position: - + Width: Bredd: - + Height: Höjd: - + Use default location Använd standardposition - + Theme name: Temanamn: - - Edit Theme - %s - Redigera tema - %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. Den här guiden hjälper dig att skapa och redigera dina teman. Klicka på Nästa för att börja processen med att ställa in bakgrund. - + Transitions: Övergångar: - + &Footer Area &Sidfotsyta - + Starting color: Startfärg: - + Ending color: Slutfärg: - + Background color: Bakgrundsfärg: - + Justify Marginaljustera - + Layout Preview Förhandsgranskning av layout - + Transparent Transparent - + Preview and Save Förhandsgranska och spara - + Preview the theme and save it. Förhanskgranska temat och spara det. - + Background Image Empty Bakgrundsbild tom - + Select Image Välj bild - + Theme Name Missing Temanamn saknas - + There is no name for this theme. Please enter one. Temat saknar namn. Välj ett namn för temat. - + Theme Name Invalid Temanamn ogiltigt - + Invalid theme name. Please enter one. Ogiltigt namn på temat. Välj ett nytt. - + Solid color Enfärgad - + color: Färg: - + Allows you to change and move the Main and Footer areas. Låter dig ändra och flytta huvudytan och sidfotsytan. - + You have not selected a background image. Please select one before continuing. Du har inte valt bakgrundsbild. Välj en innan du fortsätter. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6856,73 +6903,73 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar.&Vertikal justering: - + Finished import. Importen är slutförd. - + Format: Format: - + Importing Importerar - + Importing "%s"... Importerar "%s"... - + Select Import Source Välj importkälla - + Select the import format and the location to import from. Välj importformat och plats att importera från. - + Open %s File Öppna %s-fil - + %p% %p % - + Ready. Klar. - + Starting import... Startar import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Du måste ange åtminstone en %s-fil att importera från. - + Welcome to the Bible Import Wizard Välkommen till bibelimportguiden - + Welcome to the Song Export Wizard Välkommen till sångexportguiden - + Welcome to the Song Import Wizard Välkommen till sångimportguiden @@ -6972,39 +7019,34 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar.XML-syntaxfel - - Welcome to the Bible Upgrade Wizard - Välkommen till bibeluppgraderingsguiden - - - + Open %s Folder Öppna %s-katalog - + You need to specify one %s file to import from. A file type e.g. OpenSong Du måste ange en %s-fil att importera från. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Du måste ange en %s-katalog att importera från. - + Importing Songs Importerar sånger - + Welcome to the Duplicate Song Removal Wizard Välkommen till guiden för borttagning av sångdubletter - + Written by Skriven av @@ -7014,502 +7056,490 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar.Okänd författare - + About Om - + &Add &Lägg till - + Add group Lägg till grupp - + Advanced Avancerat - + All Files Alla filer - + Automatic Automatiskt - + Background Color Bakgrundsfärg - + Bottom Botten - + Browse... Bläddra... - + Cancel Avbryt - + CCLI number: CCLI-nummer: - + Create a new service. Skapa ett nytt körschema. - + Confirm Delete Bekräfta borttagning - + Continuous Kontinuerlig - + Default Standard - + Default Color: Standardfärg: - + 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. Körschema %Y-%m-%d %H-%M - + &Delete &Ta bort - + Display style: Visningsstil: - + Duplicate Error Dubblettfel - + &Edit &Redigera - + Empty Field Tomt fält - + Error Fel - + Export Exportera - + File Fil - + File Not Found Hittar inte fil - - File %s not found. -Please try selecting it individually. - Filen %s hittas inte. -Försök att välja den separat. - - - + pt Abbreviated font pointsize unit pt - + Help Hjälp - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Felaktig katalog vald - + Invalid File Selected Singular Felaktig fil vald - + Invalid Files Selected Plural Felaktiga filer valda - + Image Bild - + Import Importera - + Layout style: Layout: - + Live Live - + Live Background Error Live-bakgrundsproblem - + Live Toolbar Live-verktygsrad - + Load Ladda - + Manufacturer Singular Tillverkare - + Manufacturers Plural Tillverkare - + Model Singular Modell - + Models Plural Modeller - + m The abbreviated unit for minutes min - + Middle Mitten - + New Nytt - + New Service Nytt körschema - + New Theme Nytt tema - + Next Track Nästa spår - + No Folder Selected Singular Ingen katalog vald - + No File Selected Singular Ingen fil vald - + No Files Selected Plural Inga filer valda - + No Item Selected Singular Ingen post vald - + No Items Selected Plural Inga poster valda - + OpenLP is already running. Do you wish to continue? OpenLP körs redan. Vill du fortsätta? - + Open service. Öppna körschema. - + Play Slides in Loop Kör visning i slinga - + Play Slides to End Kör visning till slutet - + Preview Förhandsgranskning - + Print Service Skriv ut körschema - + Projector Singular 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: - + Preview Toolbar Förhandsgranskningsverktygsrad - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. @@ -7525,29 +7555,100 @@ Försök att välja den separat. Plural + + + Background color: + Bakgrundsfärg: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Inga biblar tillgängliga + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Vers + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + OpenLP.core.lib - + %s and %s Locale list separator: 2 items %s och %s - + %s, and %s Locale list separator: end %s, och %s - + %s, %s Locale list separator: middle %s, %s - + %s, %s Locale list separator: start %s, %s @@ -7630,47 +7731,47 @@ Försök att välja den separat. Presentera med: - + File Exists Fil finns redan - + A presentation with that filename already exists. En presentation med det namnet finns redan. - + This type of presentation is not supported. Den här presentationstypen stöds inte. - - Presentations (%s) - 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. + + Presentations ({text}) + - - The presentation %s no longer exists. - Presentationen %s finns inte längre. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7680,11 +7781,6 @@ Försök att välja den separat. Available Controllers Tillgängliga presentationsprogram - - - %s (unavailable) - %s (ej tillgänglig) - Allow presentation application to be overridden @@ -7701,12 +7797,12 @@ Försök att välja den separat. 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. @@ -7717,13 +7813,19 @@ Försök att välja den separat. - Clicking on a selected slide in the slidecontroller advances to next effect. - Klick på en vald bild i bildkontrollen tar fram nästa effekt. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Låt PowerPoint kontrollera storlek och position på presentationsfönstret (tillfällig lösning på skalningsproblem i Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7765,127 +7867,127 @@ Försök att välja den separat. RemotePlugin.Mobile - + Service Manager Körschema - + Slide Controller 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 - + Remote Fjärrstyrning - + Stage View Scenbild - + Live View Live-bild @@ -7893,79 +7995,89 @@ Försök att välja den separat. RemotePlugin.RemoteTab - + Serve on IP address: Kör på IP-adress: - + Port number: Portnummer: - + Server Settings Serverinställningar - + Remote URL: Fjärrstyrningsadress: - + Stage view URL: Scenbildsadress: - + Display stage time in 12h format Visa scentiden i 12-timmarsformat - + Android App Android-app - + Live view URL: URL till livebild: - + 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. Kunde inte hitta ett SSL-certifikat. HTTPS-servern kommer inte att vara tillgänglig om inte ett SSL-certifikat hittas. Läs i manualen för mer information. - + User Authentication Användarautentisering - + User id: Användar-ID: - + Password: Lösenord: - + Show thumbnails of non-text slides in remote and stage view. Visa miniatyrer av icketextbilder i fjärrstyrning och scenbild. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Skanna QR-koden eller klicka <a href="%s">ladda ner</a> för att installera Android-appen från Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8006,50 +8118,50 @@ Försök att välja den separat. 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 @@ -8117,24 +8229,10 @@ All data sparad före detta datum kommer att tas bort permanent. Lagringssökväg - - usage_detail_%s_%s.txt - användning_%s_%s.txt - - - + Report Creation Rapportskapande - - - Report -%s -has been successfully created. - Rapport -%s -skapades utan problem. - Output Path Not Selected @@ -8148,45 +8246,57 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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... @@ -8282,80 +8392,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. @@ -8444,62 +8554,67 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administrerad av %s - - - - "%s" could not be imported. %s - "%s" kunde inte importeras. %s - - - + Unexpected data formatting. Okänt dataformat. - + No song text found. Ingen sångtext hittades. - + [above are Song Tags with notes imported from EasyWorship] [här ovan är sångtaggar med anteckningar importerade från EasyWorship] - + 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Metadata - + Custom Book Names Anpassade boknamn @@ -8582,57 +8697,57 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Tema, copyrightinfo && kommentarer - + Add Author Lägg till författare - + This author does not exist, do you want to add them? Författaren finns inte; vill du lägga till den? - + This author is already in the list. Författaren finns redan i listan. - + 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. Du har inte valt en giltig författare. Välj antingen en författare från listan, eller skriv in en ny författare och klicka "Lägg till för sång" för att lägga till den nya författaren. - + Add Topic Lägg till ämne - + This topic does not exist, do you want to add it? Ämnet finns inte; vill du skapa det? - + This topic is already in the list. Ämnet finns redan i listan. - + 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 inte valt ett giltigt ämne. Välj antingen ett ämne från listan, eller skriv in ett nytt ämne och klicka "Lägg till för sång" för att lägga till det nya ämnet. - + You need to type in a song title. Du måste ange en sångtitel. - + You need to type in at least one verse. Du måste ange åtminstone en vers. - + You need to have an author for this song. Du måste ange en författare för sången. @@ -8657,7 +8772,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. &Ta bort alla - + Open File(s) Öppna fil(er) @@ -8672,14 +8787,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. <strong>Varning:</strong> Du har inte angivit någon versordning. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Det finns ingen vers som svarar mot "%(invalid)s". Giltiga poster är %(valid)s. -Ange verserna separerade med blanksteg. - - - + Invalid Verse Order Ogiltig versordning @@ -8689,21 +8797,15 @@ Ange verserna separerade med blanksteg. Redigera &författartyp - + Edit Author Type Redigera författartyp - + Choose type for this author Välj typ för den här författaren - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks @@ -8725,45 +8827,71 @@ Please enter the verses separated by spaces. - + Add Songbook - + This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Redigera vers - + &Verse type: &Verstyp: - + &Insert &Infoga - + Split a slide into two by inserting a verse splitter. Dela en sida i två genom att infoga en versdelare. @@ -8776,77 +8904,77 @@ Please enter the verses separated by spaces. Sångexportguiden - + Select Songs Välj sånger - + Check the songs you want to export. Kryssa för sångerna du vill exportera. - + Uncheck All Kryssa ingen - + Check All Kryssa alla - + Select Directory Välj mapp - + Directory: Mapp: - + Exporting Exporterar - + Please wait while your songs are exported. Vänta medan sångerna exporteras. - + You need to add at least one Song to export. Du måste lägga till minst en sång att exportera. - + No Save Location specified Ingen målmapp angiven - + Starting export... Startar export... - + You need to specify a directory. Du måste ange en mapp. - + Select Destination Folder Välj målmapp - + Select the directory where you want the songs to be saved. Välj mappen där du vill att sångerna sparas. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Den här guiden hjälper dig att exportera dina sånger till det öppna och fria <strong>OpenLyrics</strong>-formatet för sånger. @@ -8854,7 +8982,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Ogiltig Foilpresenter-sångfil. Inga verser hittades. @@ -8862,7 +8990,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Sök när du skriver @@ -8870,7 +8998,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Välj dokument/presentation @@ -8880,228 +9008,238 @@ Please enter the verses separated by spaces. Sångimportguiden - + 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. Den här guiden hjälper dig att importera sånger från en mängd olika format. Klicka på Nästa för att börja processen med att välja ett format att importera från. - + Generic Document/Presentation Vanligt dokument/presentation - + Add Files... Lägg till filer... - + Remove File(s) Ta bort fil(er) - + Please wait while your songs are imported. Vänta medan sångerna importeras. - + Words Of Worship Song Files Words of Worship-sångfiler - + Songs Of Fellowship Song Files Songs of Fellowship-sångfiler - + SongBeamer Files SongBeamer-filer - + SongShow Plus Song Files SongShow Plus-sångfiler - + Foilpresenter Song Files Foilpresenter-sångfiler - + Copy Kopiera - + Save to File Spara till fil - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import av Songs of Fellowship har inaktiverats eftersom OpenLP inte kan hitta OpenOffice eller LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import av vanliga dokument/presentationer har inaktiverats eftersom OpenLP inte hittar OpenOffice eller LibreOffice. - + OpenLyrics Files OpenLyrics-filer - + CCLI SongSelect Files CCLI SongSelect-filer - + EasySlides XML File EasySlides XML-fil - + EasyWorship Song Database EasyWorship sångdatabas - + DreamBeam Song Files DreamBeam sångfiler - + You need to specify a valid PowerSong 1.0 database folder. Du måste ange en giltig PowerSong 1.0-databaskatalog. - + 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>. Konvertera först din ZionWorx-databas till en CSV-textfil, som beskrivs i <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Användarmanualen</a>. - + SundayPlus Song Files SundayPlus-sångfiler - + This importer has been disabled. Den här importfunktionen har inaktiverats. - + MediaShout Database MediaShout-databas - + 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. Importfunktionen för MediaShout stöds bara på Windows. Den har inaktiverats på grund av en saknad Python-modul. Om du vill använda den här importfunktionen måste du installera modulen "pyodbc". - + SongPro Text Files SongPro-textfiler - + SongPro (Export File) SongPro (exporterad fil) - + In SongPro, export your songs using the File -> Export menu I SongPro exporterar du sånger via menyn Arkiv -> Exportera - + EasyWorship Service File EasyWorship-körschemafil - + WorshipCenter Pro Song Files WorshipCenter Pro Song-filer - + 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. Importverktyget för WorshipCenter Pro stöds endast på Windows. Det har inaktiverats på grund av en saknad Python-modul. Om du vill använda det här importverktyget måste du installera modulen "pyodbc". - + 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. - + OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases - + LyriX Files - + LyriX (Exported TXT-files) - + VideoPsalm Files - + VideoPsalm - - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} @@ -9109,7 +9247,12 @@ Please enter the verses separated by spaces. SongsPlugin.LyrixImport - Error: %s + File {name} + + + + + Error: {error} @@ -9129,79 +9272,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Titel - + Lyrics Sångtext - + CCLI License: CCLI-licens: - + Entire Song Allt sånginnehåll - + Maintain the lists of authors, topics and books. Underhåll listan över författare, ämnen och böcker. - + copy For song cloning kopia - + Search Titles... Sök titel... - + Search Entire Song... Sök i allt sånginnehåll... - + Search Lyrics... Sök i sångtexter... - + Search Authors... Sök författare... - - Are you sure you want to delete the "%d" selected song(s)? + + Search Songbooks... - - Search Songbooks... + + Search Topics... + + + + + Copyright + Copyright + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Kan inte öppna MediaShout-databasen. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. @@ -9209,9 +9390,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exporterar "%s"... + + Exporting "{title}"... + @@ -9230,29 +9411,37 @@ Please enter the verses separated by spaces. Inga sånger att importera. - + Verses not found. Missing "PART" header. Inga verser hittade. "PART"-huvud saknas. - No %s files found. - Inga %s-filer hittades. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Ogiltig %s-fil. Oväntat byte-värde. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Ogiltig %s-fil. "TITLE"-huvud saknas. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Ogiltig %s-fil. "COPYRIGHTLINE"-huvud saknas. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9281,19 +9470,19 @@ Please enter the verses separated by spaces. 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 + + Your song export failed because this error occurred: {error} + @@ -9309,17 +9498,17 @@ Please enter the verses separated by spaces. De följande sångerna kunde inte importeras: - + Cannot access OpenOffice or LibreOffice Kan inte hitta OpenOffice eller LibreOffice - + Unable to open file Kan inte öppna fil - + File not found Fil hittas inte @@ -9327,109 +9516,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Kunde inte lägga till författaren. - + This author already exists. Författaren finns redan. - + Could not add your topic. Kunde inte lägga till ämnet. - + This topic already exists. Ämnet finns redan. - + Could not add your book. Kunde inte lägga till boken. - + This book already exists. Boken finns redan. - + Could not save your changes. Kunde inte spara ändringarna. - + Could not save your modified author, because the author already exists. Kunde inte spara den ändrade författaren eftersom den redan finns. - + Could not save your modified topic, because it already exists. Kunde inte spara det ändrade ämnet eftersom det redan finns. - + Delete Author Ta bort författare - + Are you sure you want to delete the selected author? Är du säker på att du vill ta bort den valda författaren? - + This author cannot be deleted, they are currently assigned to at least one song. Författaren kan inte tas bort; den används för närvarande av minst en sång. - + Delete Topic Ta bort ämne - + Are you sure you want to delete the selected topic? Är du säker på att du vill ta bort det valda ämnet? - + This topic cannot be deleted, it is currently assigned to at least one song. Ämnet kan inte tas bort; det används för närvarande av minst en sång. - + Delete Book Ta bort bok - + Are you sure you want to delete the selected book? Är du säker på att du vill ta bort den valda boken? - + This book cannot be deleted, it is currently assigned to at least one song. Boken kan inte tas bort; den används för närvarande av minst en sång. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Författaren %s finns redan. Vill du låta sånger med författaren %s använda den befintliga författaren %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Ämnet %s finns redan. Vill du låta sånger med ämnet %s använda det befintliga ämnet %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Boken %s finns redan. Vill du låta sånger med boken %s använda den befintliga boken %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9475,52 +9664,47 @@ Please enter the verses separated by spaces. Sök - - Found %s song(s) - Hittade %s sång(er) - - - + Logout Logga ut - + View Visa - + Title: Titel: - + Author(s): Författare: - + Copyright: Copyright: - + CCLI Number: CCLI-nummer: - + Lyrics: Text: - + Back Tillbaka - + Import Importera @@ -9560,7 +9744,7 @@ Please enter the verses separated by spaces. Det uppstod ett problem vid inloggningen. Kanske är ditt användarnamn eller lösenord felaktigt? - + Song Imported Sång importerad @@ -9575,7 +9759,7 @@ Please enter the verses separated by spaces. Den här sången saknar viss information, som t.ex. texten, och kan inte importeras. - + Your song has been imported, would you like to import more songs? Sången har importerats. Vill du importera fler sånger? @@ -9584,6 +9768,11 @@ Please enter the verses separated by spaces. Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9592,30 +9781,30 @@ Please enter the verses separated by spaces. Songs Mode Sångläge - - - Display verses on live tool bar - Visa verser i live-verktygsraden - Update service from song edit Uppdatera körschemat från sångredigeringen - - - Import missing songs from service files - Importera saknade sånger från körschemafiler - Display songbook in footer Visa sångbok i sidfot + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Visa %s-symbol framför copyright-info + Display "{symbol}" symbol before copyright info + @@ -9639,37 +9828,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Vers - + Chorus Refräng - + Bridge Stick - + Pre-Chorus Brygga - + Intro Intro - + Ending Avslut - + Other Övrigt @@ -9677,8 +9866,8 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s + + Error: {error} @@ -9686,12 +9875,12 @@ Please enter the verses separated by spaces. SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. @@ -9703,30 +9892,30 @@ Please enter the verses separated by spaces. Fel vid läsning från CSV-fil. - - Line %d: %s - Rad %d: %s - - - - Decoding error: %s - Avkodningsfel: %s - - - + File not valid WorshipAssistant CSV format. Filen är inte i ett giltigt WorshipAssistant-CSV-format. - - Record %d - Post %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Kunde inte ansluta till WorshipCenterPro-databasen. @@ -9739,25 +9928,30 @@ Please enter the verses separated by spaces. Fel vid läsning från CSV-fil. - + File not valid ZionWorx CSV format. Filen är inte i giltigt ZionWorx CSV-format. - - Line %d: %s - Rad %d: %s - - - - Decoding error: %s - Avkodningsfel: %s - - - + Record %d Post %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9767,39 +9961,960 @@ Please enter the verses separated by spaces. Guide - + 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. Den här guiden hjälper dig att ta bort dubletter av sånger från sångdatabasen. Du kommer att få möjlighet att titta igenom varje potentiell sångdublett innan den tas bort. Inga sånger kommer alltså att tas bort utan ditt direkta godkännande. - + Searching for duplicate songs. Sökning efter sångdubletter. - + Please wait while your songs database is analyzed. Vänta medan sångdatabasen analyseras. - + Here you can decide which songs to remove and which ones to keep. Här kan du bestämma vilka sånger som ska tas bort och vilka som ska behållas. - - Review duplicate songs (%s/%s) - Visa sångdubletter (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. Inga sångdubletter hittades i databasen. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Svenska + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/ta_LK.ts b/resources/i18n/ta_LK.ts index 68d50ce60..4bc54c978 100644 --- a/resources/i18n/ta_LK.ts +++ b/resources/i18n/ta_LK.ts @@ -117,32 +117,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font எழுத்து - + Font name: எழுத்து பெயர் - + Font color: எழுத்து வண்ணம் - - Background color: - பின்னணி நிறம்: - - - + Font size: எழுத்து அளவு - + Alert timeout: முடிதல் எச்சரிக்கை: @@ -150,88 +145,78 @@ 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. - சமீபத்திய வடிவம் பரிசுத்த வேதாகமம் தரவுத்தளங்கள் மேம்படுத்த. - Genesis @@ -736,159 +721,107 @@ Please type in some text before clicking New. இந்த வேதாகமம் முன்பே இருக்கிறது. வேறு வேதாகமம் இறக்குமதி அல்லது முதல் இருக்கும் ஒரு நீக்கவும். - - 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" க்கும் மேற்பட்ட ஒருமுறை நுழைந்தது. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error நூல் குறிப்பு பிழை - - Web Bible cannot be used - இண்டர்நெட் பரிசுத்த வேதாகமம் பயன்படுத்த முடியாது + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 ஆதரவு அல்லது தவறானது அல்ல. உங்கள் குறிப்பு பின்வரும் முறைகளில் ஒன்று ரத்து போகிறது என்பதை உறுதி அல்லது கைமுறை கலந்தாலோசிக்கவும்: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -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 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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. @@ -896,37 +829,83 @@ 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 + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -982,70 +961,76 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - இறக்குமதி புத்தகங்கள்... %s - - - + Importing verses... done. வசனங்கள் இறக்குமதி ... முடித்து + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + 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 ஆங்கிலம் @@ -1065,224 +1050,259 @@ 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. உங்கள் வசனம் தேர்வு பிரித்தெடுப்பதில் சிக்கல் ஏற்பட்டது. இந்த பிழை ஏற்படலாம் தொடர்ந்து ஒரு பிழை அறிக்கை முயற்சியுங்கள். + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1313,114 +1333,130 @@ It is not possible to customize the Book Names. 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 இருந்து? - -நீங்கள் இந்த பைபிள் மீண்டும் பயன்படுத்த மீண்டும் இறக்குமதி செய்ய வேண்டும். + + Search + தேடல் - - Advanced - முன்னேறிய + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OpenSongImport - + Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. தவறான பைபிள் கோப்பு வகை வழங்கப்படும். OpenSong விவிலியங்களும் சுருக்கப்படவில்லை. நீங்கள் இறக்குமதி முன் அவர்கள் decompress வேண்டும். - + Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. @@ -1428,177 +1464,51 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... + + Importing {name} {chapter}... BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - + Importing %(bookname)s %(chapter)s... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - ஒரு காப்பு அடைவை தேர்ந்தெடு + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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. - உங்கள் விவிலியங்களும் மேம்படுத்தப்படும் போது UpgradingPlease காத்திருக்க. - - - - 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 - தரத்தை உயர்த்துதல் வேதாகமம் (கள்): %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. - ஒரு விவிலியங்களும் மேம்படுத்தப்பட வேண்டும் என்று இல்லை. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. @@ -1606,8 +1516,8 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... + + Importing {book} {chapter}... @@ -1723,7 +1633,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ஒரே நேரத்தில் அனைத்து ஸ்லைடுகளையும் திருத்த. - + Split a slide into two by inserting a slide splitter. ஒரு ஸ்லைடு பிரிப்பி சேர்த்துக்கொள்வதன் மூலம் இரண்டு ஒரு ஸ்லைடு பிரிந்தது. @@ -1738,7 +1648,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &வரவுகளை: - + You need to type in a title. நீங்கள் ஒரு தலைப்பை தட்டச்சு செய்ய வேண்டும். @@ -1748,12 +1658,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I அனைத்து தொ&கு - + Insert Slide படவில்லையை சேர்க்க - + You need to add at least one slide. @@ -1761,7 +1671,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide படவில்லை பதிப்பி @@ -1769,8 +1679,8 @@ 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 "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1800,11 +1710,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title படிமங்கள் - - - Load a new image. - ஒரு புதிய படத்தை ஏற்ற. - Add a new image. @@ -1835,6 +1740,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. சேவைக்கு தேர்ந்தெடுத்த படத்தை சேர்க்க. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1859,12 +1774,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. @@ -1900,7 +1815,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment இணைப்பு தேர்ந்தெடுக்கவும @@ -1908,39 +1823,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. திருத்தும் இல்லை காட்சி பொருளாக இருந்தது. @@ -1950,25 +1848,41 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. திரையில் பல்வேறு அம்சம் விகிதம் படங்களை பார்க்க பின்னணி. @@ -1976,27 +1890,27 @@ Do you want to add the other images anyway? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. @@ -2004,60 +1918,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. சேவைக்கு தேர்ந்தெடுத்த ஊடக சேர்க்கவும் @@ -2173,47 +2087,47 @@ Do you want to add the other images anyway? - + 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 ":" @@ -2221,90 +2135,100 @@ Do you want to add the other images anyway? 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 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2315,41 +2239,19 @@ Do you want to add the other images anyway? - Start Live items automatically - - - - - OPenLP.MainWindow - - - &Projector Manager + Start new Live media automatically OpenLP - + Image Files படம் கோப்புகள் - - Information - தகவல் - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - வேதாகமம் வடிவம் மாறிவிட்டது. -நீங்கள் உங்கள் இருக்கும் விவிலியங்களும் மேம்படுத்த வேண்டும். -OpenLP இப்போது மேம்படுத்த வேண்டும்? - - - + Backup @@ -2364,13 +2266,18 @@ OpenLP இப்போது மேம்படுத்த வேண்ட - - A backup of the data folder has been created at %s + + Open - - Open + + A backup of the data folder has been createdat {text} + + + + + Video Files @@ -2382,15 +2289,10 @@ OpenLP இப்போது மேம்படுத்த வேண்ட நற்பெயர்களை - + 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. @@ -2419,7 +2321,7 @@ OpenLP பற்றி மேலும் அறிய.: http://openlp.org/ OpenLP தொண்டர்கள் எழுதி பராமரிக்கப்படுகிறது. மேலும் இலவச கிரிஸ்துவர் மென்பொருள் எழுதி பார்க்க விரும்பினால், கீழே உள்ள பொத்தானை பயன்படுத்தி தன்னார்வ முயற்சியுங்கள். - + Volunteer மேற்கொள் @@ -2595,327 +2497,237 @@ OpenLP தொண்டர்கள் எழுதி பராமரிக - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} 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 - + 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 - - 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. - + 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. @@ -2923,11 +2735,155 @@ This location will be used after OpenLP is closed. OpenLP மூடிய பிறகு இந்த இடம் பயன்படுத்தப்படும். + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + தானாக + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. ஒரு வண்ண தேர்ந்தெடுக்க கிளிக். @@ -2935,252 +2891,252 @@ OpenLP மூடிய பிறகு இந்த இடம் பயன்ப 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 @@ -3188,61 +3144,74 @@ OpenLP மூடிய பிறகு இந்த இடம் பயன்ப OpenLP.ExceptionDialog - + Error Occurred பிழை ஏற்பட்டது - + Send E-Mail மின்னஞ்சல் அனுப்ப - + Save to File கோப்பு சேமிக்க - + Attach File கோப்பை இணை - - Description characters to enter : %s - விளக்கம் எழுத்துகள் நுழைய: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) + + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. - - 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. Also attach any files that triggered the problem. + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation OpenLP.ExceptionForm - - Platform: %s - - தளம்: %s - - - - + Save Crash Report க்ராஷ் அறிக்கையை சேமிக்க - + Text files (*.txt *.log *.text) உரை கோப்புகள (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3283,264 +3252,257 @@ OpenLP மூடிய பிறகு இந்த இடம் பயன்ப 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. - இணைய இணைப்பு கிடைத்தது இல்லை. மாதிரி பாடல்கள், விவிலியங்களும் மற்றும் தீம்களை பதிவிறக்க முடியும் பொருட்டு முதல் நேரம் வழிகாட்டி இணைய இணைப்பு தேவை. ஆரம்ப அமைப்புகள் மற்றும் மாதிரி தரவு 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 + - - Unable to download some files + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. @@ -3585,43 +3547,48 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error செல்லத்தக்கதாக்குதலும் பிழை ஏற்பட்டது - + Description is missing - + Tag is missing - Tag %s already defined. - Tag %s ஏற்கனவே இருக்கிறது. + Tag {tag} already defined. + - Description %s already defined. + Description {tag} already defined. - - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML - - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} @@ -3711,170 +3678,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 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 &முந்தைய / அடுத்த சேவை உருப்படியை வைக்க + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + காண்பிக்க ஒரு படத்தை கோப்பு உலவ. + + + + Revert to the default OpenLP logo. + முன்னிருப்பு OpenLP லோகோ மீட்டெடு. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language மொழி - + Please restart OpenLP to use your new language setting. உங்கள் புதிய மொழி அமைப்பு பயன்படுத்த OpenLP மறுதொடக்கம் செய்க. @@ -3882,7 +3879,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP காட்சி @@ -3909,11 +3906,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View &பார்க்க - - - M&ode - ப&யன்முறை - &Tools @@ -3934,16 +3926,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help &உதவி - - - Service Manager - சேவையை மேலாளர் - - - - Theme Manager - தீம் மேலாளர் - Open an existing service. @@ -3969,11 +3951,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit வெ&ளியேற - - - Quit OpenLP - OpenLP முடி - &Theme @@ -3985,191 +3962,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &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. - நேரடி குழுவின் தன்மை மாறுவதற்கு. - - - - List the Plugins - Plugin காண்பி - - - + &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 ஆங்கிலம் @@ -4180,27 +4033,27 @@ You can download the latest version from http://openlp.org/. உள்ளமைக்கவும் &குறுக்குவழிகளை... - + 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. அனைத்து கருப்பொருள்கள் முன்னோட்ட படங்களை மேம்படுத்த. @@ -4210,32 +4063,22 @@ You can download the latest version from http://openlp.org/. தற்போதைய சேவையை அச்சிட்டு. - - 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. @@ -4244,13 +4087,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. சமீபத்திய கோப்புகளை அழிக்கவும். @@ -4259,76 +4102,36 @@ Re-running this wizard may make changes to your current OpenLP configuration and Configure &Formatting Tags... உள்ளமைக்கவும் &நீக்கு Tags... - - - Export OpenLP settings to a specified *.config file - ஒரு குறிப்பிட்ட வகையில் OpenLP ஏற்றுமதி அமைப்புகள் *.config file - Settings அமைப்புகள் - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - ஒரு குறிப்பிட்ட இருந்து OpenLP இறக்குமதி அமைப்புகள் *.config file -தாக்கல் முன்னர் இந்த அல்லது மற்றொரு கணினியில் ஏற்றுமதி - - - + 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 @@ -4340,12 +4143,12 @@ Re-running this wizard may make changes to your current OpenLP configuration and - + 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. @@ -4354,42 +4157,17 @@ Re-running this wizard may make changes to your current OpenLP configuration and - + 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 - - &Recent Services @@ -4421,132 +4199,340 @@ Processing has terminated and no changes have been made. - + Exit OpenLP - + Are you sure you want to exit OpenLP? - + &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + சேவையை + + + + Themes + தீம்கள் + + + + Projectors + + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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. -The database will not be loaded. - -Database: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP உங்கள் தரவுத்தள +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -தரவுத்தளம் ஏற்ற முடியாது: %s +Database: {db_name} + 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. நகல் கோப்புகளை இறக்குமதி காணப்படும் மற்றும் புறக்கணிக்கப்பட்டனர். + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag இல்லை. - + <verse> tag is missing. <verse> tag இல்லை. @@ -4554,22 +4540,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status - + No message - + Error while sending data to projector - + Undefined command: @@ -4577,32 +4563,32 @@ Suffix not supported OpenLP.PlayerTab - + Players - + Available Media Players கிடைக்கும மீடியா பிளேயர் - + Player Search Order - + Visible background for videos with aspect ratio different to screen. - + %s (unavailable) %s (இல்லை) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" @@ -4611,55 +4597,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details Plugin விவரம் - + Status: இப்போது தகுதி: - + Active செயலில் - - Inactive - ஜடமான - - - - %s (Inactive) - %s (ஜடமான) - - - - %s (Active) - %s (செயலில்) + + Manage Plugins + - %s (Disabled) - %s (முடக்கப்பட்டது) + {name} (Disabled) + - - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page சரியா பக்க செய்வது - + Fit Width சரியா அகலம் செய்வது @@ -4667,77 +4648,77 @@ Suffix not supported 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 சேவையை Sheet - + Print அச்சிட்டு - + Title: தலைப்பு: - + Custom Footer Text: தனிபயன் அடிக்குறிப்பு உரை: @@ -4745,257 +4726,257 @@ Suffix not supported 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 @@ -5003,17 +4984,17 @@ Suffix not supported OpenLP.ProjectorEdit - + Name Not Set - + You must enter a name for this entry.<br />Please enter a new name for this entry. - + Duplicate Name @@ -5021,52 +5002,52 @@ Suffix not supported 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 @@ -5074,305 +5055,360 @@ Suffix not supported 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 - - Delete projector (%s) %s? + + Are you sure you want to delete this projector? - - Are you sure you want to delete this projector? + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + + + + + No Authentication Error OpenLP.ProjectorPJLink - + Fan - + Lamp - + Temperature - + Cover - + Filter - + Other வேறு @@ -5418,17 +5454,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address - + Invalid IP Address - + Invalid Port Number @@ -5441,26 +5477,26 @@ Suffix not supported திரை - + primary முதன்மையான OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>ஆரம்பி</strong>: %s - - - - <strong>Length</strong>: %s - <strong>நீளம்</strong>: %s - - [slide %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} @@ -5525,52 +5561,52 @@ Suffix not supported சேவையை இருந்து தேர்ந்தெடுக்கப்பட்ட உருப்படியை நீக்கு. - + &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 உங்கள் உருப்படியை அதை காணவில்லை அல்லது செயலற்று காட்ட வேண்டும் நீட்சியாக காண்பிக்க முடியாது @@ -5595,7 +5631,7 @@ Suffix not supported அனைத்து சேவையை பொருட்கள் உடைந்து. - + Open File திற கோப்பு @@ -5625,22 +5661,22 @@ Suffix not supported தற்சமயம் தேர்ந்தெடுத்த உருப்படியை அனுப்ப - + &Start Time &தொடங்கு நேரம் - + Show &Preview காண்பி &முன்னோட்டம் - + Modified Service மாற்றப்பட்ட சேவையை - + The current service has been modified. Would you like to save this service? தற்போதைய சேவை மாற்றப்பட்டுள்ளது. இந்த சேவை சேமிக்க விரும்புகிறீர்களா? @@ -5660,27 +5696,27 @@ Suffix not supported தொடங்கி நேரம்: - + Untitled Service தலைப்பிடாத சேவையை - + File could not be opened because it is corrupt. இது ஊழல் ஏனெனில் கோப்பு திறக்க முடியவில்லை. - + Empty File காலியாக கோப்பு - + This service file does not contain any data. இந்த சேவையை கோப்பில் தரவு ஏதும் இல்லை. - + Corrupt File ஊழல் மிகுந்த கோப்பு @@ -5700,142 +5736,142 @@ Suffix not supported சேவையை ஒரு தீம் தேர்வு. - + 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: {name} + +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. + + An error occurred while writing the service file: {error} @@ -5868,15 +5904,10 @@ These files will be removed if you continue to save. குறுக்கு வழி - + Duplicate Shortcut குறுக்குவழி நகல் - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - குறுக்கு வழி "%s" ஏற்கனவே மற்றொரு நடவடிக்கை ஒதுக்கப்படும், வேறு குறுக்குவழி பயன்படுத்தவும். - Alternate @@ -5922,219 +5953,234 @@ These files will be removed if you continue to save. Configure Shortcuts குறுக்குவழிகள் உள்ளமைக்கவும் + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + 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" "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 தடங்கள் + + + Loop playing media. + + + + + Video timer. + + 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? @@ -6142,17 +6188,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions எழுத்து சரிபார்ப்பு பரிந்துரைகள - + Formatting Tags Tags அழிக்க - + Language: மொழி: @@ -6231,7 +6277,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (தோராயமாக %d ஸ்லைடு ஒவ்வொரு வரிகளும்) @@ -6239,521 +6285,531 @@ These files will be removed if you continue to save. 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. நீங்கள் முன்னிருப்பு தீம் நீக்க முடியவில்லை. - + 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) - - %s time(s) by %s - - - - + Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s +{text} 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. நீங்கள் ஒரு பின்னணி படத்தை தேர்ந்தெடுக்கவில்லை. தொடர்வதற்கு முன், ஒரு தேர்ந்தெடுக்கவும். + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6770,7 +6826,7 @@ These files will be removed if you continue to save. S&ong Level - + பா%டல் மட்டம் @@ -6836,73 +6892,73 @@ These files will be removed if you continue to save. &செங்குத்து சீரமை: - + 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 பாடல் இறக்குமதி வழிகாட்டி வரவேற்கிறோம் @@ -6952,39 +7008,34 @@ These files will be removed if you continue to save. XML syntax பிழை - - 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 @@ -6994,501 +7045,490 @@ These files will be removed if you continue to save. - + 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 காலியாக 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 h - + Invalid Folder Selected Singular தவறான கோப்புறையை தெரிவு - + Invalid File Selected Singular தேர்ந்தெடுத்ததை தவறான கோப்பு - + Invalid Files Selected Plural தேர்ந்தெடுத்ததை தவறான கோப்புகள் - + Image படம் - + Import இறக்குமதி - + Layout style: அமைப்பு பாணி: - + Live தற்போது - + Live Background Error தற்போது பின்னணி பிழை - + Live Toolbar தற்போது கருவிப்பட்டை - + Load Load - + Manufacturer Singular - + Manufacturers Plural - + Model Singular - + Models Plural - + m The abbreviated unit for minutes m - + 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 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 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 பார்க்க முறை - + CCLI song number: - + Preview Toolbar - + OpenLP OpenLp - + Replace live background is not available when the WebKit player is disabled. @@ -7504,29 +7544,100 @@ Please try selecting it individually. Plural + + + Background color: + பின்னணி நிறம்: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + எந்த பரிசுத்த வேதாகமம் கிடைக்கும் இல்லை + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + வசனம் + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + 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 @@ -7610,46 +7721,46 @@ Please try selecting it individually. பயன்படுத்தி முன்வைக்க: - + 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 முழுமையானதாக இல்லை, மீண்டும் ஏற்றுக. + + Presentations ({text}) + - - The presentation %s no longer exists. - விளக்கக்காட்சி %s இல்லை. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. @@ -7660,11 +7771,6 @@ Please try selecting it individually. Available Controllers கிடைக்கும் கட்டுப்படுத்திகளின - - - %s (unavailable) - %s (இல்லை) - Allow presentation application to be overridden @@ -7681,12 +7787,12 @@ Please try selecting it individually. - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. @@ -7697,12 +7803,18 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) @@ -7745,127 +7857,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 அமைப்புகள் - + Remote தொலை - + Stage View - + Live View @@ -7873,78 +7985,88 @@ Please try selecting it individually. RemotePlugin.RemoteTab - + Serve on IP address: சேவை IPமுகவரி : - + Port number: போர்ட் எண்ணை: - + Server Settings சர்வர் அமைப்புகள் - + Remote URL: தொலை URL: - + Stage view URL: மேடை காட்சி URL: - + Display stage time in 12h format 12h வடிவில் மேடை நேரம் காட்ட - + Android App Android பயன்பாடு - + 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. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. @@ -7986,50 +8108,50 @@ Please try selecting it individually. பாடல் பயன்பாட்டு டிராக்கிங் நிலைமாற்று. - + <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 அச்சிடப்பட்ட @@ -8096,24 +8218,10 @@ All data recorded before this date will be permanently deleted. வெளியீடு கோப்பு இடம் - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation அறிக்கை உருவாக்கம் - - - Report -%s -has been successfully created. - அறிக்கை -%s -உருவாக்கிய முடிந்தது. - Output Path Not Selected @@ -8126,45 +8234,57 @@ Please select an existing path on your computer. - + Report Creation Failed - - An error occurred while creating the report: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} 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... ட்டவணையிடுதல் இசை மீண்டும் ... @@ -8260,80 +8380,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. @@ -8422,61 +8542,66 @@ The encoding is responsible for the correct character representation. 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names தனிபயன் புத்தக பெயர்கள @@ -8559,57 +8684,57 @@ The encoding is responsible for the correct character representation. தீம், பதிப்புரிமை தகவல் && கருத்துரைகள் - + 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. நீங்கள் குறைந்தது ஒரு வசனம் தட்டச்சு செய்ய வேண்டும். - + You need to have an author for this song. இந்த பாடல் ஒரு நூலாசிரியர் இருக்க வேண்டும். @@ -8634,7 +8759,7 @@ The encoding is responsible for the correct character representation. அனைத்து &நீக்க - + Open File(s) கோப்பு (கள்) திற @@ -8650,13 +8775,7 @@ The encoding is responsible for the correct character representation. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - - - + Invalid Verse Order @@ -8666,21 +8785,15 @@ Please enter the verses separated by spaces. - + Edit Author Type - + Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks @@ -8702,45 +8815,71 @@ Please enter the verses separated by spaces. - + Add Songbook - + This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse பதிப்பி வசனம் - + &Verse type: &வசனம் அமைப்பு: - + &Insert &செருகு - + Split a slide into two by inserting a verse splitter. ஒரு வசனம் பிரிப்பி சேர்த்துக்கொள்வதன் மூலம் இரண்டு ஒரு ஸ்லைடு பிரிந்தது. @@ -8753,77 +8892,77 @@ Please enter the verses separated by spaces. பாடல் ஏற்றுமதி செய்யும் விசார்ட் - + 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. @@ -8831,7 +8970,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. @@ -8839,7 +8978,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type நீங்கள் தட்டச்சு தேடல் செயல்படுத்த @@ -8847,7 +8986,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files ஆவண / வழங்கல் கோப்புகள் தேர்வு @@ -8857,228 +8996,238 @@ Please enter the verses separated by spaces. பாடல் இறக்குமதி வழிகாட்டி - + 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. உங்கள் இசை இறக்குமதி காத்திருங்கள். - + Words Of Worship Song Files வழிபாடு பாடல் கோப்புகளை வார்த்தைகள் - + 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. Fellowship importer பாடல்கள் முடக்கப்பட்டுள்ளதால், OpenLP ஏனெனில் OpenOffice அல்லது LibreOffice திறக்க முடியாது. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. OpenLP இப்பொழுது OpenOffice அல்லது LibreOffice திறக்க முடியாது, ஏனெனில் generic ஆவணம் / விளக்கக்காட்சி இறக்குமதியாளர் முடக்கப்பட்டுள்ளது. - + OpenLyrics Files OpenLyrics கோப்ப - + CCLI SongSelect Files CCLI SongSelect கோப்புகள் - + EasySlides XML File EasySlides XML கோப்புகள் - + EasyWorship Song Database பாடல் தரவுத்தளம் - + DreamBeam Song Files DreamBeam பாடல் கோப்புகள் - + You need to specify a valid PowerSong 1.0 database folder. நீங்கள் சரியான குறிப்பிட வேண்டும் PowerSong 1.0 database அடைவை. - + 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">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 இறக்குமதியாளர் இது விண்டோஸ் இல் மட்டுமே துணைபுரிகிறது. அது ஒரு விடுபட்ட Python தொகுதி காரணமாக முடக்கப்பட்டுள்ளது. இந்த இறக்குமதியாளர் பயன்படுத்த விரும்பினால், நீங்கள் "pyodbc" தொகுதி நிறுவ வேண்டும். - + SongPro Text Files SongPro உரை கோப்புகள் - + SongPro (Export File) SongPro (ஏற்றுமதி கோப்பு) - + In SongPro, export your songs using the File -> Export menu SongPro உள்ள, கோப்பு பயன்படுத்தி உங்கள் பாடல்கள் ஏற்றுமதி -> ஏற்றுமதி பட்டி - + 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. - + OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases - + LyriX Files - + LyriX (Exported TXT-files) - + VideoPsalm Files - + VideoPsalm - - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} @@ -9086,7 +9235,12 @@ Please enter the verses separated by spaces. SongsPlugin.LyrixImport - Error: %s + File {name} + + + + + Error: {error} @@ -9106,79 +9260,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles தலைப்புகள் - + Lyrics பாடல்வரிகளை - + CCLI License: CCLI உரிமம்: - + Entire Song முழு பாடல் - + Maintain the lists of authors, topics and books. ஆசிரியர்கள், தலைப்புகள் மற்றும் புத்தகங்கள் பட்டியலை பராமரிக்க. - + copy For song cloning நகலெடுக்க - + Search Titles... தேடல் தலைப்புகள் ... - + Search Entire Song... முழு பாடல் தேட ... - + Search Lyrics... தேடல் பாடல்வரிகளை ... - + Search Authors... தேடல் ஆசிரியர்களையும் ... - - Are you sure you want to delete the "%d" selected song(s)? + + Search Songbooks... - - Search Songbooks... + + Search Topics... + + + + + Copyright + பதிப்புரிமை + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. MediaShout database திறக்க முடியவில்லை. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. @@ -9186,9 +9378,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - ஏற்றுமதி %s"... + + Exporting "{title}"... + @@ -9207,29 +9399,37 @@ Please enter the verses separated by spaces. இறக்குமதி பாடல்கள் இல்லை. - + Verses not found. Missing "PART" header. செய்யுள்கள் இல்லை. "பாகம்" மேற்குறிப்பு இல்லை. - No %s files found. - எந்த %s கோப்புகளும் இல்லை. + No {text} files found. + - Invalid %s file. Unexpected byte value. - தவறான %s கோப்பு. எதிர்பாராத பைட் மதிப்பு. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - தவறான %s கோப்பு. "TITLE" header இல்லை. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - தவறான %s கோப்பு. "COPYRIGHTLINE" header இல்லை. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9258,19 +9458,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. ஏற்றுமதி முடிக்கப்பட்ட. இந்த கோப்புகளை இறக்குமதி செய்ய பயன்படுத்த - - Your song export failed because this error occurred: %s + + Your song export failed because this error occurred: {error} @@ -9287,17 +9487,17 @@ Please enter the verses separated by spaces. இந்த இசை இறக்குமதி செய்ய முடியாது: - + Cannot access OpenOffice or LibreOffice OpenOffice அல்லது LibreOffice அணுக முடியாது - + Unable to open file கோப்பை திறக்க முடியவில்லை - + File not found கோப்பு காணவில்லை @@ -9305,109 +9505,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - இந்த தலைப்பை %s முன்பே இருக்கிறது. நீங்கள் தலைப்பை கொண்ட இசை செய்ய விரும்புகிறேன் %s ஏற்கனவே தலைப்பை பயன்படுத்த %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - இந்த புத்தகம் %s ஏற்கனவே உள்ளது. நீங்கள் புத்தகம் இசை செய்ய விரும்புகிறேன் %s ஏற்கனவே புத்தகத்தில் பயன்படுத்த %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9453,52 +9653,47 @@ Please enter the verses separated by spaces. தேடல் - - Found %s song(s) - - - - + Logout - + View பார்க்க - + Title: தலைப்பு: - + Author(s): - + Copyright: காப்புரிமை: - + CCLI Number: - + Lyrics: - + Back - + Import இறக்குமதி @@ -9538,7 +9733,7 @@ Please enter the verses separated by spaces. - + Song Imported @@ -9553,7 +9748,7 @@ Please enter the verses separated by spaces. - + Your song has been imported, would you like to import more songs? @@ -9562,6 +9757,11 @@ Please enter the verses separated by spaces. Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9570,29 +9770,29 @@ Please enter the verses separated by spaces. Songs Mode பாடல்கள் முறை - - - Display verses on live tool bar - நேரடி கருவி பட்டியில் வசனங்கள் காண்பிக்க - Update service from song edit பாடல் தொகு இருந்து சேவையை மேம்படுத்த - - - Import missing songs from service files - சேவை கோப்புகளை காணவில்லை பாடல்கள் இறக்குமதி - Display songbook in footer + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info @@ -9617,37 +9817,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse வசனம் - + Chorus கோரஸ் - + Bridge Bridge - + Pre-Chorus முன் கோரஸ் - + Intro அறிமுகமே - + Ending முடிவுக்கு - + Other வேறு @@ -9655,8 +9855,8 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s + + Error: {error} @@ -9664,12 +9864,12 @@ Please enter the verses separated by spaces. SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. @@ -9681,30 +9881,30 @@ Please enter the verses separated by spaces. படிப்பதில் பிழை CSV கோப்பு. - - Line %d: %s - வரிசை %d: %s - - - - Decoding error: %s - நீக்கத்திற்கு பிழை: %s - - - + File not valid WorshipAssistant CSV format. - - Record %d - சாதனையை %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. @@ -9717,25 +9917,30 @@ Please enter the verses separated by spaces. படிப்பதில் பிழை CSV கோப்பு. - + File not valid ZionWorx CSV format. செல்லாத ZionWorx CSV வடிவத்தில் தாக்கல். - - Line %d: %s - வரிசை %d: %s - - - - Decoding error: %s - நீக்கத்திற்கு பிழை: %s - - - + Record %d சாதனையை %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9745,39 +9950,960 @@ 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. - + 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. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + ஆங்கிலம் + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/th_TH.ts b/resources/i18n/th_TH.ts index c2b9a72dc..9e425f8c1 100644 --- a/resources/i18n/th_TH.ts +++ b/resources/i18n/th_TH.ts @@ -120,32 +120,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font ตัวอักษร - + Font name: ชื่อตัวอักษร: - + Font color: สีตัวอักษร: - - Background color: - สีพื้นหลัง: - - - + Font size: ขนาดตัวอักษร: - + Alert timeout: ระยะเวลาแจ้งเตือน: @@ -153,88 +148,78 @@ 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. - ปรับปรุงฐานข้อมูลรูปแบบใหม่ล่าสุดสำหรับพระคัมภีร์ - Genesis @@ -739,160 +724,107 @@ Please type in some text before clicking New. พระคัมภีร์ฉบับนี้มีอยู่แล้ว โปรดนำเข้าพระคัมภีร์ฉบับที่แตกต่างกัน หรือลบพระคัมภีร์ฉบับที่มีอยู่แล้วออกก่อน - - 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" ได้รับการป้อนมากกว่าหนึ่งครั้ง + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error เกิดข้อผิดพลาดในการอ้างอิงพระคัมภีร์ - - Web Bible cannot be used - พระคัมภีร์ที่ดาวน์โหลดจากเว็บไซต์ไม่สามารถใช้ได้ + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 หรือการอ้างอิงไม่ถูกต้อง โปรดตรวจสอบให้แน่ใจว่าการอ้างอิงของคุณ สอดคล้องกับรูปแบบต่อไปนี้ หรือดูรายละเอียดเพิ่มเติมที่คู่มือแนะนำการใช้งาน: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -หนังสือ บทที่ -หนังสือ บทที่%(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ข้อที่ +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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. @@ -901,37 +833,83 @@ 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 แสดงไม้เลขของข้อ + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -987,70 +965,76 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - กำลังนำเข้าหนังสือ... %s - - - + Importing verses... done. นำเข้าข้อพระคัมภีร์... เสร็จเรียบร้อยแล้ว + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + 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 ภาษาไทย @@ -1070,224 +1054,259 @@ 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. เกิดปัญหาส่วนที่คัดลอกของข้อความที่คุณเลือก ถ้าข้อผิดพลาดยังปรากฏขึ้น โปรดพิจารณารายงานจุดบกพร่องนี้ + + + Importing {book}... + Importing <book name>... + + 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. เกิดการผิดพลาดขึ้นเมื่อดาวน์โลดรายการพระคัมภีร์จาก %s + + + Bibles: + พระคัมภีร์: + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1318,114 +1337,130 @@ It is not possible to customize the Book Names. 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? - -ถ้าคุณต้องการใช้งาน คุณต้องนำเข้าพระคัมภีร์ฉบับนี้อีกครั้ง + + Search + ค้นหา - - Advanced - ขั้นสูง + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + 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. ประเภทของไฟล์ของพระคัมภีร์ไม่ถูกต้อง นี้ดูเหมือนพระคัมภีร์ XML Zefania กรุณาใช้ตัวเลือกนำเข้า Zefania @@ -1433,177 +1468,51 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - นำเข้า %(bookname) %(chapter)... + + Importing {name} {chapter}... + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... ลบแท็กที่ไม่ได้ใช้ (อาจจะใช้เวลาไม่กี่นาที)... - + Importing %(bookname)s %(chapter)s... นำเข้า %(bookname) %(chapter)... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - เลือกไดเรกทอรีสำหรับการสำรองข้อมูล + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 - การปรับปรุงพระคัมภีร์(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. - ไม่มีพระคัมภีร์ที่ต้องการปรับปรุง - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. ประเภทของไฟล์ของพระคัมภีร์ไม่ถูกต้อง บางครั้งพระคัมภีร์ Zefania ถูกบีบอัด มันต้องถูกขยายก่อนที่นำเข้าได้ @@ -1611,9 +1520,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - นำเข้า %(bookname) %(chapter)... + + Importing {book} {chapter}... + @@ -1728,7 +1637,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I แก้ไขข้อความทั้งหมดในครั้งเดียว - + Split a slide into two by inserting a slide splitter. แยกข้อความออกเป็นส่วนๆโดยแทรกตัวแยกข้อความ @@ -1743,7 +1652,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &ขอขอบคุณ: - + You need to type in a title. คุณต้องใส่หัวข้อ @@ -1753,12 +1662,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &แก้ไขทั้งหมด - + Insert Slide แทรกภาพนิ่ง - + You need to add at least one slide. คุณต้องเพิ่มภาพนิ่งอันหนึ่งอย่างน้อย @@ -1766,7 +1675,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide แก้ไขข้อความ @@ -1774,8 +1683,8 @@ 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 "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1804,11 +1713,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title รูปภาพ - - - Load a new image. - เพิ่มรูปภาพใหม่ - Add a new image. @@ -1839,6 +1743,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. เพิ่มรูปภาพที่เลือกไปที่การจัดทำรายการ + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1863,12 +1777,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. กลุ่มนี้มีอยู่แล้ว @@ -1904,7 +1818,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment เลือกสิ่งที่แนบมา @@ -1912,39 +1826,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. มีรายการที่ไม่แสดงผลต้องทำการแก้ไข @@ -1954,25 +1851,41 @@ 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" กันทุกสิ่งที่อยู่ข้างในไหม + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. ภาพพื้นหลังที่มองเห็น มีอัตราส่วนความละเอียดแตกต่างจากที่มองเห็นบนจอภาพ @@ -1980,27 +1893,27 @@ Do you want to add the other images anyway? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. @@ -2008,60 +1921,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. เพิ่มสื่อภาพและเสียงที่เลือกไปที่การจัดทำรายการ @@ -2177,47 +2090,47 @@ Do you want to add the other images anyway? - + 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 ":" @@ -2225,90 +2138,100 @@ Do you want to add the other images anyway? 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 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2319,41 +2242,19 @@ Do you want to add the other images anyway? - Start Live items automatically - - - - - OPenLP.MainWindow - - - &Projector Manager + Start new Live media automatically OpenLP - + Image Files ไฟล์รูปภาพ - - Information - ข้อมูลข่าวสาร - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - รูปแบบพระคัมภีร์มีการเปลี่ยนแปลง -คุณทำการปรับปรุงพระคัมภีร์ที่มีอยู่ของคุณ -ควรทำการปรับปรุงโปรแกรม OpenLP ในขณะนี้? - - - + Backup @@ -2368,13 +2269,18 @@ Should OpenLP upgrade now? - - A backup of the data folder has been created at %s + + Open - - Open + + A backup of the data folder has been createdat {text} + + + + + Video Files @@ -2386,15 +2292,10 @@ Should OpenLP upgrade now? ขอขอบคุณ - + 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. @@ -2423,7 +2324,7 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr โปรแกรม OpenLP ถูกเขียนและดูแลโดยอาสาสมัคร หากคุณต้องการเห็นซอฟแวร์เสรี ที่เขียนสำหรับคริสเตียนมากขึ้น โปรดพิจารณาร่วมเป็นอาสาสมัคร โดยใช้ปุ่มด้านล่าง - + Volunteer อาสาสมัคร @@ -2599,326 +2500,237 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} 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 - - 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. - + 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. @@ -2926,11 +2738,155 @@ This location will be used after OpenLP is closed. ตำแหน่งที่ตั้งนี้จะถูกใช้หลังจากปิดโปรแกรม OpenLP + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + อัตโนมัติ + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. คลิกเพื่อเลือกสี @@ -2938,252 +2894,252 @@ This location will be used after OpenLP is closed. 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 @@ -3191,61 +3147,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred เกิดเหตุการณ์ผิดพลาดขึ้น - + Send E-Mail ส่ง E-Mail - + Save to File บันทึกไฟล์ - + Attach File ไฟล์แนบ - - Description characters to enter : %s - ป้อนคำอธิบาย : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) + + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. - - 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. Also attach any files that triggered the problem. + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation OpenLP.ExceptionForm - - Platform: %s - - คำอธิบาย: %s - - - - + Save Crash Report บันทึกรายงานความผิดพลาด - + Text files (*.txt *.log *.text) ไฟล์ข้อความ(*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3286,264 +3255,257 @@ This location will be used after OpenLP is closed. 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 + - - Unable to download some files + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. @@ -3588,43 +3550,48 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML ที่นี่> - + Validation Error การตรวจสอบเกิดข้อผิดพลาด - + Description is missing - + Tag is missing - Tag %s already defined. - แท็ก %s กำหนดไว้แล้ว + Tag {tag} already defined. + - Description %s already defined. + Description {tag} already defined. - - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML - - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} @@ -3714,170 +3681,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 &เลื่อนต่อไปที่รายการถัดไป / รายการก่อนหน้า + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + เรียกดูไฟล์รูปภาพที่ต้องการแสดง + + + + Revert to the default OpenLP logo. + กลับไปใช้โลโก้เริ่มต้นของโปรแกรม OpenLP + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language ภาษา - + Please restart OpenLP to use your new language setting. โปรดเริ่มต้นโปรแกรม OpenLP อีกครั้ง เมื่อคุณตั้งค่าภาษาใหม่ @@ -3885,7 +3882,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display แสดงโปรแกรมOpenLP @@ -3912,11 +3909,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View &มุมมอง - - - M&ode - &รูปแบบโปรแกรม - &Tools @@ -3937,16 +3929,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help &ช่วยเหลือ - - - Service Manager - การจัดทำรายการ - - - - Theme Manager - จัดการรูปแบบธีม - Open an existing service. @@ -3972,11 +3954,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit &ออกจากโปรแกรม - - - Quit OpenLP - ปิดโปรแกรม OpenLP - &Theme @@ -3988,191 +3965,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &ปรับแต่งโปรแกรม 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. - ล็อคการมองเห็นของกรอบแสดงผลบนจอภาพ - - - - 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 ภาษาไทย @@ -4183,27 +4036,27 @@ You can download the latest version from http://openlp.org/. &ปรับแต่งทางลัด... - + Open &Data Folder... &เปิดโฟลเดอร์ข้อมูล... - + Open the folder where songs, bibles and other data resides. เปิดโฟลเดอร์ที่มีเพลง พระคัมภีร์ และข้อมูลอื่นๆอยู่ภายในนั้น - + &Autodetect &ตรวจหาอัตโนมัติ - + Update Theme Images ปรับปรุงรูปภาพของธีม - + Update the preview images for all themes. ปรับปรุงรูปภาพตัวอย่างสำหรับทุกธีม @@ -4213,32 +4066,22 @@ You can download the latest version from http://openlp.org/. พิมพ์รายการปัจจุบัน - - 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. @@ -4247,13 +4090,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. ล้างรายการไฟล์ล่าสุด @@ -4262,75 +4105,36 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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 @@ -4342,12 +4146,12 @@ Re-running this wizard may make changes to your current OpenLP configuration and - + 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. @@ -4356,42 +4160,17 @@ Re-running this wizard may make changes to your current OpenLP configuration and - + 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 - - &Recent Services @@ -4423,131 +4202,340 @@ Processing has terminated and no changes have been made. - + Exit OpenLP - + Are you sure you want to exit OpenLP? - + &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + บริการ + + + + Themes + ธีม + + + + Projectors + + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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 ไม่สามารถบันทึกฐานข้อมูลของคุณ +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -ฐานข้อมูล: %s +Database: {db_name} + 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. พบว่ามีการนำเข้าไฟล์ที่ซ้ำกันและถูกมองข้าม + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <เนื้อเพลง> แท็กหายไป - + <verse> tag is missing. <ข้อความ> แท็กหายไป @@ -4555,22 +4543,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status - + No message - + Error while sending data to projector - + Undefined command: @@ -4578,32 +4566,32 @@ Suffix not supported OpenLP.PlayerTab - + Players - + Available Media Players โปรแกรมเล่นสื่อภาพและเสียงที่มี - + Player Search Order - + Visible background for videos with aspect ratio different to screen. - + %s (unavailable) %s (ไม่สามารถใช้งานได้) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" @@ -4612,55 +4600,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details รายละเอียดโปรแกรมเสริม - + Status: สถานะ: - + Active เปิดใช้งาน - - Inactive - ไม่ได้เปิดใช้งาน - - - - %s (Inactive) - %s (ไม่ได้เปิดใช้งาน) - - - - %s (Active) - %s (เปิดใช้งาน) + + Manage Plugins + - %s (Disabled) - %s (ปิดใช้งาน) + {name} (Disabled) + - - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page พอดีหน้า - + Fit Width พอดีความกว้าง @@ -4668,77 +4651,77 @@ Suffix not supported 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: ข้อความส่วนล่างที่กำหนดเอง: @@ -4746,257 +4729,257 @@ Suffix not supported 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 @@ -5004,17 +4987,17 @@ Suffix not supported OpenLP.ProjectorEdit - + Name Not Set - + You must enter a name for this entry.<br />Please enter a new name for this entry. - + Duplicate Name @@ -5022,52 +5005,52 @@ Suffix not supported 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 @@ -5075,305 +5058,360 @@ Suffix not supported 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 - - Delete projector (%s) %s? + + Are you sure you want to delete this projector? - - Are you sure you want to delete this projector? + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + + + + + No Authentication Error OpenLP.ProjectorPJLink - + Fan - + Lamp - + Temperature - + Cover - + Filter - + Other Other อื่นๆ @@ -5419,17 +5457,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address - + Invalid IP Address - + Invalid Port Number @@ -5442,26 +5480,26 @@ Suffix not supported แสดงจอภาพที่ว่างเปล่า - + primary ตัวหลัก OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>เริ่มต้น</strong>: %s - - - - <strong>Length</strong>: %s - <strong>ระยะเวลา</strong>: %s - - [slide %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} @@ -5526,52 +5564,52 @@ Suffix not supported ลบรายการที่เลือกออกจากการจัดทำรายการ - + &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 รายการของคุณไม่สามารถแสดงผลได้ เนื่องจากโปรแกรมเสริมที่จำเป็นในการแสดงผลหายไป หรือไม่ได้เปิดใช้งาน @@ -5596,7 +5634,7 @@ Suffix not supported ยุบรายการในการจัดทำรายการทั้งหมด - + Open File เปิดไฟล์ @@ -5626,22 +5664,22 @@ Suffix not supported ส่งรายการที่เลือกไปแสดงบนจอภาพ - + &Start Time &เล่นสื่อภาพและเสียงในเวลาที่กำหนด - + Show &Preview &แสดงตัวอย่าง - + Modified Service ปรับเปลี่ยนแก้ไขรายการ - + The current service has been modified. Would you like to save this service? การจัดทำรายการมีการปรับเปลี่ยนแก้ไข คุณต้องการบันทึกการจัดทำรายการนี้หรือไม่? @@ -5661,27 +5699,27 @@ Suffix not supported เวลาเริ่มเล่น: - + Untitled Service ไม่ได้ตั้งชื่อการจัดทำรายการ - + File could not be opened because it is corrupt. ไฟล์เสียหายไม่สามารถเปิดได้ - + Empty File ไฟล์ว่างเปล่า - + This service file does not contain any data. ไฟล์การจัดทำรายการนี้ไม่มีข้อมูลใดๆ - + Corrupt File ไฟล์เสียหาย @@ -5701,142 +5739,142 @@ Suffix not supported เลือกธีมสำหรับการจัดทำรายการ - + 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: {name} + +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. + + An error occurred while writing the service file: {error} @@ -5869,15 +5907,10 @@ These files will be removed if you continue to save. ทางลัด - + Duplicate Shortcut ทางลัดซ้ำกัน - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - ทางลัด "%s" ถูกกำหนดให้กับการกระทำอื่นแล้ว โปรดใช้ทางลัดที่ไม่เหมือนกัน - Alternate @@ -5923,219 +5956,234 @@ These files will be removed if you continue to save. Configure Shortcuts ปรับแต่งทางลัด + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + 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 แทร็ค + + + Loop playing media. + + + + + Video timer. + + 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? @@ -6143,17 +6191,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions คำแนะนำในการสะกด - + Formatting Tags จัดรูปแบบแท็ก - + Language: ภาษา: @@ -6232,7 +6280,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (ประมาณ %d บรรทัดต่อการเลื่อน) @@ -6240,521 +6288,531 @@ These files will be removed if you continue to save. 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. คุณไม่สามารถลบธีมเริ่มต้นได้ - + 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) - - %s time(s) by %s - - - - + Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s +{text} 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. คุณไม่ได้เลือกภาพพื้นหลัง โปรดเลือกหนึ่งภาพสำหรับดำเนินการต่อไป + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6837,73 +6895,73 @@ These files will be removed if you continue to save. &ตําแหน่งในแนวตั้ง: - + 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 ยินดีต้อนรับสู่ตัวช่วยสร้างการนำเข้าเพลง @@ -6953,39 +7011,34 @@ These files will be removed if you continue to save. 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 @@ -6995,501 +7048,490 @@ These files will be removed if you continue to save. - + 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 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: - + Preview Toolbar - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. @@ -7505,29 +7547,100 @@ Please try selecting it individually. Plural + + + Background color: + สีพื้นหลัง: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + หนัง + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + พระคัมภีร์ไม่พร้อมใช้งาน + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Verse ท่อนร้อง + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + 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 @@ -7610,46 +7723,46 @@ Please try selecting it individually. นำเสนอโดยใช้: - + 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 ไม่สมบูรณ์ โปรดเพิ่มเข้ามาใหม่ + + Presentations ({text}) + - - The presentation %s no longer exists. - งานนำเสนอ %s ไม่มีอีกต่อไป + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. @@ -7660,11 +7773,6 @@ Please try selecting it individually. Available Controllers ตัวควบคุมที่ใช้งานได้ - - - %s (unavailable) - %s (ไม่สามารถใช้งานได้) - Allow presentation application to be overridden @@ -7681,12 +7789,12 @@ Please try selecting it individually. - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. @@ -7697,12 +7805,18 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) @@ -7745,127 +7859,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 ตั้งค่า - + Remote การควบคุมระยะไกล - + Stage View - + Live View @@ -7873,78 +7987,88 @@ Please try selecting it individually. 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 - + 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. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. @@ -7986,50 +8110,50 @@ Please try selecting it individually. ล็อคการติดตามการใช้งานเพลง - + <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 สั่งพิมพ์ @@ -8096,24 +8220,10 @@ All data recorded before this date will be permanently deleted. ตำแหน่งที่ตั้งของไฟล์ที่ส่งออกข้อมูล - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation การสร้างรายงาน - - - Report -%s -has been successfully created. - รายงาน -%s -สร้างเสร็จเรียบร้อยแล้ว - Output Path Not Selected @@ -8126,45 +8236,57 @@ Please select an existing path on your computer. - + Report Creation Failed - - An error occurred while creating the report: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} 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... กำลังฟื้นฟูสารบัญเพลง... @@ -8260,80 +8382,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. @@ -8422,61 +8544,66 @@ The encoding is responsible for the correct character representation. 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data นิยามข้อมูล - + Custom Book Names ชื่อหนังสือที่กำหนดเอง @@ -8559,57 +8686,57 @@ The encoding is responsible for the correct character representation. ธีม, ข้อมูลลิขสิทธิ์ && ความคิดเห็น - + 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. คุณต้องพิมพ์อย่างน้อยหนึ่งท่อน - + You need to have an author for this song. คุณต้องใส่ชื่อผู้แต่งเพลงนี้ @@ -8634,7 +8761,7 @@ The encoding is responsible for the correct character representation. &ลบออกทั้งหมด - + Open File(s) เปิดไฟล์(s) @@ -8649,13 +8776,7 @@ The encoding is responsible for the correct character representation. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - - - + Invalid Verse Order @@ -8665,21 +8786,15 @@ Please enter the verses separated by spaces. - + Edit Author Type - + Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks @@ -8701,45 +8816,71 @@ Please enter the verses separated by spaces. - + Add Songbook - + This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse แก้ไขท่อนเพลง - + &Verse type: &ประเภทเพลง: - + &Insert &แทรก - + Split a slide into two by inserting a verse splitter. แยกการเลื่อนออกเป็นสองโดยการแทรกตัวแยกท่อน @@ -8752,77 +8893,77 @@ Please enter the verses separated by spaces. ตัวช่วยสร้างการส่งออกเพลง - + 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. @@ -8830,7 +8971,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. @@ -8838,7 +8979,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type เปิดใช้การค้นหาในขณะที่คุณพิมพ์ @@ -8846,7 +8987,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files เลือกไฟล์เอกสาร/ไฟล์การนำเสนอ @@ -8856,228 +8997,238 @@ Please enter the verses separated by spaces. ตัวช่วยสร้างการนำเข้าเพลง - + 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. โปรดรอสักครู่ในขณะที่เพลงของคุณถูกนำเข้า - + 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 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. - + OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases - + LyriX Files - + LyriX (Exported TXT-files) - + VideoPsalm Files - + VideoPsalm - - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} @@ -9085,7 +9236,12 @@ Please enter the verses separated by spaces. SongsPlugin.LyrixImport - Error: %s + File {name} + + + + + Error: {error} @@ -9105,79 +9261,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles ชื่อเพลง - + Lyrics เนื้อเพลง - + CCLI License: สัญญาอนุญาต CCLI: - + Entire Song เพลงทั้งหมด - + Maintain the lists of authors, topics and books. เก็บรักษารายชื่อของผู้แต่ง, หัวข้อและหนังสือ - + copy For song cloning คัดลอก - + Search Titles... ค้นหาชื่อเพลง... - + Search Entire Song... ค้นหาเพลงทั้งหมด... - + Search Lyrics... ค้นหาเนื้อเพลง.. - + Search Authors... ค้นหาผู้แต่ง... - - Are you sure you want to delete the "%d" selected song(s)? + + Search Songbooks... - - Search Songbooks... + + Search Topics... + + + + + Copyright + สงวนลิขสิทธิ์ + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. ไม่สามารถเปิดฐานข้อมูลของ MediaShout + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. @@ -9185,9 +9379,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - กำลังส่งออก "%s"... + + Exporting "{title}"... + @@ -9206,29 +9400,37 @@ Please enter the verses separated by spaces. ไม่มีเพลงที่นำเข้า - + Verses not found. Missing "PART" header. ไม่พบท่อนเพลง "PART" ส่วนหัวหายไป - No %s files found. - ไม่พบไฟล์ %s + No {text} files found. + - Invalid %s file. Unexpected byte value. - ไฟล์ %s ไม่สามารถใช้งานได้ เกิดจากค่าไบต์ที่ไม่คาดคิด + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - ไฟล์ %s ไม่สามารถใช้งานได้ "TITLE" ส่วนหัวหายไป + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - ไฟล์ %s ไม่สามารถใช้งานได้ "COPYRIGHTLINE" ส่วนหัวหายไป + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9257,18 +9459,18 @@ 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 + + Your song export failed because this error occurred: {error} @@ -9285,17 +9487,17 @@ Please enter the verses separated by spaces. เพลงต่อไปนี้ไม่สามารถนำเข้า: - + Cannot access OpenOffice or LibreOffice ไม่สามารถเข้าถึงโปรแกรม OpenOffice หรือ LibreOffice - + Unable to open file ไม่สามารถเปิดไฟล์ได้ - + File not found ไม่พบไฟล์ @@ -9303,109 +9505,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - หัวข้อ %s มีอยู่แล้ว คุณต้องการจะกำหนดใช้หัวข้อ %s ให้กับเพลง ใช้หัวข้อ %s ที่มีอยู่? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - ชื่อหนังสือ %s มีอยู่แล้ว คุณต้องการจะกำหนดใช้ชื่อหนังสือ %s ให้กับเพลง ใช้ชื่อหนังสือ %s ที่มีอยู่? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9451,52 +9653,47 @@ Please enter the verses separated by spaces. ค้นหา - - Found %s song(s) - - - - + Logout - + View แสดง - + Title: หัวข้อ: - + Author(s): - + Copyright: ลิขสิทธิ์: - + CCLI Number: - + Lyrics: - + Back - + Import นำเข้า @@ -9536,7 +9733,7 @@ Please enter the verses separated by spaces. - + Song Imported @@ -9551,7 +9748,7 @@ Please enter the verses separated by spaces. - + Your song has been imported, would you like to import more songs? @@ -9560,6 +9757,11 @@ Please enter the verses separated by spaces. Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9568,29 +9770,29 @@ Please enter the verses separated by spaces. Songs Mode รูปแบบเพลง - - - Display verses on live tool bar - แสดงข้อความบนแถบเครื่องมือแสดงบนจอภาพ - Update service from song edit ปรับปรุงการจัดทำรายการ จากการแก้ไขเพลง - - - Import missing songs from service files - นำเข้าเพลงที่หายไปจากไฟล์การจัดทำรายการ - Display songbook in footer + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info @@ -9615,37 +9817,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Verse ท่อนร้อง - + Chorus Chorus ร้องรับ - + Bridge Bridge ท่อนที่ทำนองแตกต่างไป - + Pre-Chorus Pre-Chorus ท่อนก่อนร้องรับ - + Intro Intro ดนตรีก่อนเริ่มร้อง - + Ending Ending ท่อนจบ - + Other Other อื่นๆ @@ -9653,8 +9855,8 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s + + Error: {error} @@ -9662,12 +9864,12 @@ Please enter the verses separated by spaces. SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. @@ -9679,30 +9881,30 @@ Please enter the verses separated by spaces. เกิดข้อผิดพลาดในการอ่านไฟล์ CSV - - Line %d: %s - บรรทัด %d: %s - - - - Decoding error: %s - การถอดรหัสเกิดข้อผิดพลาด: %s - - - + File not valid WorshipAssistant CSV format. - - Record %d - บันทึก %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. @@ -9715,25 +9917,30 @@ Please enter the verses separated by spaces. เกิดข้อผิดพลาดในการอ่านไฟล์ CSV - + File not valid ZionWorx CSV format. รูปแบบไฟล์ CSV ของ ZionWorx ไม่ถูกต้อง - - Line %d: %s - บรรทัด %d: %s - - - - Decoding error: %s - การถอดรหัสเกิดข้อผิดพลาด: %s - - - + Record %d บันทึก %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9743,39 +9950,960 @@ 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. - + 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. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + ภาษาไทย + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/zh_CN.ts b/resources/i18n/zh_CN.ts index 75518a74f..450f26c3e 100644 --- a/resources/i18n/zh_CN.ts +++ b/resources/i18n/zh_CN.ts @@ -118,32 +118,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font 字体 - + Font name: 字体名称: - + Font color: 字体颜色: - - Background color: - 背景颜色: - - - + Font size: 字号: - + Alert timeout: 警告时长: @@ -151,88 +146,78 @@ 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. - 升级圣经数据库到最新的格式 - Genesis @@ -737,159 +722,107 @@ Please type in some text before clicking New. 该版本圣经已存在。请导入一个不同版本的圣经或是先删除已存在的那个。 - - 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"已被输入过一次 + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error 经文标识错误 - - Web Bible cannot be used - 无法使用网络圣经 + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 +This means that the currently used Bible +or Second Bible is installed as Web Bible. + +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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. @@ -898,37 +831,83 @@ 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 + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -984,70 +963,76 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - 正在导入书卷... %s - - - + Importing verses... done. 正在导入经节... 完成。 + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + 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 中文 @@ -1067,224 +1052,259 @@ 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. 在解包您选择的经节时出现问题。如果此错误继续出现请考虑报告软件缺陷。 + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1315,114 +1335,130 @@ It is not possible to customize the Book Names. 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" 圣经? - -要再次使用,您需要重新导入。 + + Search + 搜索 - - Advanced - 高级 + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + 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. @@ -1430,177 +1466,51 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... + + Importing {name} {chapter}... BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - + Importing %(bookname)s %(chapter)s... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - 选择一个备份目录 + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 - 升级圣经: %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. - 没有任何圣经版本需要升级。 - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. @@ -1608,8 +1518,8 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... + + Importing {book} {chapter}... @@ -1725,7 +1635,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 同时编辑所有幻灯片 - + Split a slide into two by inserting a slide splitter. 插入一个幻灯片分隔符来将一张幻灯片拆分为两张 @@ -1740,7 +1650,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 制作名单(C): - + You need to type in a title. 您需要输入一个标题 @@ -1750,12 +1660,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 编辑所有(I) - + Insert Slide 插入幻灯片 - + You need to add at least one slide. @@ -1763,7 +1673,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide 编辑幻灯片 @@ -1771,8 +1681,8 @@ 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 "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1801,11 +1711,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title 图片 - - - Load a new image. - 载入一张新图片 - Add a new image. @@ -1836,6 +1741,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. 将选中的图片添加到敬拜仪式里。 + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1860,12 +1775,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. @@ -1901,7 +1816,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment 选择附件 @@ -1909,39 +1824,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. 没有显示项目可以修改 @@ -1951,25 +1849,41 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. 长宽比例与屏幕不同的图片的可见背景 @@ -1977,27 +1891,27 @@ Do you want to add the other images anyway? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. @@ -2005,60 +1919,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. 将选中的媒体添加到敬拜仪式 @@ -2174,47 +2088,47 @@ Do you want to add the other images anyway? - + 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 ":" @@ -2222,90 +2136,100 @@ Do you want to add the other images anyway? 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 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2316,41 +2240,19 @@ Do you want to add the other images anyway? - Start Live items automatically - - - - - OPenLP.MainWindow - - - &Projector Manager + Start new Live media automatically OpenLP - + Image Files 图片文件 - - Information - 信息 - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - 圣经格式已改变, -您必须升级您现有的圣经。 -希望OpenLP现在就升级它们吗? - - - + Backup @@ -2365,13 +2267,18 @@ Should OpenLP upgrade now? - - A backup of the data folder has been created at %s + + Open - - Open + + A backup of the data folder has been createdat {text} + + + + + Video Files @@ -2383,15 +2290,10 @@ Should OpenLP upgrade now? 参与人名单 - + 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. @@ -2420,7 +2322,7 @@ OpenLP是一个免费的教会演示软件,或歌词演示软件,被用在 OpenLP是由志愿者编写和维护的。如果您想看到更多基督教的软件被编写出来,请考虑点击下面的按钮来志愿加入。 - + Volunteer 志愿者 @@ -2596,327 +2498,237 @@ OpenLP是由志愿者编写和维护的。如果您想看到更多基督教的 - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} 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窗口管理器 - + 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 - - 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. - + 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. @@ -2924,11 +2736,155 @@ This location will be used after OpenLP is closed. 该位置将会在OpenLP关闭时被使用。 + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + 自动 + + + + Revert to the default service name "{name}". + + + + + OpenLP data directory was not found + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. 点击以选取一种颜色。 @@ -2936,252 +2892,252 @@ This location will be used after OpenLP is closed. 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 @@ -3189,60 +3145,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred 发生错误 - + Send E-Mail 发送邮件 - + Save to File 保存到文件 - + Attach File 附加文件 - - Description characters to enter : %s - 输入描述文字: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) + + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. - - 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. Also attach any files that triggered the problem. + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation OpenLP.ExceptionForm - - Platform: %s - - 平台:%s - - - + Save Crash Report 保存崩溃报告 - + Text files (*.txt *.log *.text) 文本文件(*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3283,264 +3253,257 @@ This location will be used after OpenLP is closed. 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. - 没有发现Internet网络连接。首次运行向导需要一个网络连接才可以下载歌曲,圣经和主题样本。现在点击结束按钮来以初始设定和无样本数据的状态下启动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 + - - Unable to download some files + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. @@ -3585,43 +3548,48 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error 校验错误 - + Description is missing - + Tag is missing - Tag %s already defined. - 标签 %s 已被定义。 + Tag {tag} already defined. + - Description %s already defined. + Description {tag} already defined. - - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML - - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} @@ -3711,170 +3679,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 停留在当前幻灯片(R) - + &Wrap around 绕回开头(W) - + &Move to next/previous service item 移至下一个/上一个敬拜仪式项目(M) + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + 浏览一个图片文件来显示 + + + + Revert to the default OpenLP logo. + 恢复为默认的OpenLP标志 + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language 语言 - + Please restart OpenLP to use your new language setting. 请重新启动OpenLP来使用您新的语言设置。 @@ -3882,7 +3880,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP 显示 @@ -3909,11 +3907,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View 显示(V) - - - M&ode - 模式(O) - &Tools @@ -3934,16 +3927,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help 帮助(H) - - - Service Manager - 敬拜仪式管理器 - - - - Theme Manager - 主题管理器 - Open an existing service. @@ -3969,11 +3952,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit 退出(X) - - - Quit OpenLP - 退出OpenLP - &Theme @@ -3985,191 +3963,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 配置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 - 现场面板(L) - - - - Toggle Live Panel - 切换现场面板 - - - - Toggle the visibility of the live panel. - 切换现场面板可见度。 - - - - 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 现场(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/. - 版本为 %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 中文 @@ -4180,27 +4034,27 @@ You can download the latest version from http://openlp.org/. 配置快捷键(S) - + 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. 为所有主题更新预览图片。 @@ -4210,32 +4064,22 @@ You can download the latest version from http://openlp.org/. 打印当前敬拜仪式 - - L&ock Panels - 锁定面板(O) - - - - 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. @@ -4244,13 +4088,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. 清空最近使用的文件列表 @@ -4259,75 +4103,36 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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 @@ -4339,12 +4144,12 @@ Re-running this wizard may make changes to your current OpenLP configuration and - + 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. @@ -4353,42 +4158,17 @@ Re-running this wizard may make changes to your current OpenLP configuration and - + 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 - - &Recent Services @@ -4420,129 +4200,340 @@ Processing has terminated and no changes have been made. - + Exit OpenLP - + Are you sure you want to exit OpenLP? - + &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + 敬拜仪式 + + + + Themes + 主题 + + + + Projectors + + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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. + + OpenLP cannot load your database. -Database: %s +Database: {db} - - OpenLP cannot load your database. + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Database: %s - OpenLP无法加载您的数据库。 - -数据库: %s +Database: {db_name} + 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. 您必须选择一个或多个项目来发送到现场 - + 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. 在导入时发现并忽略了重复的文件 + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> 标签丢失。 - + <verse> tag is missing. <verse> 标签丢失。 @@ -4550,22 +4541,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status - + No message - + Error while sending data to projector - + Undefined command: @@ -4573,32 +4564,32 @@ Suffix not supported OpenLP.PlayerTab - + Players - + Available Media Players 可用媒体播放器 - + Player Search Order - + Visible background for videos with aspect ratio different to screen. - + %s (unavailable) %s (不可用) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" @@ -4607,55 +4598,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details 插件详情 - + Status: 状态: - + Active 已启用 - - Inactive - 未启用 - - - - %s (Inactive) - %s (未启用) - - - - %s (Active) - %s (已启用) + + Manage Plugins + - %s (Disabled) - %s (禁用) + {name} (Disabled) + - - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page 适合页面 - + Fit Width 适合宽度 @@ -4663,77 +4649,77 @@ Suffix not supported 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: 自定义页脚文本: @@ -4741,257 +4727,257 @@ Suffix not supported 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 @@ -4999,17 +4985,17 @@ Suffix not supported OpenLP.ProjectorEdit - + Name Not Set - + You must enter a name for this entry.<br />Please enter a new name for this entry. - + Duplicate Name @@ -5017,52 +5003,52 @@ Suffix not supported 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 @@ -5070,305 +5056,360 @@ Suffix not supported 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 - - Delete projector (%s) %s? + + Are you sure you want to delete this projector? - - Are you sure you want to delete this projector? + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + + + + + No Authentication Error OpenLP.ProjectorPJLink - + Fan - + Lamp - + Temperature - + Cover - + Filter - + Other 其它 @@ -5414,17 +5455,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address - + Invalid IP Address - + Invalid Port Number @@ -5437,26 +5478,26 @@ Suffix not supported 屏幕 - + primary 主要 OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>开始</strong>:%s - - - - <strong>Length</strong>: %s - <strong>长度</strong>:%s - - [slide %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} @@ -5521,52 +5562,52 @@ Suffix not supported 从敬拜仪式中删除选中的项目 - + &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 由于缺少或未启用显示该项目的插件,你的项目无法显示。 @@ -5591,7 +5632,7 @@ Suffix not supported 收起所有敬拜仪式项目。 - + Open File 打开文件 @@ -5621,22 +5662,22 @@ Suffix not supported 将选中的项目发送至现场 - + &Start Time 开始时间(S) - + Show &Preview 显示预览(P) - + Modified Service 已修改的敬拜仪式 - + The current service has been modified. Would you like to save this service? 当前敬拜仪式已被修改。您想保存这个敬拜仪式吗? @@ -5656,27 +5697,27 @@ Suffix not supported 播放时间: - + Untitled Service 未命名敬拜仪式 - + File could not be opened because it is corrupt. 文件已损坏,无法打开。 - + Empty File 空文件 - + This service file does not contain any data. 这个敬拜仪式文件不包含任何数据。 - + Corrupt File 损坏的文件 @@ -5696,142 +5737,142 @@ Suffix not supported 选择该敬拜仪式的主题。 - + 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: {name} + +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. + + An error occurred while writing the service file: {error} @@ -5864,15 +5905,10 @@ These files will be removed if you continue to save. 快捷方式 - + Duplicate Shortcut 重复的快捷键 - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - 快捷键 "%s" 已被指派给另一个动作,请使用一个不同的快捷键。 - Alternate @@ -5918,219 +5954,234 @@ These files will be removed if you continue to save. Configure Shortcuts 配置快捷键 + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + 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 音轨 + + + Loop playing media. + + + + + Video timer. + + 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? @@ -6138,17 +6189,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions 拼写建议 - + Formatting Tags 格式标签 - + Language: 语言: @@ -6227,7 +6278,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (大约每张幻灯片%d行) @@ -6235,521 +6286,531 @@ These files will be removed if you continue to save. 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. 您不能删除默认主题 - + 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 - - - - + OpenLP Themes (*.otz) - - %s time(s) by %s - - - - + Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s +{text} 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 像素 - + 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. 您尚未选择一张背景图片。请在继续前选择一张。 + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6832,73 +6893,73 @@ These files will be removed if you continue to save. 垂直对齐(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 欢迎来到歌曲导入向导 @@ -6948,39 +7009,34 @@ These files will be removed if you continue to save. 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 @@ -6990,501 +7046,490 @@ These files will be removed if you continue to save. - + 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. - - - - + 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 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 可选分隔(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: - + Preview Toolbar - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. @@ -7500,29 +7545,100 @@ Please try selecting it individually. Plural + + + Background color: + 背景颜色: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + 无任何圣经可用 + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + 主歌 + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + 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 @@ -7605,46 +7721,46 @@ Please try selecting it individually. 演示使用: - + 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不完整,请重新载入。 + + Presentations ({text}) + - - The presentation %s no longer exists. - 演示文件%s已不存在。 + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. @@ -7655,11 +7771,6 @@ Please try selecting it individually. Available Controllers 可用控制器 - - - %s (unavailable) - %s (不可用) - Allow presentation application to be overridden @@ -7676,12 +7787,12 @@ Please try selecting it individually. - + Select mudraw or ghostscript binary. - + The program is not ghostscript or mudraw which is required. @@ -7692,12 +7803,18 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) @@ -7740,127 +7857,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 设定 - + Remote 遥控 - + Stage View - + Live View @@ -7868,78 +7985,88 @@ Please try selecting it individually. 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应用 - + 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. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. @@ -7981,50 +8108,50 @@ Please try selecting it individually. 切换歌曲使用跟踪。 - + <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 已打印 @@ -8091,25 +8218,10 @@ All data recorded before this date will be permanently deleted. 输出文件位置 - - usage_detail_%s_%s.txt - 使用细节_%s_%s.txt - - - + Report Creation 创建报告 - - - Report -%s -has been successfully created. - 报告 - -%s -已成功创建。 - Output Path Not Selected @@ -8122,45 +8234,57 @@ Please select an existing path on your computer. - + Report Creation Failed - - An error occurred while creating the report: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} 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... 正在重新索引歌曲... @@ -8255,80 +8379,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. @@ -8417,61 +8541,66 @@ The encoding is responsible for the correct character representation. 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta数据 - + Custom Book Names 自定义书卷名 @@ -8554,57 +8683,57 @@ The encoding is responsible for the correct character representation. 主题,版权信息 评论 - + 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. 您需要输入至少一段歌词。 - + You need to have an author for this song. 您需要给这首歌曲一个作者。 @@ -8629,7 +8758,7 @@ The encoding is responsible for the correct character representation. 移除所有(A) - + Open File(s) 打开文件 @@ -8644,13 +8773,7 @@ The encoding is responsible for the correct character representation. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - - - + Invalid Verse Order @@ -8660,21 +8783,15 @@ Please enter the verses separated by spaces. - + Edit Author Type - + Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks @@ -8696,45 +8813,71 @@ Please enter the verses separated by spaces. - + Add Songbook - + This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse 编辑段落 - + &Verse type: 段落类型(V): - + &Insert 插入(I) - + Split a slide into two by inserting a verse splitter. 添加一个歌词分隔符来拆分一张幻灯片。 @@ -8747,77 +8890,77 @@ Please enter the verses separated by spaces. 歌曲导出向导 - + 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. @@ -8825,7 +8968,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. @@ -8833,7 +8976,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type 启用即敲即搜 @@ -8841,7 +8984,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files 选择文档/演示文件 @@ -8851,228 +8994,238 @@ Please enter the verses separated by spaces. 歌曲导入向导 - + 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. 请等待,您的歌曲正在被导入。 - + Words Of Worship Song Files Word 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. 由于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 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">用户指南</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。由于缺少Python模块它已被禁用。如果您想使用这个导入器,您需要安装"pyodbc"模块。 - + SongPro Text Files SongPro 文本文件 - + SongPro (Export File) SongPro (导出文件) - + In SongPro, export your songs using the File -> Export menu 在SongPro里, 使用 文件->导出 菜单来导出您的歌曲 - + 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. - + OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases - + LyriX Files - + LyriX (Exported TXT-files) - + VideoPsalm Files - + VideoPsalm - - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} @@ -9080,7 +9233,12 @@ Please enter the verses separated by spaces. SongsPlugin.LyrixImport - Error: %s + File {name} + + + + + Error: {error} @@ -9100,79 +9258,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles 标题 - + Lyrics 歌词 - + CCLI License: CCLI许可: - + Entire Song 整首歌曲 - + Maintain the lists of authors, topics and books. 维护作者,题目和曲集列表 - + copy For song cloning 建立歌曲副本 - + Search Titles... 搜索标题... - + Search Entire Song... 搜索整首歌曲... - + Search Lyrics... 搜索歌词... - + Search Authors... 搜索作者 - - Are you sure you want to delete the "%d" selected song(s)? + + Search Songbooks... - - Search Songbooks... + + Search Topics... + + + + + Copyright + 版权 + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. 无法打开MediaShout数据库。 + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. @@ -9180,9 +9376,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - 正在导出"%s"... + + Exporting "{title}"... + @@ -9201,29 +9397,37 @@ Please enter the verses separated by spaces. 没有歌曲可以导入。 - + Verses not found. Missing "PART" header. 未找到歌词。缺少 "PART" 标头。 - No %s files found. - 未找到%s文件 + No {text} files found. + - Invalid %s file. Unexpected byte value. - 无效的%s文件。非预期的编码值。 + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - 无效的%s文件。缺少 "TITLE" 标头。 + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - 无效的%s文件。缺少 "COPYRIGHTLINE" 标头。 + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9252,18 +9456,18 @@ 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 + + Your song export failed because this error occurred: {error} @@ -9280,17 +9484,17 @@ Please enter the verses separated by spaces. 无法导入以下歌曲: - + Cannot access OpenOffice or LibreOffice 无法访问OpenOffice或LibreOffice - + Unable to open file 无法打开文件 - + File not found 找不到文件 @@ -9298,109 +9502,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - 题目%s已存在。您想取消创建题目%s,并用已存在的题目%s制作歌曲吗? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - 曲集%s已存在。您想取消创建曲集%s,并用已存在的曲集%s制作歌曲吗? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9446,52 +9650,47 @@ Please enter the verses separated by spaces. 搜索 - - Found %s song(s) - - - - + Logout - + View 查看 - + Title: 标题: - + Author(s): - + Copyright: 版权: - + CCLI Number: - + Lyrics: - + Back - + Import 导入 @@ -9531,7 +9730,7 @@ Please enter the verses separated by spaces. - + Song Imported @@ -9546,7 +9745,7 @@ Please enter the verses separated by spaces. - + Your song has been imported, would you like to import more songs? @@ -9555,6 +9754,11 @@ Please enter the verses separated by spaces. Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9563,29 +9767,29 @@ Please enter the verses separated by spaces. Songs Mode 歌曲模式 - - - Display verses on live tool bar - 在现场工具栏中显示歌词 - Update service from song edit 从音乐编辑中更新敬拜仪式 - - - Import missing songs from service files - 从敬拜仪式文件中导入丢失的歌曲 - Display songbook in footer + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info @@ -9610,37 +9814,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse 主歌 - + Chorus 副歌 - + Bridge 桥段 - + Pre-Chorus 导歌 - + Intro 前奏 - + Ending 结束 - + Other 其它 @@ -9648,8 +9852,8 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s + + Error: {error} @@ -9657,12 +9861,12 @@ Please enter the verses separated by spaces. SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. @@ -9674,30 +9878,30 @@ Please enter the verses separated by spaces. 读取CSV文件发生错误。 - - Line %d: %s - 行 %d: %s - - - - Decoding error: %s - 解码错误: %s - - - + File not valid WorshipAssistant CSV format. - - Record %d - 录制 %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. @@ -9710,25 +9914,30 @@ Please enter the verses separated by spaces. 读取CSV文件发生错误。 - + File not valid ZionWorx CSV format. 文件不为有效的ZionWorx CSV格式。 - - Line %d: %s - 行 %d: %s - - - - Decoding error: %s - 解码错误: %s - - - + Record %d 录制 %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9738,39 +9947,960 @@ 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. - + 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. + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + 中文 + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file diff --git a/resources/i18n/zh_TW.ts b/resources/i18n/zh_TW.ts index a65e763f5..f5cd35c59 100644 --- a/resources/i18n/zh_TW.ts +++ b/resources/i18n/zh_TW.ts @@ -119,32 +119,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font 字型 - + Font name: 字型名稱: - + Font color: 字型顏色: - - Background color: - 背景顏色: - - - + Font size: 字體大小: - + Alert timeout: 警報中止: @@ -152,88 +147,78 @@ 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. 傳送所選擇的聖經到現場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 @@ -738,164 +723,107 @@ Please type in some text before clicking New. 此聖經譯本已存在。請匯入一個不同的聖經譯本,或先刪除已存在的譯本。 - - 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" 已輸入不只一次。 + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + BiblesPlugin.BibleManager - + Scripture Reference Error 經節參照錯誤 - - Web Bible cannot be used - 無法使用網路聖經 + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Book:書卷名 -Chapter: 章 -Verse:節 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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. @@ -903,36 +831,82 @@ 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 顯示經節數字 + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +962,76 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - 匯入書卷... %s - - - + Importing verses... done. 匯入經文... 已完成。 + + + Importing books... {book} + + + + + Importing verses from {book}... + Importing verses from <book name>... + + 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 繁體中文 @@ -1070,224 +1050,259 @@ 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. 解碼選擇的經節時發生錯誤。若狀況持續發生,請回報此錯誤。 + + + Importing {book}... + Importing <book name>... + + 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 下載聖經清單時發生錯誤。 + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1318,114 +1333,130 @@ It is not possible to customize the Book Names. 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”聖經? - -您要再次使用它將需要重新導入這個聖經。 + + Search + 搜尋 - - Advanced - 進階 + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? + +You will need to re-import this Bible to use it again. + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + 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 選項匯入。 @@ -1433,177 +1464,51 @@ You will need to re-import this Bible to use it again. BiblesPlugin.Opensong - - Importing %(bookname)s %(chapter)s... - 匯入%(bookname)s %(chapter)s中... + + Importing {name} {chapter}... + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... 刪除未使用的標籤(這可能需要幾分鐘)... - + Importing %(bookname)s %(chapter)s... 匯入%(bookname)s %(chapter)s中... + + + The file is not a valid OSIS-XML file: +{text} + + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - 選擇備份目錄 + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 - 正在升級聖經: %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. - 沒有聖經需要升級。 - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. 提供了不正確的聖經文件類型, OpenSong 聖經或許被壓縮過. 您必須在導入前解壓縮它們。 @@ -1611,9 +1516,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - 匯入%(bookname)s %(chapter)s中... + + Importing {book} {chapter}... + @@ -1728,7 +1633,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 同時編輯全部的幻燈片。 - + Split a slide into two by inserting a slide splitter. 插入一個幻燈片分格符號來將一張幻燈片分為兩張。 @@ -1743,7 +1648,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 參與名單(&C): - + You need to type in a title. 你需要輸入標題。 @@ -1753,12 +1658,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 編輯全部(&I) - + Insert Slide 插入幻燈片 - + You need to add at least one slide. 你需要新增至少一頁幻燈片。 @@ -1766,7 +1671,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide 編輯幻燈片 @@ -1774,8 +1679,8 @@ 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 "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1805,11 +1710,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title 圖片 - - - Load a new image. - 載入新圖片。 - Add a new image. @@ -1840,6 +1740,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. 加入選擇的圖片到聚會。 + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1864,12 +1774,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. 此群組已存在。 @@ -1905,7 +1815,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment 選擇附件 @@ -1913,39 +1823,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. 沒有顯示的項目可以修改。 @@ -1955,25 +1848,41 @@ 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 及所有內部所有東西? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. 可見的背景圖片與螢幕長寬比例不同。 @@ -1981,27 +1890,27 @@ Do you want to add the other images anyway? Media.player - + 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 是一款在網頁瀏覽器內執行的媒體播放器。這款播放器可以讓文字通過影像來呈現。 - + This media player uses your operating system to provide media capabilities. @@ -2009,60 +1918,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. 傳送媒體至現場Live。 - + Add the selected media to the service. 加入到聚會。 @@ -2178,47 +2087,47 @@ Do you want to add the other images anyway? 此媒體 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 ":" 片段的名稱不得包含 ":" 字元 @@ -2226,90 +2135,100 @@ Do you want to add the other images anyway? 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 該媒體片段已儲存 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2320,42 +2239,19 @@ Do you want to add the other images anyway? - Start Live items automatically - 自動啟動Live項目 - - - - OPenLP.MainWindow - - - &Projector Manager - 投影機管理(&P) - + Start new Live media automatically + OpenLP - + Image Files 圖像檔 - - Information - 資訊 - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - 聖經格式已變更。 -您必須升級現有的聖經。 -現在讓OpenLP升級它們? - - - + Backup 備份 @@ -2370,15 +2266,20 @@ Should OpenLP upgrade now? 資料夾備份失敗! - - A backup of the data folder has been created at %s - 已建立資料文件夾的備份在 %s - - - + Open 開啟 + + + A backup of the data folder has been createdat {text} + + + + + Video Files + + OpenLP.AboutForm @@ -2388,15 +2289,10 @@ Should OpenLP upgrade now? 參與者 - + 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. @@ -2425,7 +2321,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. - + Volunteer 志願者 @@ -2601,340 +2497,391 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + Copyright (C) 2004-2016 {cr} + +Portions copyright (C) 2004-2016 {others} + + + + + build {version} 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 複寫已存在的資料 - + + Thursday + 星期四 + + + + Display Workarounds + 顯示異常解決方法 + + + + Use alternating row colours in lists + 在列表使用交替式色彩 + + + + Restart Required + 需要重新啟動 + + + + This change will only take effect once OpenLP has been restarted. + 此變更只會在 OpenLP 重新啟動後生效。 + + + + 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. + + + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + 自動 + + + + Revert to the default service name "{name}". + + + + OpenLP data directory was not found -%s +{path} 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 +{path} The data directory will be changed when OpenLP is closed. - 您確定要變更 OpenLP 資料目錄的位置到%s ? - -此資料目錄將在 OpenLP 關閉後變更。 + - - Thursday - 星期四 - - - - Display Workarounds - 顯示異常解決方法 - - - - Use alternating row colours in lists - 在列表使用交替式色彩 - - - + WARNING: The location you have selected -%s +{path} 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 重新啟動後生效。 - - - - 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.ColorButton - + Click to select a color. 點擊以選擇顏色。 @@ -2942,252 +2889,252 @@ This location will be used after OpenLP is closed. 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 @@ -3195,61 +3142,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred 發生錯誤 - + Send E-Mail 寄送E-Mail - + Save to File 儲存為檔案 - + Attach File 附加檔案 - - Description characters to enter : %s - 輸入描述文字: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) + + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. - - 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. Also attach any files that triggered the problem. + + <strong>Oops, OpenLP hit a problem and couldn't recover!</strong> <br><br><strong>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report</strong> to {email}{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you<strong> for being part of making OpenLP better!<br> + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Please enter a more detailed description of the situation OpenLP.ExceptionForm - - Platform: %s - - 平台: %s - - - - + Save Crash Report 儲存崩潰報告 - + Text files (*.txt *.log *.text) 文字檔 (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3290,266 +3250,259 @@ This location will be used after OpenLP is closed. 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 無法下載一些檔案 + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3592,43 +3545,48 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error 驗證錯誤 - + Description is missing 描述遺失 - + Tag is missing 標籤遺失 - Tag %s already defined. - 標籤 %s 已定義。 + Tag {tag} already defined. + - Description %s already defined. - 描述 %s 已定義。 + Description {tag} already defined. + - - Start tag %s is not valid HTML - 起始標籤 %s 不是有效的HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} @@ -3718,170 +3676,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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) + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + 瀏覽圖片檔顯示。 + + + + Revert to the default OpenLP logo. + 還原為預設的OpenLP標誌 + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language 語言 - + Please restart OpenLP to use your new language setting. 使用新語言設定請重新啟動OpenLP。 @@ -3889,7 +3877,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP 顯示 @@ -3916,11 +3904,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &View 檢視(&V) - - - M&ode - 模式(&O) - &Tools @@ -3941,16 +3924,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s &Help 幫助(&H) - - - Service Manager - 聚會管理 - - - - Theme Manager - 佈景主題管理 - Open an existing service. @@ -3976,11 +3949,6 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s E&xit 離開(&E) - - - Quit OpenLP - 離開OpenLP - &Theme @@ -3992,191 +3960,67 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 設置 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面板的可見性。 - - - - 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 繁體中文 @@ -4187,27 +4031,27 @@ You can download the latest version from http://openlp.org/. 設置快捷鍵(&S)... - + 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. 為所有佈景主題更新預覽圖片。 @@ -4217,32 +4061,22 @@ You can download the latest version from http://openlp.org/. 列印目前聚會。 - - 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. @@ -4251,13 +4085,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. 清空最近使用的文件列表。 @@ -4266,75 +4100,36 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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 @@ -4346,12 +4141,12 @@ Re-running this wizard may make changes to your current OpenLP configuration and 工具庫 - + 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. @@ -4364,7 +4159,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and 匯入不正確的設定可能導致飛預期的行為或 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. @@ -4373,35 +4168,10 @@ 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 - &Recent Services @@ -4433,131 +4203,340 @@ Processing has terminated and no changes have been made. - + Exit OpenLP - + Are you sure you want to exit OpenLP? - + &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + 聚會 + + + + Themes + 佈景主題 + + + + Projectors + 投影機 + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + 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無法載入您的資料庫。 +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -資料庫: %s +Database: {db_name} + 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. 匯入時發現重複檔案並忽略。 + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + + + + Search is too short to be used in: "Search while typing" + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> 標籤遺失。 - + <verse> tag is missing. <verse> 標籤遺失。 @@ -4565,22 +4544,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status 未知狀態 - + No message 沒有訊息 - + Error while sending data to projector 傳送資料到投影機時發生錯誤 - + Undefined command: 未定義指令: @@ -4588,32 +4567,32 @@ Suffix not supported OpenLP.PlayerTab - + Players 播放器 - + Available Media Players 可用媒體播放器 - + Player Search Order 播放器搜尋順序 - + Visible background for videos with aspect ratio different to screen. 影片可見的背景與螢幕的長寬比不同。 - + %s (unavailable) %s (不可用) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" @@ -4622,55 +4601,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details 插件詳細資訊 - + Status: 狀態: - + Active 已啟用 - - Inactive - 未啟用 - - - - %s (Inactive) - %s (未啟用) - - - - %s (Active) - %s (已啟用) + + Manage Plugins + - %s (Disabled) - %s (禁用) + {name} (Disabled) + - - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page 適合頁面 - + Fit Width 適合寬度 @@ -4678,77 +4652,77 @@ Suffix not supported 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: 自訂頁腳文字: @@ -4756,257 +4730,257 @@ Suffix not supported 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 與代理伺服器的連接協商失敗,因為從代理伺服器的回應無法了解 @@ -5014,17 +4988,17 @@ Suffix not supported 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 重複的名稱 @@ -5032,52 +5006,52 @@ Suffix not supported 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 儲存投影機資訊發生錯誤。請查看錯誤記錄 @@ -5085,305 +5059,360 @@ Suffix not supported 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 尚未實行 - - Delete projector (%s) %s? + + Are you sure you want to delete this projector? - - Are you sure you want to delete this projector? + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + 驗證錯誤 + + + + No Authentication Error OpenLP.ProjectorPJLink - + Fan 風扇 - + Lamp 燈泡 - + Temperature 溫度 - + Cover 蓋子 - + Filter 濾波器 - + Other O其他 @@ -5429,17 +5458,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address 重複的IP位址 - + Invalid IP Address 無效的IP位址 - + Invalid Port Number 無效的連接埠 @@ -5452,27 +5481,27 @@ Suffix not supported 螢幕 - + primary 主要的 OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>開始</strong>: %s - - - - <strong>Length</strong>: %s - <strong>長度</strong>: %s - - [slide %d] - [幻燈片 %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5536,52 +5565,52 @@ Suffix not supported 從聚會刪除所選擇的項目。 - + &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 您的項目無法顯示,所需的插件遺失或無效 @@ -5606,7 +5635,7 @@ Suffix not supported 收合所有聚會項目。 - + Open File 開啟檔案 @@ -5636,22 +5665,22 @@ Suffix not supported 傳送選擇的項目至現場Live。 - + &Start Time 開始時間(&S) - + Show &Preview 預覽(&P) - + Modified Service 聚會已修改 - + The current service has been modified. Would you like to save this service? 目前的聚會已修改。您想要儲存此聚會嗎? @@ -5671,27 +5700,27 @@ Suffix not supported 播放時間: - + Untitled Service 無標題聚會 - + File could not be opened because it is corrupt. 檔案已損壞無法開啟。 - + Empty File 空的檔案 - + This service file does not contain any data. 此聚會檔案未包含任何資料。 - + Corrupt File 壞的檔案 @@ -5711,147 +5740,144 @@ Suffix not supported 選擇佈景主題。 - + 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - 以下聚會中的文件已遺失: -%s - -如果您想繼續儲存則這些文件將被移除。 + + + + + An error occurred while writing the service file: {error} + @@ -5883,15 +5909,10 @@ These files will be removed if you continue to save. 快捷建 - + Duplicate Shortcut 複製捷徑 - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - 快捷鍵 "%s" 已分配給其他動作,請使用其他的快捷鍵。 - Alternate @@ -5937,219 +5958,234 @@ These files will be removed if you continue to save. Configure Shortcuts 設定快捷鍵 + + + The shortcut "{key}" is already assigned to another action, please use a different shortcut. + + 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 音軌 + + + Loop playing media. + + + + + Video timer. + + 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? 您確定要刪除這個投影機所有使用者自定義的輸入來源文字? @@ -6157,17 +6193,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions 拼寫建議 - + Formatting Tags 格式標籤 - + Language: 語言: @@ -6246,7 +6282,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (每張幻燈片大約 %d 行) @@ -6254,521 +6290,531 @@ These files will be removed if you continue to save. 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. 您無法刪除預設的佈景主題。 - + 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) - - %s time(s) by %s - - - - + Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s +{text} 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. 您尚未選擇背景圖片。請繼續前先選擇一個圖片。 + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6851,73 +6897,73 @@ These files will be removed if you continue to save. 垂直對齊(&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 歡迎使用歌曲匯入精靈 @@ -6967,39 +7013,34 @@ These files will be removed if you continue to save. 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 撰寫 @@ -7009,502 +7050,490 @@ These files will be removed if you continue to save. 未知作者 - + 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 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歌曲編號: - + Preview Toolbar 預覽工具列 - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. @@ -7520,29 +7549,100 @@ Please try selecting it individually. Plural + + + Background color: + 背景顏色: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + 影像 + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + 沒有可用的聖經 + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + V主歌 + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + 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 @@ -7625,47 +7725,47 @@ Please try selecting it individually. 目前使用: - + 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 不完全,請重新載入。 + + Presentations ({text}) + - - The presentation %s no longer exists. - 簡報 %s 已不存在。 + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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時發生了錯誤,簡報即將結束。若您希望顯示,請重新啟動簡報。 + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7675,11 +7775,6 @@ Please try selecting it individually. Available Controllers 可用控制器 - - - %s (unavailable) - %s (不可用) - Allow presentation application to be overridden @@ -7696,12 +7791,12 @@ Please try selecting it individually. 指定完整的mudraw或Ghostscript二進制文件路徑: - + Select mudraw or ghostscript binary. 選擇mudraw或ghostscript的二進制文件。 - + The program is not ghostscript or mudraw which is required. 此程式不是Ghostscript或mudraw 所必需的。 @@ -7712,13 +7807,19 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. - 點選在滑桿控制器選定的幻燈片前進到下一個效果。 + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - 讓 PowerPoint 控制大小和顯示視窗的位置 (解決方法適用於Windows8的縮放問題)。 + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7760,127 +7861,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 現場Live - + Add to Service 新增至聚會 - + Add &amp; Go to Service 新增 &amp; 到聚會 - + No Results 沒有結果 - + Options 選項 - + Service 聚會 - + Slides 幻燈片 - + Settings 設定 - + Remote 遠端 - + Stage View 舞台查看 - + Live View Live 顯示 @@ -7888,79 +7989,89 @@ Please try selecting it individually. 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 - + 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. 在遠端及舞台監看顯示縮圖。 - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - 掃描 QR Code 或 點擊 <a href="%s"> 下載 </a> 從 Google Play 安裝 Android App. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + @@ -8001,50 +8112,50 @@ Please try selecting it individually. 切換追蹤歌曲使用記錄。 - + <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 列印 @@ -8111,24 +8222,10 @@ All data recorded before this date will be permanently deleted. 輸出檔案位置 - - usage_detail_%s_%s.txt - Usage_Detail_%s_%s.txt - - - + Report Creation 建立報告 - - - Report -%s -has been successfully created. - 報告 -%s -已成功建立。 - Output Path Not Selected @@ -8141,45 +8238,57 @@ Please select an existing path on your computer. 您尚未設定使用報告有效的輸出路徑。請在您的電腦上選擇一個存在的路徑。 - + Report Creation Failed 報告建立錯誤 - - An error occurred while creating the report: %s - 建立報告時出現一個錯誤:%s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + 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... 重建歌曲索引中... @@ -8274,80 +8383,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. 傳送選擇的歌曲至現場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. 在歌曲資料庫中尋找並刪除重複的歌曲。 @@ -8436,62 +8545,67 @@ The encoding is responsible for the correct character representation. 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. 無法獲得編碼。 + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data 後設資料(Meta Data) - + Custom Book Names 自訂書卷名稱 @@ -8574,57 +8688,57 @@ The encoding is responsible for the correct character representation. 佈景主題、版權資訊 && 評論 - + 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. 您需要輸入至少一段歌詞。 - + You need to have an author for this song. 您需要給這首歌一位作者。 @@ -8649,7 +8763,7 @@ The encoding is responsible for the correct character representation. 移除全部(&A) - + Open File(s) 開啟檔案 @@ -8664,13 +8778,7 @@ The encoding is responsible for the correct character representation. <strong>警告:</strong> 您還沒有輸入歌詞段落順序。 - - 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 無效的段落順序 @@ -8680,21 +8788,15 @@ Please enter the verses separated by spaces. 編輯作者類型(&E) - + Edit Author Type 編輯作者類型 - + Choose type for this author 為作者選擇一個類型 - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks @@ -8716,45 +8818,71 @@ Please enter the verses separated by spaces. - + Add Songbook - + This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse 編輯段落 - + &Verse type: 段落類型(&V): - + &Insert 插入(&I) - + Split a slide into two by inserting a verse splitter. 加入一個分頁符號將幻燈片分為兩頁。 @@ -8767,77 +8895,77 @@ Please enter the verses separated by spaces. 歌曲匯出精靈 - + 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> 敬拜歌曲格式。 @@ -8845,7 +8973,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. 無效的Foilpresenter 歌曲檔。找不到段落。 @@ -8853,7 +8981,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type 啟用即時搜尋 @@ -8861,7 +8989,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files 選擇 文件/簡報 檔 @@ -8871,228 +8999,238 @@ Please enter the verses separated by spaces. 歌曲匯入精靈 - + 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. 請稍等,您的歌曲正在匯入。 - + 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 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檔。 - + OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases - + LyriX Files - + LyriX (Exported TXT-files) - + VideoPsalm Files - + VideoPsalm - - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} @@ -9100,7 +9238,12 @@ Please enter the verses separated by spaces. SongsPlugin.LyrixImport - Error: %s + File {name} + + + + + Error: {error} @@ -9120,79 +9263,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles 標題 - + Lyrics 歌詞 - + CCLI License: CCLI授權: - + Entire Song 整首歌曲 - + Maintain the lists of authors, topics and books. 作者、主題及歌本列表維護。 - + copy For song cloning 複製 - + Search Titles... 搜尋標題... - + Search Entire Song... 搜尋整首歌曲... - + Search Lyrics... 搜尋歌詞... - + Search Authors... 搜尋作者... - - Are you sure you want to delete the "%d" selected song(s)? + + Search Songbooks... - - Search Songbooks... + + Search Topics... + + + + + Copyright + 版權 + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. 無法開啟 MediaShout 資料庫。 + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. @@ -9200,9 +9381,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - 正在匯出 "%s"... + + Exporting "{title}"... + @@ -9221,29 +9402,37 @@ Please enter the verses separated by spaces. 沒有歌曲匯入。 - + Verses not found. Missing "PART" header. 找不到詩歌。遺失 "PART" 標頭。 - No %s files found. - 找不到 %s 檔案。 + No {text} files found. + - Invalid %s file. Unexpected byte value. - 無效的 %s 檔。未預期的編碼。 + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - 無效的 %s 檔。遺失 "TITLE" 檔頭。 + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - 無效的 %s 檔。遺失 "COPYRIGHTLINE" 檔頭。 + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9272,19 +9461,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>匯入器匯入這些檔案。 - - Your song export failed because this error occurred: %s - 您的歌曲匯出失敗因為發生錯誤 :%s + + Your song export failed because this error occurred: {error} + @@ -9300,17 +9489,17 @@ Please enter the verses separated by spaces. 無法匯入以下歌曲: - + Cannot access OpenOffice or LibreOffice 無法存取 OpenOffice 或 LibreOffice - + Unable to open file 無法開啟文件 - + File not found 找不到檔案 @@ -9318,109 +9507,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - 主題 %s 已存在。您想使歌曲主題 %s 使用現有的主題 %s 嗎? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - 歌本 %s 已存在。您想使歌曲歌本 %s 使用現有的歌本 %s 嗎? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9466,52 +9655,47 @@ Please enter the verses separated by spaces. 搜尋 - - Found %s song(s) - 找到 %s 首歌曲 - - - + Logout 登出 - + View 檢視 - + Title: 標題: - + Author(s): 作者: - + Copyright: 版權: - + CCLI Number: CCLI編號: - + Lyrics: 歌詞: - + Back 退後 - + Import 匯入 @@ -9551,7 +9735,7 @@ Please enter the verses separated by spaces. 登入錯誤,請確認您的帳號或密碼是否正確? - + Song Imported 歌曲匯入 @@ -9566,7 +9750,7 @@ Please enter the verses separated by spaces. 這首歌遺失某些資訊以至於無法匯入,例如歌詞。 - + Your song has been imported, would you like to import more songs? 您的歌曲已匯入,您想匯入更多歌曲嗎? @@ -9575,6 +9759,11 @@ Please enter the verses separated by spaces. Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9583,30 +9772,30 @@ Please enter the verses separated by spaces. Songs Mode 歌曲模式 - - - Display verses on live tool bar - 在現場Live工具列顯示段落 - Update service from song edit 編輯歌詞更新聚會管理 - - - Import missing songs from service files - 從聚會管理檔案中匯入遺失的歌曲 - Display songbook in footer 頁尾顯示歌本 + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - 於版權資訊前顯示 "%s" 符號 + Display "{symbol}" symbol before copyright info + @@ -9630,37 +9819,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse V主歌 - + Chorus C副歌 - + Bridge B橋段 - + Pre-Chorus P導歌 - + Intro I前奏 - + Ending E結尾 - + Other O其他 @@ -9668,8 +9857,8 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s + + Error: {error} @@ -9677,12 +9866,12 @@ Please enter the verses separated by spaces. SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. @@ -9694,30 +9883,30 @@ Please enter the verses separated by spaces. 讀取CSV文件錯誤。 - - Line %d: %s - 行 %d: %s - - - - Decoding error: %s - 解碼錯誤: %s - - - + File not valid WorshipAssistant CSV format. 檔案非有效的WorshipAssistant CSV格式。 - - Record %d - 錄製:%d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. 無法連線到 WorshipCenter Pro 資料庫。 @@ -9730,25 +9919,30 @@ Please enter the verses separated by spaces. 讀取CSV文件錯誤。 - + File not valid ZionWorx CSV format. 檔案非有效的ZionWorx CSV格式。 - - Line %d: %s - 行 %d: %s - - - - Decoding error: %s - 解碼錯誤: %s - - - + Record %d 錄製:%d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9758,39 +9952,960 @@ 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. 此精靈將幫助您從歌曲資料庫中移除重複的歌曲。您將在重複的歌曲移除前重新檢視內容,所以不會有歌曲未經您的同意而刪除。 - + 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. 資料庫中找不到重複的歌曲。 + + + Review duplicate songs ({current}/{total}) + + + + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + 繁體中文 + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + \ No newline at end of file From ad788f5ee7fdf311afeeb012c988f31ee6d36f54 Mon Sep 17 00:00:00 2001 From: Tim Bentley Date: Wed, 11 Jan 2017 20:03:04 +0000 Subject: [PATCH 19/26] Fix up date in about form --- openlp/core/ui/aboutdialog.py | 22 ++++++++++++------- .../openlp_core_ui/test_aboutform.py | 19 +++++++++++++++- 2 files changed, 32 insertions(+), 9 deletions(-) diff --git a/openlp/core/ui/aboutdialog.py b/openlp/core/ui/aboutdialog.py index 8aeb22596..8d33f6d48 100644 --- a/openlp/core/ui/aboutdialog.py +++ b/openlp/core/ui/aboutdialog.py @@ -19,6 +19,7 @@ # with this program; if not, write to the Free Software Foundation, Inc., 59 # # Temple Place, Suite 330, Boston, MA 02111-1307 USA # ############################################################################### +import datetime from PyQt5 import QtGui, QtWidgets @@ -112,9 +113,12 @@ class UiAboutDialog(object): 'Jonathan "springermac" Springer', 'Philip "Phill" Ridout'] contributors = ['Stuart "sibecker" Becker', 'Gerald "jerryb" Britton', 'Jonathan "gushie" Corwin', 'Samuel "MrGamgee" Findlay', 'Michael "cocooncrash" Gorven', 'Scott "sguerrieri" Guerrieri', - 'Matthias "matthub" Hub', 'Meinert "m2j" Jordan', 'Armin "orangeshirt" K\xf6hler', - 'Rafael "rafaellerm" Lerm', 'Erik "luen" Lundin', 'Edwin "edwinlunando" Lunando', + 'Simon Hanna', 'Chris Hill', + 'Matthias "matthub" Hub', 'Meinert "m2j" Jordan', 'Ian Knightly' + 'Armin "orangeshirt" K\xf6hler', + 'Rafael "rafaellerm" Lerm', 'Gabriel loo', 'Erik "luen" Lundin', 'Edwin "edwinlunando" Lunando', 'Dmitriy Marmyshev', 'Brian "brianmeyer" Meyer', 'Joshua "milleja46" Miller', + 'Suutari "Azaziah" Olli', 'Stevan "ElderP" Pettit', 'Mattias "mahfiaz" P\xf5ldaru', 'Felipe Polo-Wood', 'Christian "crichter" Richter', 'Arjan "arjans" Schrijver', 'Simon "samscudder" Scudder', 'Jeffrey "whydoubt" Smith', 'Stefan Strasser', 'Maikel Stuivenberg', 'Martin "mijiti" Thompson', @@ -189,7 +193,8 @@ class UiAboutDialog(object): ' Qt5: http://qt.io\n' ' PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro\n' ' Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/\n' - ' MuPDF: http://www.mupdf.com/\n') + ' MuPDF: http://www.mupdf.com/\n' + ' MediaInfo: https://mediaarea.net/en/MediaInfo\n') final_credit = translate('OpenLP.AboutForm', 'Final Credit\n' ' "For God so loved the world that He gave\n' ' His one and only Son, so that whoever\n' @@ -299,16 +304,17 @@ class UiAboutDialog(object): self.about_notebook.setTabText(self.about_notebook.indexOf(self.credits_tab), translate('OpenLP.AboutForm', 'Credits')) cr_others = ('Tim Bentley, Gerald Britton, Jonathan Corwin, Samuel Findlay, ' - 'Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, ' - 'Armin K\xf6hler, Erik Lundin, Edwin Lunando, Joshua Miller, ' - 'Brian T. Meyer, Stevan Pettit, Andreas Preikschat, ' + 'Michael Gorven, Scott Guerrieri, Simon Hanna, Chris, Hill Matthias Hub, Meinert Jordan, ' + 'Ian Knightley, Armin K\xf6hler, Gabriel Loo, Erik Lundin, Edwin Lunando, Joshua Miller, ' + 'Brian T. Meyer, Suutari Olli, Stevan Pettit, Andreas Preikschat, ' 'Mattias P\xf5ldaru, Christian Richter, Philip Ridout, ' 'Ken Roberts, Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, ' 'Martin Thompson, Jon Tibble, Dave Warnock, Frode Woldsund, ' 'Martin Zibricky, Patrick Zimmermann') copyright_note = translate('OpenLP.AboutForm', - 'Copyright \xa9 2004-2017 {cr}\n\n' - 'Portions copyright \xa9 2004-2017 {others}').format(cr='Raoul Snyman', + 'Copyright \xa9 2004-{yr} {cr}\n\n' + 'Portions copyright \xa9 2004-{yr} {others}').format(cr='Raoul Snyman', + yr=datetime.date.today().year, others=cr_others) licence = translate('OpenLP.AboutForm', 'This program is free software; you can redistribute it and/or ' diff --git a/tests/functional/openlp_core_ui/test_aboutform.py b/tests/functional/openlp_core_ui/test_aboutform.py index 8423ca656..1ce29e960 100644 --- a/tests/functional/openlp_core_ui/test_aboutform.py +++ b/tests/functional/openlp_core_ui/test_aboutform.py @@ -22,6 +22,7 @@ """ Package to test the openlp.core.ui.firsttimeform package. """ +import datetime from unittest import TestCase from openlp.core.ui.aboutform import AboutForm @@ -58,4 +59,20 @@ class TestFirstTimeForm(TestCase, TestMixin): about_form = AboutForm(None) # THEN: The build number should be in the text - assert 'OpenLP 3.1.5 build 3000' in about_form.about_text_edit.toPlainText() + self.assertTrue('OpenLP 3.1.5 build 3000' in about_form.about_text_edit.toPlainText(), + "The build number should be set correctly") + + def test_about_form_date_test(self): + """ + Test that the copyright date is included correctly + """ + # GIVEN: A mocked out get_application_version function + date_string = "2004-%s" % datetime.date.today().year + + # WHEN: The about form is created + about_form = AboutForm(None) + license_text = about_form.license_text_edit.toPlainText() + + # THEN: The build number should be in the text + self.assertTrue(license_text.count(date_string, 0) == 2, + "The text string should be added twice to the license string") From b53202440146a2a737363166fe8c8dc0e6e963a8 Mon Sep 17 00:00:00 2001 From: Tim Bentley Date: Wed, 11 Jan 2017 20:15:55 +0000 Subject: [PATCH 20/26] Fix up comments in test --- tests/functional/openlp_core_ui/test_aboutform.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/tests/functional/openlp_core_ui/test_aboutform.py b/tests/functional/openlp_core_ui/test_aboutform.py index 1ce29e960..060876fbd 100644 --- a/tests/functional/openlp_core_ui/test_aboutform.py +++ b/tests/functional/openlp_core_ui/test_aboutform.py @@ -66,13 +66,13 @@ class TestFirstTimeForm(TestCase, TestMixin): """ Test that the copyright date is included correctly """ - # GIVEN: A mocked out get_application_version function + # GIVEN: A correct application date date_string = "2004-%s" % datetime.date.today().year # WHEN: The about form is created about_form = AboutForm(None) license_text = about_form.license_text_edit.toPlainText() - # THEN: The build number should be in the text + # THEN: The date should be in the text twice. self.assertTrue(license_text.count(date_string, 0) == 2, "The text string should be added twice to the license string") From 32d3c0038e667784f6cd82e33e614c8568f619b6 Mon Sep 17 00:00:00 2001 From: Tomas Groth Date: Thu, 12 Jan 2017 22:03:06 +0100 Subject: [PATCH 21/26] Handle a few videopsalm quirks --- openlp/plugins/songs/lib/importers/videopsalm.py | 6 ++++-- .../videopsalmsongs/videopsalm-as-safe-a-stronghold.json | 2 +- 2 files changed, 5 insertions(+), 3 deletions(-) diff --git a/openlp/plugins/songs/lib/importers/videopsalm.py b/openlp/plugins/songs/lib/importers/videopsalm.py index 8976326a6..36a28c583 100644 --- a/openlp/plugins/songs/lib/importers/videopsalm.py +++ b/openlp/plugins/songs/lib/importers/videopsalm.py @@ -65,8 +65,8 @@ class VideoPsalmImport(SongImport): if c == '\n': if inside_quotes: processed_content += '\\n' - # Put keys in quotes - elif c.isalnum() and not inside_quotes: + # Put keys in quotes. The '-' is for handling nagative numbers + elif (c.isalnum() or c == '-') and not inside_quotes: processed_content += '"' + c c = next(file_content_it) while c.isalnum(): @@ -121,6 +121,8 @@ class VideoPsalmImport(SongImport): if 'Memo3' in song: self.add_comment(song['Memo3']) for verse in song['Verses']: + if 'Text' not in verse: + continue self.add_verse(verse['Text'], 'v') if not self.finish(): self.log_error('Could not import {title}'.format(title=self.title)) diff --git a/tests/resources/videopsalmsongs/videopsalm-as-safe-a-stronghold.json b/tests/resources/videopsalmsongs/videopsalm-as-safe-a-stronghold.json index d3e9296c7..707ef4c42 100644 --- a/tests/resources/videopsalmsongs/videopsalm-as-safe-a-stronghold.json +++ b/tests/resources/videopsalmsongs/videopsalm-as-safe-a-stronghold.json @@ -1,4 +1,4 @@ -{Abbreviation:"SB1",Copyright:"Public domain",Songs:[{ID:3,Composer:"Unknown",Author:"Martin Luther",Copyright:"Public +{Abbreviation:"SB1",Copyright:"Public domain",Songs:[{ID:3,Composer:"Unknown",Author:"Martin Luther",Capo:-1,Copyright:"Public Domain",Theme:"tema1 tema2",CCLI:"12345",Alias:"A safe stronghold",Memo1:"This is the first comment From 706d52ad5de06517a9f0445537c805312a4c1cf4 Mon Sep 17 00:00:00 2001 From: Tomas Groth Date: Thu, 12 Jan 2017 22:04:53 +0100 Subject: [PATCH 22/26] Improve the songbeamer encoding detection. --- openlp/plugins/songs/lib/importers/songbeamer.py | 15 +++++++++------ 1 file changed, 9 insertions(+), 6 deletions(-) diff --git a/openlp/plugins/songs/lib/importers/songbeamer.py b/openlp/plugins/songs/lib/importers/songbeamer.py index f85f5d361..bec2c3811 100644 --- a/openlp/plugins/songs/lib/importers/songbeamer.py +++ b/openlp/plugins/songs/lib/importers/songbeamer.py @@ -28,6 +28,7 @@ import logging import os import re +from openlp.core.common import get_file_encoding from openlp.plugins.songs.lib import VerseType from openlp.plugins.songs.lib.importers.songimport import SongImport @@ -113,13 +114,15 @@ class SongBeamerImport(SongImport): read_verses = False file_name = os.path.split(import_file)[1] if os.path.isfile(import_file): - # First open in binary mode to detect the encoding - detect_file = open(import_file, 'rb') - details = chardet.detect(detect_file.read()) - detect_file.close() - infile = codecs.open(import_file, 'r', details['encoding']) + # Detect the encoding + self.input_file_encoding = get_file_encoding(import_file)['encoding'] + # The encoding should only be ANSI (cp1252), UTF-8, Unicode, Big-Endian-Unicode. + # So if it doesn't start with 'u' we default to cp1252. See: + # https://forum.songbeamer.com/viewtopic.php?p=419&sid=ca4814924e37c11e4438b7272a98b6f2 + if self.input_file_encoding.lower().startswith('u'): + self.input_file_encoding = 'cp1252' + infile = open(import_file, 'rt', encoding=self.input_file_encoding) song_data = infile.readlines() - infile.close() else: continue self.title = file_name.split('.sng')[0] From 02ee7ac7dc1d423ef9b671c246d3e9e066a0a094 Mon Sep 17 00:00:00 2001 From: Tomas Groth Date: Thu, 12 Jan 2017 22:31:01 +0100 Subject: [PATCH 23/26] Fix an issue with easyslide import not handling verse order correctly. --- .../plugins/songs/lib/importers/easyslides.py | 24 ++++----- .../songs/test_easyslidesimport.py | 2 + .../easyslidessongs/Amazing Grace.json | 12 ++--- .../easyslidessongs/Export_2017-01-12_BB.json | 44 ++++++++++++++++ .../easyslidessongs/Export_2017-01-12_BB.xml | 50 +++++++++++++++++++ 5 files changed, 114 insertions(+), 18 deletions(-) create mode 100644 tests/resources/easyslidessongs/Export_2017-01-12_BB.json create mode 100644 tests/resources/easyslidessongs/Export_2017-01-12_BB.xml diff --git a/openlp/plugins/songs/lib/importers/easyslides.py b/openlp/plugins/songs/lib/importers/easyslides.py index 528b4ba7e..7c2ffd2c9 100644 --- a/openlp/plugins/songs/lib/importers/easyslides.py +++ b/openlp/plugins/songs/lib/importers/easyslides.py @@ -180,7 +180,7 @@ class EasySlidesImport(SongImport): reg = default_region verses[reg] = {} # instance differentiates occurrences of same verse tag - vt = 'V' + vt = 'v' vn = '1' inst = 1 for line in lines: @@ -193,14 +193,14 @@ class EasySlidesImport(SongImport): inst += 1 else: # separators are not used, so empty line starts a new verse - vt = 'V' + vt = 'v' vn = len(verses[reg].get(vt, {})) + 1 inst = 1 elif line[0:7] == '[region': reg = self._extract_region(line) verses.setdefault(reg, {}) if not regions_in_verses: - vt = 'V' + vt = 'v' vn = '1' inst = 1 elif line[0] == '[': @@ -213,7 +213,7 @@ class EasySlidesImport(SongImport): if match: marker = match.group(1).strip() vn = match.group(2) - vt = MarkTypes.get(marker, 'O') if marker else 'V' + vt = MarkTypes.get(marker, 'o') if marker else 'v' if regions_in_verses: region = default_region inst = 1 @@ -238,13 +238,13 @@ class EasySlidesImport(SongImport): lines = '\n'.join(verses[reg][vt][vn][inst]) self.add_verse(lines, versetag) SeqTypes = { - 'p': 'P1', - 'q': 'P2', - 'c': 'C1', - 't': 'C2', - 'b': 'B1', - 'w': 'B2', - 'e': 'E1'} + 'p': 'p1', + 'q': 'p2', + 'c': 'c1', + 't': 'c2', + 'b': 'b1', + 'w': 'b2', + 'e': 'e1'} # Make use of Sequence data, determining the order of verses try: order = str(song.Sequence).strip().split(',') @@ -252,7 +252,7 @@ class EasySlidesImport(SongImport): if not tag: continue elif tag[0].isdigit(): - tag = 'V' + tag + tag = 'v' + tag elif tag.lower() in SeqTypes: tag = SeqTypes[tag.lower()] else: diff --git a/tests/functional/openlp_plugins/songs/test_easyslidesimport.py b/tests/functional/openlp_plugins/songs/test_easyslidesimport.py index 9e5468a5b..bfe9abcc2 100644 --- a/tests/functional/openlp_plugins/songs/test_easyslidesimport.py +++ b/tests/functional/openlp_plugins/songs/test_easyslidesimport.py @@ -43,3 +43,5 @@ class TestEasySlidesFileImport(SongImportTestHelper): """ self.file_import(os.path.join(TEST_PATH, 'amazing-grace.xml'), self.load_external_result_data(os.path.join(TEST_PATH, 'Amazing Grace.json'))) + self.file_import(os.path.join(TEST_PATH, 'Export_2017-01-12_BB.xml'), + self.load_external_result_data(os.path.join(TEST_PATH, 'Export_2017-01-12_BB.json'))) diff --git a/tests/resources/easyslidessongs/Amazing Grace.json b/tests/resources/easyslidessongs/Amazing Grace.json index 10579e652..500639657 100644 --- a/tests/resources/easyslidessongs/Amazing Grace.json +++ b/tests/resources/easyslidessongs/Amazing Grace.json @@ -6,27 +6,27 @@ "verses": [ [ "Amazing grace! How sweet the sound\nThat saved a wretch like me;\nI once was lost, but now am found,\nWas blind, but now I see.", - "V1" + "v1" ], [ "'Twas grace that taught my heart to fear,\nAnd grace my fears relieved;\nHow precious did that grace appear,\nThe hour I first believed!", - "V2" + "v2" ], [ "Through many dangers, toils and snares\nI have already come;\n'Tis grace that brought me safe thus far,\nAnd grace will lead me home.", - "V3" + "v3" ], [ "The Lord has promised good to me,\nHis word my hope secures;\nHe will my shield and portion be\nAs long as life endures.", - "V4" + "v4" ], [ "Yes, when this heart and flesh shall fail,\nAnd mortal life shall cease,\nI shall possess within the veil\nA life of joy and peace.", - "V5" + "v5" ], [ "When we've been there a thousand years,\nBright shining as the sun,\nWe've no less days to sing God's praise\nThan when we first begun.", - "V6" + "v6" ] ] } diff --git a/tests/resources/easyslidessongs/Export_2017-01-12_BB.json b/tests/resources/easyslidessongs/Export_2017-01-12_BB.json new file mode 100644 index 000000000..06583e123 --- /dev/null +++ b/tests/resources/easyslidessongs/Export_2017-01-12_BB.json @@ -0,0 +1,44 @@ +{ + "title": "BBBBBBBBB", + "authors": [ + "John Newton (1725-1807)" + ], + "verses": [ + [ + "V1V1V1V1V1V1\nV1V1V1V1V1V1", + "v1" + ], + [ + "V2V2V2V2V2V2\nV2V2V2V2V2V2", + "v2" + ], + [ + "C1C1C1C1C1C1\nC1C1C1C1C1C1", + "c1" + ], + [ + "C2C2C2C2C2C2\nC2C2C2C2C2C2", + "c2" + ], + [ + "B1B1B1B1B1B1\nB1B1B1B1B1B1", + "b1" + ], + [ + "B2B2B2B2B2B2\nB2B2B2B2B2B2", + "b2" + ], + [ + "PRE1PRE1PRE1\nPRE1PRE1PRE1", + "p1" + ], + [ + "PRE2PRE2PRE2\nPRE2PRE2PRE2", + "p2" + ], + [ + "ENDENDENDEND\nENDENDENDEND", + "e1" + ] + ] +} diff --git a/tests/resources/easyslidessongs/Export_2017-01-12_BB.xml b/tests/resources/easyslidessongs/Export_2017-01-12_BB.xml new file mode 100644 index 000000000..cb2da7675 --- /dev/null +++ b/tests/resources/easyslidessongs/Export_2017-01-12_BB.xml @@ -0,0 +1,50 @@ + + + + BBBBBBBBB + + NAGY + 0 + [1] +V1V1V1V1V1V1 +V1V1V1V1V1V1 +[2] +V2V2V2V2V2V2 +V2V2V2V2V2V2 +[chorus] +C1C1C1C1C1C1 +C1C1C1C1C1C1 +[chorus 2] +C2C2C2C2C2C2 +C2C2C2C2C2C2 +[bridge] +B1B1B1B1B1B1 +B1B1B1B1B1B1 +[bridge 2] +B2B2B2B2B2B2 +B2B2B2B2B2B2 +[prechorus] +PRE1PRE1PRE1 +PRE1PRE1PRE1 +[prechorus 2] +PRE2PRE2PRE2 +PRE2PRE2PRE2 +[ending] +ENDENDENDEND +ENDENDENDEND + + 1,2,c,t,b,w,p,q,e + + + + + + -1 + + + + + + 10=> + + \ No newline at end of file From b12c414732baf377e7ee6c885b18d888f23357c7 Mon Sep 17 00:00:00 2001 From: Tomas Groth Date: Sun, 15 Jan 2017 22:12:55 +0100 Subject: [PATCH 24/26] Clean search lyrics for formatting tags. --- openlp/plugins/songs/lib/__init__.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/openlp/plugins/songs/lib/__init__.py b/openlp/plugins/songs/lib/__init__.py index 145f4879e..fd25608db 100644 --- a/openlp/plugins/songs/lib/__init__.py +++ b/openlp/plugins/songs/lib/__init__.py @@ -30,7 +30,7 @@ import re from PyQt5 import QtWidgets from openlp.core.common import AppLocation, CONTROL_CHARS -from openlp.core.lib import translate +from openlp.core.lib import translate, clean_tags from openlp.plugins.songs.lib.db import Author, MediaFile, Song, Topic from openlp.plugins.songs.lib.ui import SongStrings @@ -380,7 +380,7 @@ def clean_song(manager, song): if isinstance(song.lyrics, bytes): song.lyrics = str(song.lyrics, encoding='utf8') verses = SongXML().get_verses(song.lyrics) - song.search_lyrics = ' '.join([clean_string(verse[1]) for verse in verses]) + song.search_lyrics = ' '.join([clean_string(clean_tags(verse[1])) for verse in verses]) # The song does not have any author, add one. if not song.authors_songs: name = SongStrings.AuthorUnknown From 32328cfe6aae134fba776a5643f06cdd399a0ed0 Mon Sep 17 00:00:00 2001 From: Raoul Snyman Date: Sun, 22 Jan 2017 11:12:41 -0700 Subject: [PATCH 25/26] Hide the Projectors manager by default so that it doesn't confuse people --- openlp/core/ui/mainwindow.py | 1 + tests/functional/openlp_core_ui/test_mainwindow.py | 9 +++++++++ 2 files changed, 10 insertions(+) diff --git a/openlp/core/ui/mainwindow.py b/openlp/core/ui/mainwindow.py index 52c91c97a..5a8029746 100644 --- a/openlp/core/ui/mainwindow.py +++ b/openlp/core/ui/mainwindow.py @@ -176,6 +176,7 @@ class Ui_MainWindow(object): self.projector_manager_contents = ProjectorManager(self.projector_manager_dock) self.projector_manager_contents.setObjectName('projector_manager_contents') self.projector_manager_dock.setWidget(self.projector_manager_contents) + self.projector_manager_dock.setVisible(False) main_window.addDockWidget(QtCore.Qt.RightDockWidgetArea, self.projector_manager_dock) # Create the menu items action_list = ActionList.get_instance() diff --git a/tests/functional/openlp_core_ui/test_mainwindow.py b/tests/functional/openlp_core_ui/test_mainwindow.py index 940ab7053..0578adaa7 100644 --- a/tests/functional/openlp_core_ui/test_mainwindow.py +++ b/tests/functional/openlp_core_ui/test_mainwindow.py @@ -158,6 +158,15 @@ class TestMainWindow(TestCase, TestMixin): self.assertTrue('plugin_manager' in self.registry.service_list, 'The plugin_manager should have been registered.') + def test_projector_manager_hidden_on_startup(self): + """ + Test that the projector manager is hidden on startup + """ + # GIVEN: A built main window + # WHEN: OpenLP is started + # THEN: The projector manager should be hidden + self.main_window.projector_manager_dock.setVisible.assert_called_once_with(False) + def test_on_search_shortcut_triggered_shows_media_manager(self): """ Test that the media manager is made visible when the search shortcut is triggered From aa3eebfad33c8a04757dd44224f68acbf53f48d4 Mon Sep 17 00:00:00 2001 From: Tim Bentley Date: Mon, 23 Jan 2017 18:25:41 +0000 Subject: [PATCH 26/26] updated translations --- openlp/core/ui/aboutdialog.py | 9 +- resources/i18n/af.ts | 7351 +++++++++++++++++++-------------- resources/i18n/bg.ts | 7040 ++++++++++++++++++------------- resources/i18n/cs.ts | 5966 +++++++++++++++----------- resources/i18n/da.ts | 5990 ++++++++++++++++----------- resources/i18n/de.ts | 5956 +++++++++++++++----------- resources/i18n/el.ts | 7294 ++++++++++++++++++-------------- resources/i18n/en.ts | 6006 ++++++++++++++++----------- resources/i18n/en_GB.ts | 6005 ++++++++++++++++----------- resources/i18n/en_ZA.ts | 5968 +++++++++++++++----------- resources/i18n/es.ts | 6074 ++++++++++++++++----------- resources/i18n/et.ts | 5989 ++++++++++++++++----------- resources/i18n/fi.ts | 6134 ++++++++++++++++----------- resources/i18n/fr.ts | 5994 ++++++++++++++++----------- resources/i18n/hu.ts | 6312 ++++++++++++++++------------ resources/i18n/id.ts | 5979 ++++++++++++++++----------- resources/i18n/ja.ts | 6107 ++++++++++++++++----------- resources/i18n/ko.ts | 7247 ++++++++++++++++++-------------- resources/i18n/lt.ts | 7162 +++++++++++++++++++------------- resources/i18n/nb.ts | 6086 ++++++++++++++++----------- resources/i18n/nl.ts | 5970 +++++++++++++++----------- resources/i18n/pl.ts | 6145 ++++++++++++++++----------- resources/i18n/pt_BR.ts | 6512 +++++++++++++++++------------ resources/i18n/ru.ts | 5991 ++++++++++++++++----------- resources/i18n/sk.ts | 5979 ++++++++++++++++----------- resources/i18n/sv.ts | 6106 ++++++++++++++++----------- resources/i18n/ta_LK.ts | 7299 ++++++++++++++++++-------------- resources/i18n/th_TH.ts | 7209 ++++++++++++++++++-------------- resources/i18n/zh_CN.ts | 7295 ++++++++++++++++++-------------- resources/i18n/zh_TW.ts | 6094 ++++++++++++++++----------- 30 files changed, 109540 insertions(+), 75729 deletions(-) diff --git a/openlp/core/ui/aboutdialog.py b/openlp/core/ui/aboutdialog.py index 8d33f6d48..0c37c7624 100644 --- a/openlp/core/ui/aboutdialog.py +++ b/openlp/core/ui/aboutdialog.py @@ -312,10 +312,11 @@ class UiAboutDialog(object): 'Martin Thompson, Jon Tibble, Dave Warnock, Frode Woldsund, ' 'Martin Zibricky, Patrick Zimmermann') copyright_note = translate('OpenLP.AboutForm', - 'Copyright \xa9 2004-{yr} {cr}\n\n' - 'Portions copyright \xa9 2004-{yr} {others}').format(cr='Raoul Snyman', - yr=datetime.date.today().year, - others=cr_others) + 'Copyright {crs} 2004-{yr} {cr}\n\n' + 'Portions copyright {crs} 2004-{yr} {others}').format(cr='Raoul Snyman', + yr=datetime.date.today().year, + others=cr_others, + crs='\xa9') licence = translate('OpenLP.AboutForm', 'This program is free software; you can redistribute it and/or ' 'modify it under the terms of the GNU General Public License as ' diff --git a/resources/i18n/af.ts b/resources/i18n/af.ts index 4a44d73c8..1eea31afb 100644 --- a/resources/i18n/af.ts +++ b/resources/i18n/af.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -32,7 +33,7 @@ <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. - <strong>Waarskuwings Mini-program</strong><br />Die waarskuwings mini-program beheer die vertoning van waarskuwings op die skerm. + <strong>Waarskuwings Inprop-program</strong><br />Die waarskuwings inprop-program beheer die vertoning van waarskuwings op die skerm. @@ -96,17 +97,17 @@ Gaan steeds voort? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? - Die attent-teks bevat nie '<>' nie. -Gaan steeds voort? + Die waarskuwing-teks bevat nie '<>' nie. +Wil jy steeds voortgaan? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. - Daar is geen teks vir die waarskuwing verskaf nie. -Tik asseblief in sommige teks voor te kliek Nuwe. + Daar is geen teks vir die waarskuwing ingesluetel nie. +Voer asseblief enige teks in voordat die Nuwe balkie gekliek word. @@ -114,38 +115,33 @@ Tik asseblief in sommige teks voor te kliek Nuwe. Alert message created and displayed. - Waarskuwing boodskap geskep en vertoon. + Waarskuwing boodskap is geskep en vertoon. AlertsPlugin.AlertsTab - + Font - Skrif + Skriftipe - + Font name: Skrif naam: - + Font color: Skrif kleur: - - Background color: - Agtergrond kleur: - - - + Font size: Skrif grootte: - + Alert timeout: Waarskuwing verstreke-tyd: @@ -153,87 +149,77 @@ Tik asseblief in sommige teks voor te kliek Nuwe. 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. + Geen ooreenstemmende boek kon in hierdie Bybel gevind word nie. Maak seker 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. + Stuur die geselekteerde Bybel na die regstreekse skerm. - + 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. + <strong>Bybel Inprop-program</strong<br />Die Bybel inprop-program verskaf die vermoë om Bybelverse vanaf verskillende bronne te vertoon tydens die diens. @@ -721,12 +707,12 @@ Tik asseblief in sommige teks voor te kliek Nuwe. You need to specify a version name for your Bible. - Dit is nodig dat 'n weergawe naam vir die Bybel gespesifiseer word. + Dit word vereis om 'n weergawe naam vir die Bybel te spesifiseer. 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. + Kopiereg moet vir jou Bybel ingestel word. Bybels in die Publieke Domein moet sodanig gemerk word. @@ -736,165 +722,126 @@ Tik asseblief in sommige teks voor te kliek Nuwe. 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. + Hierdie Bybel bestaan reeds. Voer asseblief 'n ander Bybel in, of wis eers die bestaande een uit. - - You need to specify a book name for "%s". - 'n Boek naam moet vir "%s" gespesifiseer word. - - - - 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. - Die boek naam "%s" is nie korrek nie. -Nommers kan slegs aan die begin gebruik word -en moet gevolg word deur een of meer nie-numeriese -karrakters. - - - + Duplicate Book Name Duplikaat Boek Naam - - The Book Name "%s" has been entered more than once. - Die Boek Naam "%s" is meer as een keer ingevoer. + + You need to specify a book name for "{text}". + Jy moet 'n boek naam spesifiseer vir "{text}". + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Die boek naam "{name}" is verkeerd. +Nommers kan slegs gebruik word aan die begin en moet +word gevolg deur een of meer nie-numeriese karakters. + + + + The Book Name "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Skrif Verwysing Fout - - Web Bible cannot be used - Web Bybel kan nie gebruik word nie + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Die skrifgedeelte verwysing is óf nie ondersteun deur OpenLP nie, of ongeldig. Maak asseblief seker dat die verwysing voldoen aan die volgende patrone of gaan die handleiding na: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Boek Hoofstuk -Boek Hoofstuk%(range)sHoofstuk⏎ -Boek Hoofstuk%(verse)sVers%(range)sVers⏎ -Boek Hoofstuk%(verse)sVers%(range)sVers%(list)sVers%(range)sVers⏎ -Boek Hoofstuk%(verse)sVers%(range)sVers%(list)sHoofstuk%(verse)sVers%(range)sVers⏎ -Boek Hoofstuk%(verse)sVers%(range)sHoofstuk%(verse)sVers +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Vers Vertoning - + Only show new chapter numbers Vertoon net nuwe hoofstuk nommers - + Bible theme: Bybel tema: - + No Brackets Geen Hakkies - + ( And ) ( En ) - + { And } { En } - + [ And ] [ En ] - - Note: -Changes do not affect verses already in the service. - Nota: -Veranderinge affekteer nie verse wat reeds in die diens is nie. - - - + Display second Bible verses Vertoon tweede Bybel se verse - + Custom Scripture References Aangepasde Skrifgedeelte Verwysing - - Verse Separator: - Vers Verdeler: - - - - Range Separator: - Reeks Verdeler: - - - - List Separator: - Lys Verdeler: - - - - End Mark: - End Merk: - - - + 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. @@ -903,44 +850,90 @@ Hulle moet geskei word deur 'n vertikale staaf "|". Maak asseblief hierdie redigeer lyn skoon om die verstek waarde te gebruik. - + English - Engels + Afrikaans - + Default Bible Language Verstek Bybel Taal - + Book name language in search field, search results and on display: Boek naam taal in soek veld, soek resultate en op die vertoning: - + Bible Language - Bybel Taal + Bybel Vertaling - + Application Language Program Taal - + Show verse numbers Wys versnommers + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog Select Book Name - Selekteer Boek Naam + Kies Boek Naam @@ -975,7 +968,7 @@ soek resultate en op die vertoning: The following book name cannot be matched up internally. Please select the corresponding name from the list. - Die volgende boek name kon nie intern gepas word nie. Kies asseblief die ooreenstemmende naam van die lys. + Die volgende boek name kon nie intern gevind word nie. Kies asseblief die ooreenstemmende naam van die lys. @@ -989,72 +982,73 @@ soek resultate en op die vertoning: BiblesPlugin.CSVBible - - Importing books... %s - Boek invoer... %s + + Importing books... {book} + - - Importing verses... done. - Vers invoer... voltooi. + + Importing verses from {book}... + Importing verses from <book name>... + BiblesPlugin.EditBibleForm - + Bible Editor Bybel Redigeerder - + License Details Lisensie Besonderhede - + Version name: Weergawe naam: - + Copyright: Kopiereg: - + Permissions: Toestemming: - + Default Bible Language Verstek Bybel Taal - + Book name language in search field, search results and on display: Boek naam taal in soek veld, soek resultate en op die vertoning: - + Global Settings Globale Instellings - + Bible Language Bybel Taal - + Application Language Program Taal - + English - Engels + Afrikaans @@ -1066,229 +1060,264 @@ Dit is nie moontlik om die Boek Name aan te pas nie. 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. - Om eie boek name te gebruik, "Bybel taal" moet in die Meta Data blad gekies wees, of wanneer "Globale instellings" geselekteer is, op die Bybel bladsy OpenLP Instelling. + Om eie boek name te gebruik, moet "Bybel taal" in die Meta Data blad op die Bybel bladsy OpenLP Instelling gekies wees, of wanneer "Globale instellings" geselekteer is. 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. + Daar was 'n probleem om die gekose verse 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. + Daar was 'n probleem om die gekose verse te onttrek. As hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer. + + + + Importing {book}... + Importing <book name>... + 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. + Jy moet 'n weergawe naam vir die Bybel spesifiseer. - + 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. + Kopiereg moet vir jou Bybel ingestel word. Bybels in die Publieke Domein moet sodanig gemerk word. - + Bible Exists - Bybel Bestaan + Bybel Bestaan reeds - + 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. + Hierdie Bybel bestaan reeds. Voer asseblief 'n ander Bybel in, of wis eers 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. - Geregistreer Bybel. Neem asseblief kennis dat verse sal afgelaai word op aanvraag en dus 'n internet-verbinding is nodig. + Geregistreerde Bybel. Neem asseblief kennis dat verse op aanvraag afgelaai sal word en sal derhalwe 'n internet-verbinding benodig. - + Click to download bible list - Klik om die Bybel lys tw aflaai + Klik om die Bybel lys af te laai - + Download bible list - Aflaai Bybel lys + Laai Bybel lys af - + Error during download Fout tydens aflaai - + An error occurred while downloading the list of bibles from %s. - + Daar was 'n probleem om die lys van bybels af te laai vanaf %s. + + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + @@ -1301,7 +1330,7 @@ Dit is nie moontlik om die Boek Name aan te pas nie. OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. - OpenLP is nie in staat om die taal van hierdie vertaling Bybel te bepaal nie. Kies asseblief die taal van die lys hieronder. + OpenLP is nie in staat om die taal van hierdie Bybelvertaling te bepaal nie. Kies asseblief die taal van die lys hieronder. @@ -1320,302 +1349,165 @@ Dit is nie moontlik om die Boek Name aan te pas nie. BiblesPlugin.MediaItem - - Quick - Vinnig - - - + Find: Vind: - + Book: Boek: - + Chapter: Hoofstuk: - + Verse: Vers: - + From: Vanaf: - + To: Tot: - + Text Search Teks Soektog - + Second: Tweede: - + Scripture Reference Skrif Verwysing - + Toggle to keep or clear the previous results. Wissel om die vorige resultate te behou of te verwyder. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Enkel en dubbel Bybel-vers soek-resultate kan nie gekombineer word nie. Wis die resultate uit en begin 'n nuwe soektog? - + Bible not fully loaded. Die Bybel is nie ten volle gelaai nie. - + Information Informasie - - 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. - Die tweede Bybel het nie al die verse wat in die hoof Bybel is nie. Slegs verse wat in beide Bybels voorkom, sal gewys word. %d verse is nie by die resultate ingesluit nie. - - - + Search Scripture Reference... - Soek Skriflesing Verwysing... + Soek Bybel Verwysing... - + Search Text... Soek Teks... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Soek + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Wis Bybel "%s" geheel en al vanaf OpenLP? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -Hierdie Bybel sal weer ingevoer moet word voordat dit gebruik geneem kan word. - - - - Advanced - Gevorderd - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Ongeldige Bybel lêer - - - - 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... - +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - + Verwydering van ongebruikte tags (dit mag 'n paar minuute neem)... - - Importing %(bookname)s %(chapter)s... - + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Kies 'n Rugsteun Ligging + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Bybel Opgradeer Gids - - - - 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. - Hierdie gids sal help om die bestaande Bybels vanaf 'n vorige weergawe van OpenLP 2.0 op te gradeer. Kliek die volgende knoppie hier-onder om die opgradeer proses te begin. - - - - Select Backup Directory - Kies Rugsteun Ligging - - - - Please select a backup directory for your Bibles - Kies asseblief 'n rugsteun liging vir die Bybels - - - - 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>. - Vorige weergawes van OpenLP 2.0 is nie in staat om opgegradeerde Bybels te gebruik nie. Hierdie sal 'n rugsteun van die bestaande Bybels maak sodat indien dit nodig is om terug te gaan na 'n vorige weergawe van OpenLP, die Bybels net terug gekopiër kan word. Instruksies oor hoe om lêers te herstel kan gevind word by ons <a href="http://wiki.openlp.org/faq">Gereelde Vrae</a>. - - - - Please select a backup location for your Bibles. - Kies asseblief 'n rugsteun ligging vir die Bybels. - - - - Backup Directory: - Rugsteun Ligging: - - - - There is no need to backup my Bibles - Dit is nie nodig om die Bybels op te gradeer nie - - - - Select Bibles - Kies Bybels - - - - Please select the Bibles to upgrade - Kies asseblief die Bybels om op te gradeer - - - - Upgrading - Opgradeer - - - - Please wait while your Bibles are upgraded. - Wag asseblief terwyl die Bybels opgradeer word. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Die rugsteun was nie suksesvol nie. -Om die Bybels op te gradeer word skryf-toestemming benodig vir die gegewe lêer. - - - - Upgrading Bible %s of %s: "%s" -Failed - Opgradeer Bybel %s van %s: "%s" -Gevaal - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Opgradeer Bybel %s van %s: "%s" -Opgradeer ... - - - - Download Error - Aflaai Fout - - - - To upgrade your Web Bibles an Internet connection is required. - Om die Web Bybels op te gradeer is 'n Internet verbinding nodig. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Opgradeer Bybel %s van %s: "%s" -Opgradering %s... - - - - Upgrading Bible %s of %s: "%s" -Complete - Opgradeer Bybel %s van %s: "%s" -Volledig - - - - , %s failed - , %s het gevaal - - - - Upgrading Bible(s): %s successful%s - Opgradeer Bybel(s): %s suksesvol %s - - - - Upgrade failed. - Opgradeer het gevaal. - - - - You need to specify a backup directory for your Bibles. - 'n Rugsteun Ligging moet vir die Bybels gespesifiseer word. - - - - Starting upgrade... - Opgradering begin... - - - - There are no Bibles that need to be upgraded. - Daar is geen Bybels wat opgradering benodig nie. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. - + Ongeldige Bybel lêertipe verskaf. Zefania Bybels mag dalk saamgeperste lêers wees. Jy moet hulle eers ontpers voordat hulle ingevoer word. BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - + + Importing {book} {chapter}... + @@ -1624,64 +1516,64 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Custom Slide name singular - Aangepasde Skyfie + Pasgemaakte Skyfie Custom Slides name plural - Aangepasde Skyfies + Pasgemaakte Skyfies Custom Slides container title - Aangepasde Skyfies + Pasgemaakte Skyfies Load a new custom slide. - Laai 'n nuwe aangepasde skyfie. + Laai 'n nuwe pasgemaakte skyfie. Import a custom slide. - Voer 'n aangepasde skyfie in. + Voer 'n pasgemaakte skyfie in. Add a new custom slide. - Voeg 'n nuwe aangepasde skyfie by. + Voeg 'n nuwe pasgemaakte skyfie by. Edit the selected custom slide. - Redigeer die geselekteerde aangepasde skyfie. + Redigeer die gekose pasgemaakte skyfie. Delete the selected custom slide. - Wis die geselekteerde aangepasde skyfie uit. + Vee die gekose pasgemaakte skyfie uit. Preview the selected custom slide. - Skou die geselekteerde aangepasde skyfie. + Voorskou die gekose pasgemaakte skyfie. Send the selected custom slide live. - Stuur die geselekteerde aangepasde skuifie regstreeks. + Stuur die gekose pasgemaakte skyfie regstreeks. Add the selected custom slide to the service. - Voeg die geselekteerde aangepasde skyfie by die diens. + Voeg die gekose pasgemaakte skyfie by die orde van 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. - + <strong>Aanpas Skyfie Mini-program</strong><br/>Die aanpas skyfie mini-program verskaf die vermoë om aangepasde teks skyfies op te stel wat in dieselfde manier gebruik word as die liedere mini-program. Dié mini-program verskaf grooter vryheid as die liedere mini-program. @@ -1689,7 +1581,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Custom Display - Aangepasde Vertoning + Pasgemaakte Vertoning @@ -1699,7 +1591,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Import missing custom slides from service files - + Voer vermisde aanpas skyfies in vanaf diens lêers @@ -1707,7 +1599,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit Custom Slides - Redigeer Aangepaste Skyfies + Redigeer Pasgemaakte Skyfies @@ -1717,20 +1609,20 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add a new slide at bottom. - Voeg nuwe skyfie by aan die onderkant. + Voeg 'n nuwe skyfie aan die onderkant by. Edit the selected slide. - Redigeer die geselekteerde skyfie. + Wysig die gekose skyfie. Edit all the slides at once. - Redigeer al die skyfies tegelyk. + Wysig al die skyfies tegelyk. - + Split a slide into two by inserting a slide splitter. Verdeel 'n skyfie deur 'n skyfie-verdeler te gebruik. @@ -1745,9 +1637,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Krediete: - + You need to type in a title. - 'n Titel word benodig. + 'n Titel word vereis. @@ -1755,30 +1647,30 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Red&igeer Alles - + Insert Slide Voeg 'n Skyfie in - + You need to add at least one slide. - + Ten minste een skyfie moet bygevoeg word CustomPlugin.EditVerseForm - + Edit Slide - Redigeer Skyfie + Wysig Skyfie CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1806,11 +1698,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Beelde - - - Load a new image. - Laai 'n nuwe beeld. - Add a new image. @@ -1841,38 +1728,48 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Voeg die geselekteerde beeld by die diens. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm Add group - + Voeg groep by Parent group: - + Ouer groep: Group name: - + Groep naam: You need to type in a group name. - - - - - Could not add the new group. - + 'n Groep naam moet ingevoer word. + Could not add the new group. + Nuwe groep kon nie bygevoeg word nie. + + + This group already exists. - + Hierdie groep bestaan reeds. @@ -1880,33 +1777,33 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Select Image Group - + Selekteer Beeld Groep Add images to group: - + Voeg beelde by groep: No group - + Geen groep Existing group - + Reeds bestaande groep New group - + Nuwe groep ImagePlugin.ExceptionDialog - + Select Attachment Selekteer Aanhangsel @@ -1914,67 +1811,66 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) 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. -- Top-level group -- - + -- Boonste vlak groep -- - + You must select an image or group to delete. - + Of 'n beeld of 'n groep om uit te wis moet geselekteer word. - + Remove group - + Verwyder groep - - Are you sure you want to remove "%s" and everything in it? - + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Visuele agtergrond vir beelde met 'n aspek verhouding wat verskil met dié van die skerm. @@ -1982,88 +1878,88 @@ Voeg steeds die ander beelde by? Media.player - + Audio - + Oudio - + Video - + Video - + VLC is an external player which supports a number of different formats. - + VLC is 'n eksterne speler wat 'n aantal verskillende formate ondersteun. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. - + WebKit is 'n media-speler wat loop in 'n webblaaier. Hierdie speler toelaat teks oor video gelewer moet word. - + This media player uses your operating system to provide media capabilities. - + Hierdie media-speler gebruik jou bedryfstelsel om media vermoëns. 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. @@ -2073,32 +1969,32 @@ Voeg steeds die ander beelde by? Select Media Clip - + Selekteer Media Gedeelte Source - + Bron Media path: - + Media pad: Select drive from list - + Selekteer hardeskyf vanaf lys Load disc - + Laai skyf Track Details - + Snit Inligting @@ -2108,52 +2004,52 @@ Voeg steeds die ander beelde by? Audio track: - + Oudio snit: Subtitle track: - + Subtitel snit: HH:mm:ss.z - + HH:mm:ss.z Clip Range - + Gedeelte Omvang Start point: - + Begin punt: Set start point - + Stel begin punt Jump to start point - + Spring na begin punt End point: - + Eindpunt: Set end point - + Stel eindpunt Jump to end point - + Spring na eindpunt @@ -2161,155 +2057,165 @@ Voeg steeds die ander beelde by? No path was given - + Geen pad gegee Given path does not exists - + Gegewe pad bestaan nie An error happened during initialization of VLC player - + 'n Fout het gebeur tydens inisialisering van VLC speler VLC player failed playing the media - + VLC speler versuim om die media te speel - + CD not loaded correctly - + CD nie korrek gelaai nie - + The CD was not loaded correctly, please re-load and try again. - + Die CD was nie korrek gelaai nie, laai weer en probeer weer asseblief. - + DVD not loaded correctly - + DVD nie korrek gelaai nie - + The DVD was not loaded correctly, please re-load and try again. - + Die DVD was nie korrek gelaai nie, laai weer en probeer weer asseblief. - + Set name of mediaclip - + Stel naam van video gedeelte - + Name of mediaclip: - + Naam van media gedeelte: - + Enter a valid name or cancel - + Gee 'n geldige naam of kanselleer - + Invalid character - + Ongeldige karakter - + The name of the mediaclip must not contain the character ":" - + Die naam van die media gedeelta mag nie die ":" karakter bevat nie MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Lêer nie Ondersteun nie - + Use Player: Gebruik Speler: - + VLC player required - + VLC speler vereis - + VLC player required for playback of optical devices - + VLC speler is vir die speel van optiese toestelle nodig - + Load CD/DVD - + Laai CD/DVD - - Load CD/DVD - only supported when VLC is installed and enabled - - - - - The optical disc %s is no longer available. - - - - + Mediaclip already saved - + Media gedeelte alreeds gestoor - + This mediaclip has already been saved - + Hierdie media gedeelte is alreeds gestoor + + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + @@ -2321,92 +2227,93 @@ Voeg steeds die ander beelde by? - Start Live items automatically - - - - - OPenLP.MainWindow - - - &Projector Manager - + Start new Live media automatically + OpenLP - + Image Files Beeld Lêers - - Information - Informasie - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Bybel formaat het verander. Die bestaande Bybels moet opgradeer word. Moet OpenLP dit nou opgradeer? - - - + 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 - + + + + + Video Files + + + + + Data Directory Error + Data Lêer Fout + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + OpenLP.AboutForm - + Credits Krediete - + License Lisensie - - build %s - bou %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. Hierdie program is gratis sagteware, u kan dit herversprei en / of wysig onder die voorwaardes van die GNU General Public License, soos gepubliseer deur die Free Software Foundation; weergawe 2 van die lisensie. - + 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. Hierdie program word versprei in die hoop dat dit nuttig sal wees, maar SONDER ENIGE WAARBORG; sonder die geïmpliseerde waarborg van VERHANDELBAARHEID of GESKIKTHEID VIR 'N SPESIFIEKE DOEL. Sien hieronder vir meer inligting. - + 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. @@ -2423,168 +2330,157 @@ Vind meer uit aangaande OpenLP: http://openlp.org/ OpenLP is geskryf en word onderhou deur vrywilligers. As jy meer gratis Christelike sagteware wil sien, oorweeg dit asseblief om ook vrywillig te wees deur die knoppie hieronder te gebruik. - + Volunteer Vrywilliger - - - Project Lead - - - - - Developers - - - - - Contributors - - - - - Packagers - - - - - Testers - - - Translators - + Project Lead + - Afrikaans (af) - + Developers + - Czech (cs) - + Contributors + - Danish (da) - + Packagers + - German (de) - + Testers + - Greek (el) - + Translators + - English, United Kingdom (en_GB) - + Afrikaans (af) + - English, South Africa (en_ZA) - + Czech (cs) + - Spanish (es) - + Danish (da) + - Estonian (et) - + German (de) + - Finnish (fi) - + Greek (el) + - French (fr) - + English, United Kingdom (en_GB) + - Hungarian (hu) - + English, South Africa (en_ZA) + - Indonesian (id) - + Spanish (es) + - Japanese (ja) - + Estonian (et) + - Norwegian Bokmål (nb) - + Finnish (fi) + - Dutch (nl) - + French (fr) + - Polish (pl) - + Hungarian (hu) + - Portuguese, Brazil (pt_BR) - + Indonesian (id) + - Russian (ru) - + Japanese (ja) + - Swedish (sv) - + Norwegian Bokmål (nb) + - Tamil(Sri-Lanka) (ta_LK) - + Dutch (nl) + - Chinese(China) (zh_CN) - + Polish (pl) + - Documentation - + Portuguese, Brazil (pt_BR) + - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - + Russian (ru) + - + + Swedish (sv) + + + + + Tamil(Sri-Lanka) (ta_LK) + + + + + Chinese(China) (zh_CN) + + + + + Documentation + + + + Final Credit "For God so loved the world that He gave His one and only Son, so that whoever @@ -2596,327 +2492,247 @@ OpenLP is geskryf en word onderhou deur vrywilligers. As jy meer gratis Christel on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings GK (UI) Verstellings - - - Number of recent files to display: - Hoeveelheid onlangse lêers om te vertoon: - - Remember active media manager tab on startup - Onthou die laaste media bestuurder oortjie wanneer die program begin - - - - Double-click to send items straight to live - Dubbel-kliek om die items regstreeks te stuur - - - Expand new service items on creation Sit die nuwe diens items uit wanneer dit geskep word - + Enable application exit confirmation Stel die program in staat om die uitgang bevestiging te vertoon - + Mouse Cursor Muis Wyser - + Hide mouse cursor when over display window Steek die muis wyser weg wanneer dit oor die vertoon venster beweeg - - Default Image - Verstek Beeld - - - - Background color: - Agtergrond kleur: - - - - Image file: - Beeld lêer: - - - + Open File Maak Lêer oop - + Advanced Gevorderd - - - Preview items when clicked in Media Manager - Skou items wanneer gekliek word in die Media Bestuurder - - Browse for an image file to display. - Blaai vir 'n beeld lêer om te vertoon. - - - - Revert to the default OpenLP logo. - Verander terug na die verstek OpenLP logo. - - - Default Service Name Verstek Diens Naam - + Enable default service name Laat verstek diens naam toe - + Date and Time: Datum en Tyd: - + Monday Maandag - + Tuesday Dinsdag - + Wednesday Woensdag - + Friday Vrydag - + Saturday Saterdag - + Sunday Sondag - + Now Nou - + Time when usual service starts. Tyd wanneer gewone diens begin. - + Name: Naam: - + Consult the OpenLP manual for usage. Konsulteer die OpenLP handleiding vir gebruik. - - Revert to the default service name "%s". - Herstel tot die verstek diens naam "%s". - - - + Example: Voorbeeld: - + Bypass X11 Window Manager Werk om X11 Venster Bestuurder - + Syntax error. Sintaks fout. - + Data Location Data Ligging - + Current path: Huidige pad: - + Custom path: Eie pad: - + Browse for new data file location. Blaai vir nuwe data lêer ligging. - + Set the data location to the default. Stel die data ligging na die verstek ligging. - + Cancel Kanselleer - + Cancel OpenLP data directory location change. Kanselleer OpenLP data lêer ligging verandering. - + Copy data to new location. Kopiër data na nuwe ligging. - + Copy the OpenLP data files to the new location. Kopiër die OpenLP data lêers na die nuwe ligging. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>WAARSKUWING:</strong> Nuwe data lêer ligging bevat OpenLP data lêers. Hierdie lêers SAL vervang word gedurende kopiëring. - - Data Directory Error - Data Lêer Fout - - - + Select Data Directory Location Selekteer Data Lêer Ligging - + Confirm Data Directory Change Bevestig Data Lêer Verandering - + Reset Data Directory Herstel Data Lêer - + Overwrite Existing Data Oorskryf Bestaande 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 gids was nie gevind nie - -%s - -Hierdie data gids was voorheen verander vanaf die OpenLP verstek ligging. As die nuwe op verwyderbare media was, moet daardie media weer beskikbaar gemaak word. - -Kliek "Nee" om die laai van OpenLP te staak, en jou toe te laat om die probleem op te los. Kliek "Ja" om die data gids na die verstek ligging te herstel. - - - - 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. - Verander die ligging van die OpenLP data gids sekerlik na: - -%s - -Die data gids sal verander word wanneer OpenLP toe gemaak word. - - - + Thursday - + - + Display Workarounds - + - + Use alternating row colours in lists - + - - 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. - + - + 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. @@ -2924,326 +2740,470 @@ This location will be used after OpenLP is closed. Hierdie ligging sal gebruik word nadat OpenLP toegemaak is. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automaties + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Kliek om 'n kleur te kies. 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 - + RGB + - Video 5 - + Video + Video - Video 6 - + Digital + - Video 7 - + Storage + - Video 8 - - - - - Video 9 - - - - - Digital 1 - - - - - Digital 2 - + Network + - Digital 3 - + RGB 1 + - Digital 4 - + RGB 2 + - Digital 5 - + RGB 3 + - Digital 6 - + RGB 4 + - Digital 7 - + RGB 5 + - Digital 8 - + RGB 6 + - Digital 9 - + RGB 7 + - Storage 1 - + RGB 8 + - Storage 2 - + RGB 9 + - Storage 3 - + Video 1 + - Storage 4 - + Video 2 + - Storage 5 - + Video 3 + - Storage 6 - + Video 4 + - Storage 7 - + Video 5 + - Storage 8 - + Video 6 + - Storage 9 - + Video 7 + - Network 1 - + Video 8 + - Network 2 - + Video 9 + - Network 3 - + Digital 1 + - Network 4 - + Digital 2 + - Network 5 - + Digital 3 + - Network 6 - + Digital 4 + - Network 7 - + Digital 5 + - Network 8 - + 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 'n Fout het opgeduik - + Send E-Mail Stuur E-pos - + Save to File Stoor na Lêer - + Attach File Heg 'n Lêer aan - - - Description characters to enter : %s - Beskrywende karakters om in te voer: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - - 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. Also attach any files that triggered the problem. - + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platvorm: %s - - - - + Save Crash Report Stoor Bots Verslag - + Text files (*.txt *.log *.text) Teks lêers (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3284,265 +3244,258 @@ Hierdie ligging sal gebruik word nadat OpenLP toegemaak is. 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. - Geen Internet verbinding was gevind nie. Die Eerste Keer Gids benodig 'n Internet konneksie in orde om voorbeeld liedere, Bybels en temas af te laai. Kliek die Voltooi knoppie nou om OpenLP te begin met begin instellings en geen voorbeeld data nie. - -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. - + + 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 + + + + + Unable to download some files + + + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + -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 - +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + @@ -3575,55 +3528,60 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Default Formatting - + Custom Formatting - + OpenLP.FormattingTagForm - + <HTML here> <HTML hier> - + Validation Error Validerings Fout - + Description is missing - + - + Tag is missing - + - Tag %s already defined. - Etiket %s alreeds gedefinieër. + Tag {tag} already defined. + - Description %s already defined. - + Description {tag} already defined. + - - Start tag %s is not valid HTML - + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3712,170 +3670,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General Algemeen - + Monitors Monitors - + Select monitor for output display: Selekteer monitor vir uitgaande vertoning: - + Display if a single screen Vertoon as dit 'n enkel skerm is - + Application Startup Applikasie Aanskakel - + Show blank screen warning Vertoon leë skerm waarskuwing - - Automatically open the last service - Maak vanself die laaste diens oop - - - + Show the splash screen Wys die spatsel skerm - + Application Settings Program Verstellings - + Prompt to save before starting a new service Vra om te stoor voordat 'n nuwe diens begin word - - Automatically preview next item in service - Wys voorskou van volgende item in diens automaties - - - + sec sek - + CCLI Details CCLI Inligting - + SongSelect username: SongSelect gebruikersnaam: - + SongSelect password: SongSelect wagwoord: - + X X - + Y Y - + Height Hoogte - + Width Wydte - + Check for updates to OpenLP Kyk vir opdaterings van OpenLP - - Unblank display when adding new live item - Verwyder blanko vertoning wanneer 'n nuwe regstreekse item bygevoeg word - - - + Timed slide interval: Tyd-gedrewe skyfie interval: - + Background Audio Agtergrond Oudio - + Start background audio paused Begin agtergrond oudio gestop - + Service Item Slide Limits Diens Item Skyfie Limiete - + Override display position: Oorheers vertoon ligging: - + Repeat track list Herhaal snit lys - + Behavior of next/previous on the last/first slide: Gedrag van die vorige/volgende op die laaste/eerste skyfie: - + &Remain on Slide &Bly op Skyfie - + &Wrap around Omvou - + &Move to next/previous service item Beweeg na volgende/vorige diens ite&m + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Blaai vir 'n beeld lêer om te vertoon. + + + + Revert to the default OpenLP logo. + Verander terug na die verstek OpenLP logo. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Taal - + Please restart OpenLP to use your new language setting. Herlaai asseblief OpenLP om die nuwe taal instelling te gebruik. @@ -3883,7 +3871,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Vertooning @@ -3891,352 +3879,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainWindow - + &File &Lêer - + &Import &Invoer - + &Export Uitvo&er - + &View &Bekyk - - M&ode - M&odus - - - + &Tools &Gereedskap - + &Settings Ver&stellings - + &Language Taa&l - + &Help &Hulp - - Service Manager - Diens Bestuurder - - - - Theme Manager - Tema Bestuurder - - - + Open an existing service. Maak 'n bestaande diens oop. - + Save the current service to disk. Stoor die huidige diens na skyf. - + Save Service As Stoor Diens As - + Save the current service under a new name. Stoor die huidige diens onder 'n nuwe naam. - + E&xit &Uitgang - - Quit OpenLP - Sluit OpenLP Af - - - + &Theme &Tema - + &Configure OpenLP... &Konfigureer OpenLP... - - &Media Manager - &Media Bestuurder - - - - Toggle Media Manager - Wissel Media Bestuurder - - - - Toggle the visibility of the media manager. - Wissel sigbaarheid van die media bestuurder. - - - - &Theme Manager - &Tema Bestuurder - - - - Toggle Theme Manager - Wissel Tema Bestuurder - - - - Toggle the visibility of the theme manager. - Wissel sigbaarheid van die tema bestuurder. - - - - &Service Manager - &Diens Bestuurder - - - - Toggle Service Manager - Wissel Diens Bestuurder - - - - Toggle the visibility of the service manager. - Wissel sigbaarheid van die diens bestuurder. - - - - &Preview Panel - Voorskou &Paneel - - - - Toggle Preview Panel - Wissel Voorskou Paneel - - - - Toggle the visibility of the preview panel. - Wissel sigbaarheid van die voorskou paneel. - - - - &Live Panel - Regstreekse Panee&l - - - - Toggle Live Panel - Wissel Regstreekse Paneel - - - - Toggle the visibility of the live panel. - Wissel sigbaarheid van die regstreekse paneel. - - - - List the Plugins - Lys die Mini-programme - - - - &User Guide - Gebr&uikers Gids - - - + &About &Aangaande - - More information about OpenLP - Meer inligting aangaande OpenLP - - - - &Online Help - &Aanlyn Hulp - - - + &Web Site &Web Tuiste - + Use the system language, if available. Gebruik die sisteem se taal as dit beskikbaar is. - - Set the interface language to %s - Verstel die koppelvlak taal na %s - - - + Add &Tool... Voeg Gereedskaps&tuk by... - + Add an application to the list of tools. Voeg 'n applikasie by die lys van gereedskapstukke. - - &Default - &Verstek - - - - Set the view mode back to the default. - Verstel skou modus terug na verstek modus. - - - + &Setup Op&stel - - Set the view mode to Setup. - Verstel die skou modus na Opstel modus. - - - + &Live &Regstreeks - - Set the view mode to Live. - Verstel die skou modus na Regstreeks. - - - - 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/. - Weergawe %s van OpenLP is nou beskikbaar vir aflaai (tans word weergawe %s gebruik). - -Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/. - - - + OpenLP Version Updated OpenLP Weergawe is Opdateer - + OpenLP Main Display Blanked OpenLP Hoof Vertoning Blanko - + The Main Display has been blanked out Die Hoof Skerm is afgeskakel - - Default Theme: %s - Verstek Tema: %s - - - + English Please add the name of your language here Engels - + Configure &Shortcuts... Konfigureer Kor&tpaaie... - + Open &Data Folder... Maak &Data Lêer oop... - + Open the folder where songs, bibles and other data resides. Maak die lêer waar liedere, bybels en ander data is, oop. - + &Autodetect Spoor outom&aties op - + Update Theme Images Opdateer Tema Beelde - + Update the preview images for all themes. Opdateer die voorskou beelde vir alle temas. - + Print the current service. Druk die huidige diens. - - L&ock Panels - Sl&uit Panele - - - - Prevent the panels being moved. - Voorkom dat die panele rondgeskuif word. - - - + Re-run First Time Wizard Her-gebruik Eerste Keer Gids - + Re-run the First Time Wizard, importing songs, Bibles and themes. Her-gebruik die Eerste Keer Gids om liedere, Bybels en tema's in te voer. - + Re-run First Time Wizard? Her-gebruik Eerste Keer Gids? - + 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. @@ -4245,306 +4069,447 @@ 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. - + Configure &Formatting Tags... Konfigureer &Formattering Etikette... - - Export OpenLP settings to a specified *.config file - Voer OpenLP verstellings uit na 'n spesifieke *.config lêer - - - + Settings Instellings - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Voer OpenLP verstellings in vanaf 'n gespesifiseerde *.config lêer wat voorheen op hierdie of 'n ander masjien uitgevoer is - - - + Import settings? Voer verstellings in? - - Open File - Maak Lêer oop - - - - OpenLP Export Settings Files (*.conf) - OpenLP Uitvoer Verstelling Lêers (*.conf) - - - + Import settings Voer verstellings in - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP sal nou toe maak. Ingevoerde verstellings sal toegepas word die volgende keer as OpenLP begin word. - + Export Settings File Voer Verstellings Lêer Uit - - OpenLP Export Settings File (*.conf) - 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 - Kopiëring van OpenLP Data gids het gevaal - -%s - - - + General Algemeen - + 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. - + + &Recent Services + - - An error occurred while exporting the settings: %s - + + &New Service + + + + + &Open Service + - &Recent Services - - - - - &New Service - - - - - &Open Service - - - - &Save Service - + - + Save Service &As... - + - + &Manage Plugins - + - + Exit OpenLP - + - + Are you sure you want to exit OpenLP? - + - + &Exit OpenLP - + + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Diens + + + + Themes + Temas + + + + Projectors + + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + 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 - Die databasis wat gelaai is, was geskep in 'n meer onlangse weergawe van OpenLP. Die databasis is weergawe %d, terwyl OpenLP weergawe %d verwag. Die databasis sal nie gelaai word nie. - -Databasis: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP kan nie die databasis laai nie. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Databasis: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Geen items geselekteer nie - + &Add to selected Service Item &Voeg by die geselekteerde Diens item - + You must select one or more items to preview. Kies een of meer items vir die voorskou. - + You must select one or more items to send live. Kies een of meer items vir regstreekse uitsending. - + You must select one or more items. Kies een of meer items. - + You must select an existing service item to add to. 'n Bestaande diens item moet geselekteer word om by by te voeg. - + Invalid Service Item Ongeldige Diens Item - - You must select a %s service item. - Kies 'n %s diens item. - - - + You must select one or more items to add. Kies een of meer items om by te voeg. - - No Search Results - Geen Soek Resultate - - - + Invalid File Type Ongeldige Lêer Tipe - - Invalid File %s. -Suffix not supported - Ongeldige Lêer %s. Agtervoegsel nie ondersteun nie - - - + &Clone &Kloon - + Duplicate files were found on import and were ignored. Duplikaat lêers gevind tydens invoer en is geïgnoreer. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> etiket is vermis. - + <verse> tag is missing. <verse> etiket is vermis. @@ -4552,112 +4517,107 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status - + - + No message - + - + Error while sending data to projector - + - + Undefined command: - + OpenLP.PlayerTab - + Players - + - + Available Media Players Beskikbare Media Spelers - + Player Search Order - + - + Visible background for videos with aspect ratio different to screen. - + - + %s (unavailable) %s (onbeskikbaar) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + OpenLP.PluginForm - + Plugin Details Mini-program Besonderhede - + Status: Status: - + Active Aktief - - Inactive - Onaktief - - - - %s (Inactive) - %s (Onaktief) - - - - %s (Active) - %s (Aktief) + + Manage Plugins + - %s (Disabled) - %s (Onaktief) + {name} (Disabled) + - - Manage Plugins - + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Pas Blaai - + Fit Width Pas Wydte @@ -4665,712 +4625,767 @@ Suffix not supported OpenLP.PrintServiceForm - + Options Opsies - + Copy Kopieër - + Copy as HTML Kopieër as HTML - + Zoom In Zoom In - + Zoom Out Zoem Uit - + Zoom Original Zoem Oorspronklike - + Other Options Ander Opsies - + Include slide text if available Sluit skyfie teks in indien beskikbaar - + Include service item notes Sluit diens item notas in - + Include play length of media items Sluit die speel tyd van die media items in - + Add page break before each text item Voeg 'n bladsy-breking voor elke teks item - + Service Sheet Diens Blad - + Print Druk - + Title: Titel: - + Custom Footer Text: Verpersoonlike Voetskrif Teks: OpenLP.ProjectorConstants - - - OK - - - - - General projector error - - - - - Not connected error - - - - - Lamp error - - - - - Fan error - - - - - High temperature detected - - - - - Cover open detected - - - - - Check filter - - - Authentication Error - + OK + - Undefined Command - + General projector error + - Invalid Parameter - + Not connected error + - Projector Busy - + Lamp error + - Projector/Display Error - + Fan error + - Invalid packet received - + High temperature detected + - Warning condition detected - + Cover open detected + - Error condition detected - + Check filter + - PJLink class not supported - + Authentication Error + - Invalid prefix character - + Undefined Command + - The connection was refused by the peer (or timed out) - + Invalid Parameter + + + + + Projector Busy + - The remote host closed the connection - + Projector/Display Error + + + + + Invalid packet received + - The host address was not found - + Warning condition detected + - The socket operation failed because the application lacked the required privileges - + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + - The local system ran out of resources (e.g., too many sockets) - + The connection was refused by the peer (or timed out) + - The socket operation timed out - + The remote host closed the connection + - The datagram was larger than the operating system's limit - + The host address was not found + - - An error occurred with the network (Possibly someone pulled the plug?) - + + The socket operation failed because the application lacked the required privileges + - The address specified with socket.bind() is already in use and was set to be exclusive - + The local system ran out of resources (e.g., too many sockets) + - - The address specified to socket.bind() does not belong to the host - + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + - The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) - + An error occurred with the network (Possibly someone pulled the plug?) + - - The socket is using a proxy, and the proxy requires authentication - + + The address specified with socket.bind() is already in use and was set to be exclusive + - - The SSL/TLS handshake failed - + + The address specified to socket.bind() does not belong to the host + - The last operation attempted has not finished yet (still in progress in the background) - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + - Could not contact the proxy server because the connection to that server was denied - + The socket is using a proxy, and the proxy requires authentication + - The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) - + The SSL/TLS handshake failed + - - The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. - + + The last operation attempted has not finished yet (still in progress in the background) + - - 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 - + + 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 + - Edit Projector - + IP Address + - - IP Address - + + Port Number + - Port Number - + PIN + - PIN - + Name + - Name - + Location + - Location - - - - Notes Notas - + Database Error Databasis Fout - + 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 - + + Name + + + + + IP + + + + Port Poort - + Notes Notas - + Projector information not available at this time. - + - + Projector Name - - - - - Manufacturer - - - - - Model - + - Other info - + Manufacturer + - Power status - + Model + - Shutter is - - - - - Closed - + 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 - + - - Delete projector (%s) %s? - - - - + Are you sure you want to delete this projector? - + + + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + + + + + No Authentication Error + OpenLP.ProjectorPJLink - + Fan - + - + Lamp - + - + Temperature - + - + Cover - + - + Filter - + - + Other Ander @@ -5380,55 +5395,55 @@ Suffix not supported 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 - + @@ -5439,27 +5454,27 @@ Suffix not supported Skerm - + primary primêr OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Begin</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Durasie</strong>: %s - - [slide %d] - + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5523,52 +5538,52 @@ Suffix not supported Wis geselekteerde item van die diens af. - + &Add New Item &Voeg Nuwe Item By - + &Add to Selected Item &Voeg by Geselekteerde Item - + &Edit Item R&edigeer Item - + &Reorder Item Ve&rander Item orde - + &Notes &Notas - + &Change Item Theme &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 @@ -5593,7 +5608,7 @@ Suffix not supported Stort al die diens items ineen. - + Open File Maak Lêer oop @@ -5623,22 +5638,22 @@ Suffix not supported Stuur die geselekteerde item Regstreeks. - + &Start Time &Begin Tyd - + Show &Preview Wys &Voorskou - + Modified Service Redigeer Diens - + The current service has been modified. Would you like to save this service? Die huidige diens was verander. Stoor hierdie diens? @@ -5658,27 +5673,27 @@ Suffix not supported Speel tyd: - + Untitled Service 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 @@ -5698,143 +5713,143 @@ 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. - + Service File(s) Missing Diens Lêer(s) Vermis - + &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. 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - + + + + + An error occurred while writing the service file: {error} + @@ -5866,15 +5881,10 @@ These files will be removed if you continue to save. Kortpad - + Duplicate Shortcut Duplikaat Kortpad - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Die kortpad "%s" is alreeds toegeken aan 'n ander aksie, kies asseblief 'n ander kortpad. - Alternate @@ -5920,237 +5930,253 @@ These files will be removed if you continue to save. Configure Shortcuts Konfigureer Kortpaaie + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Verskuil - + Go To Gaan Na - - - Blank Screen - Blanko Skerm - - Blank to Theme - Blanko na Tema - - - Show Desktop Wys Werkskerm - + Previous Service Vorige Diens - + Next Service Volgende Diens - - Escape Item - Ontsnap Item - - - + Move to previous. Skuif terug. - + Move to next. Skuif volgende. - + Play Slides Speel Skyfies - + Delay between slides in seconds. Vertraging tussen skyfies in sekondes. - + Move to live. Skuif na regstreeks. - + Add to Service. Voeg by Diens. - + Edit and reload song preview. Redigeer en herlaai lied voorskou. - + Start playing media. Begin media speel. - + Pause audio. Stop oudio. - + Pause playing media. Halt spelende media. - + Stop playing media. Stop spelende media. - + Video position. Video posisie. - + Audio Volume. Oudio Volume. - + Go to "Verse" Gaan na "Vers" - + Go to "Chorus" Gaan na "Koor" - + Go to "Bridge" Gaan na "Brug" - + Go to "Pre-Chorus" Gaan na "Pre-Koor" - + Go to "Intro" Gaan na "Inleiding" - + Go to "Ending" Gaan na "Einde" - + Go to "Other" Gaan na "Ander" - + Previous Slide Vorige Skyfie - + Next Slide Volgende Skyfie - + Pause Audio Hou Oudio - + Background Audio Agtergrond Oudio - + Go to next audio track. Gaan na die volgende oudio snit. - + Tracks Snitte + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source - + - + 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 - + - + 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 Spelling Voorstelle - + Formatting Tags Uitleg Hakkies - + Language: Taal: @@ -6229,7 +6255,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (ongeveer %d lyne per skyfie) @@ -6237,521 +6263,531 @@ These files will be removed if you continue to save. OpenLP.ThemeManager - + Create a new theme. Skep 'n nuwe tema. - + Edit Theme Redigeer Tema - + Edit a theme. Redigeer 'n tema. - + Delete Theme Wis Tema Uit - + Delete a theme. Wis 'n tema uit. - + Import Theme Voer Tema In - + Import a theme. Voer 'n tema in. - + Export Theme Voer Tema Uit - + Export a theme. Voer 'n tema uit. - + &Edit Theme R&edigeer Tema - + &Delete Theme &Wis Tema uit - + Set As &Global Default Stel in As &Globale Standaard - - %s (default) - %s (standaard) - - - + You must select a theme to edit. Kies 'n tema om te redigeer. - + You are unable to delete the default theme. Die standaard tema kan nie uitgewis word nie. - + 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 - + Select Theme Import File Kies Tema Invoer Lêer - + File is not a valid theme. Lêer is nie 'n geldige tema nie. - + &Copy Theme &Kopieër Tema - + &Rename Theme He&rnoem Tema - + &Export Theme Vo&er Tema uit - + You must select a theme to rename. Kies 'n tema om te hernoem. - + Rename Confirmation Hernoem Bevestiging - + Rename %s theme? Hernoem %s tema? - + You must select a theme to delete. Kies 'n tema om uit te wis. - + Delete Confirmation Uitwis Bevestiging - + Delete %s theme? Wis %s tema uit? - + Validation Error Validerings Fout - + A theme with this name already exists. 'n Tema met hierdie naam bestaan alreeds. - - Copy of %s - Copy of <theme name> - 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) - + - - %s time(s) by %s - - - - + Unable to delete theme - + + + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - +{text} + OpenLP.ThemeWizard - + Theme Wizard Tema Gids - + Welcome to the Theme Wizard Welkom by die Tema Gids - + Set Up Background Stel die Agtergrond Op - + Set up your theme's background according to the parameters below. Stel jou tema se agtergrond op volgens die parameters hier onder. - + Background type: Agtergrond tipe: - + Gradient Gradiënt - + Gradient: Gradiënt: - + Horizontal Horisontaal - + Vertical Vertikaal - + Circular Sirkelvormig - + Top Left - Bottom Right Links Bo - Regs Onder - + Bottom Left - Top Right Links Onder - Regs Bo - + Main Area Font Details Hoof Area Skrif Gegewens - + Define the font and display characteristics for the Display text Definieër die skrif en vertoon karrakters vir die Vertoon teks - + Font: Skrif: - + Size: Grootte: - + Line Spacing: Lyn Spasiëring: - + &Outline: &Buitelyn: - + &Shadow: &Skaduwee: - + Bold Vetdruk - + Italic Italiaans - + Footer Area Font Details Voetskrif Area Skrif Gegewens - + Define the font and display characteristics for the Footer text Definieër die skrif en vertoon karraktereienskappe vir die Voetskrif teks - + Text Formatting Details Teks Formattering Gegewens - + Allows additional display formatting information to be defined Laat toe dat addisionele vertoon formattering inligting gedifinieër word - + Horizontal Align: Horisontale Sporing: - + Left Links - + Right Regs - + Center Middel - + Output Area Locations Uitvoer Area Liggings - + &Main Area &Hoof Area - + &Use default location Gebr&uik verstek ligging - + X position: X posisie: - + px px - + Y position: Y posisie: - + Width: Wydte: - + Height: Hoogte: - + Use default location Gebruik verstek ligging - + Theme name: Tema naam: - - Edit Theme - %s - Redigeer Tema - %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. Hierdie gids sal help om temas te skep en te redigeer. Klik die volgende knoppie hieronder om die proses te begin deur jou agtergrond op te stel. - + Transitions: Oorskakel effekte: - + &Footer Area &Voetskrif Area - + Starting color: Begin Kleur: - + Ending color: Eind Kleur: - + Background color: Agtergrond kleur: - + Justify Uitsgespan - + Layout Preview Uitleg Voorskou - + Transparent Deurskynend - + Preview and Save Skou en Stoor - + Preview the theme and save it. Skou die tema en stoor dit. - + Background Image Empty Leë Agtergrond Beeld - + Select Image Selekteer Beeld - + Theme Name Missing Tema Naam Vermis - + There is no name for this theme. Please enter one. Daar is geen naam vir hierdie tema nie. Voer asseblief een in. - + Theme Name Invalid Tema Naam Ongeldig - + Invalid theme name. Please enter one. Ongeldige tema naam. Voer asseblief een in. - + 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. 'n Agtergrond beeld is nie gekies nie. Kies asseblief een voor jy aangaan. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6803,12 +6839,12 @@ These files will be removed if you continue to save. Universal Settings - + &Wrap footer text - + @@ -6834,73 +6870,73 @@ These files will be removed if you continue to save. &Vertikale Sporing: - + Finished import. Invoer voltooi. - + Format: Formaat: - + Importing Invoer - + Importing "%s"... "%s" ingevoer... - + Select Import Source Selekteer Invoer Bron - + Select the import format and the location to import from. Selekteer die invoer vormaat en die ligging vanwaar invoer geskied. - + Open %s File Maak %s Lêer Oop - + %p% %p% - + Ready. Gereed. - + Starting import... Invoer begin... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Spesifiseer ten minste een %s lêer om vanaf in te voer. - + Welcome to the Bible Import Wizard Welkom by die Bybel Invoer Gids - + Welcome to the Song Export Wizard Welkom by die Lied Uitvoer Gids - + Welcome to the Song Import Wizard Welkom by die Lied Invoer Gids @@ -6918,7 +6954,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6950,585 +6986,635 @@ These files will be removed if you continue to save. XML sintaks fout - - Welcome to the Bible Upgrade Wizard - Welkom by die Bybel Opgradeer Gids - - - + Open %s Folder Maak %s Gids Oop - + You need to specify one %s file to import from. A file type e.g. OpenSong Een %s lêer moet gespesifiseer word om vanaf in te voer. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Een %s gids moet gespesifiseer word om vanaf in te voer. - + Importing Songs Voer Liedere In - + Welcome to the Duplicate Song Removal Wizard - + - + Written by - + Author Unknown - + - + About Aangaande - + &Add &Voeg by - + Add group - + Voeg groep by - + Advanced Gevorderd - + All Files Alle Lêers - + Automatic Automaties - + Background Color Agtergrond Kleur - + Bottom Onder - + Browse... Deursoek... - + Cancel Kanselleer - + CCLI number: CCLI nommer: - + Create a new service. Skep 'n nuwe diens. - + Confirm Delete Bevesting Uitwissing - + Continuous Aaneen-lopend - + Default Verstek - + Default Color: Verstek Kleur: - + 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. Diens %Y-%m-%d %H-%M - + &Delete &Wis Uit - + Display style: Vertoon styl: - + Duplicate Error Dupliseer Fout - + &Edit R&edigeer - + Empty Field Leë Veld - + Error Fout - + Export Uitvoer - + File Lêer - + File Not Found Lêer nie gevind nie - - File %s not found. -Please try selecting it individually. - Lêer %s nie gevind nie. -Probeer asseblief om dit individueel te kies. - - - + pt Abbreviated font pointsize unit pt - + Help Hulp - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Ongeldige Gids Geselekteer - + Invalid File Selected Singular Ongeldige Lêer Geselekteer - + Invalid Files Selected Plural Ongeldige Lêer Geselekteer - + Image Beeld - + Import Voer in - + Layout style: Uitleg styl: - + Live Regstreeks - + Live Background Error Regstreekse Agtergrond Fout - + Live Toolbar Regstreekse Gereedskapsbalk - + Load Laai - + Manufacturer Singular - + - + Manufacturers Plural - + - + Model Singular - + - + Models Plural - + - + m The abbreviated unit for minutes m - + Middle Middel - + New Nuwe - + New Service Nuwe Diens - + New Theme Nuwe Tema - + Next Track Volgende Snit - + No Folder Selected Singular Geen Gids Geselekteer nie - + No File Selected Singular Geen Lêer Geselekteer nie - + No Files Selected Plural Geen Leêrs Geselekteer nie - + No Item Selected Singular Geen Item Geselekteer nie - + No Items Selected Plural Geen items geselekteer nie - + OpenLP is already running. Do you wish to continue? OpenLP is reeds ana die gang. Gaan voort? - + Open service. Maak 'n diens oop. - + Play Slides in Loop Speel Skyfies in Herhaling - + Play Slides to End Speel Skyfies tot Einde - + Preview 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 - + CCLI song number: - + - + Preview Toolbar - + - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + Agtergrond kleur: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Geeb Bybels Beskikbaar nie + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Vers + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Geen Soek Resultate + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - + + {one} and {two} + - - %s, and %s - Locale list separator: end - - - - - %s, %s - Locale list separator: middle - - - - - %s, %s - Locale list separator: start - + + {first} and {last} + @@ -7536,7 +7622,7 @@ Probeer asseblief om dit individueel te kies. Source select dialog interface - + @@ -7608,47 +7694,47 @@ Probeer asseblief om dit individueel te kies. Bied aan met: - + File Exists Lêer Bestaan Reeds - + A presentation with that filename already exists. 'n Aanbieding met daardie lêernaam bestaan reeds. - + This type of presentation is not supported. Hierdie tipe aanbieding word nie ondersteun nie. - - Presentations (%s) - Aanbiedinge (%s) - - - + Missing Presentation Vermisde Aanbieding - - The presentation %s is incomplete, please reload. - Die aanbieding %s is onvolledig, herlaai asseblief. + + Presentations ({text}) + - - The presentation %s no longer exists. - Die aanbieding %s bestaan nie meer nie. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + @@ -7658,11 +7744,6 @@ Probeer asseblief om dit individueel te kies. Available Controllers Beskikbare Beheerders - - - %s (unavailable) - %s (onbeskikbaar) - Allow presentation application to be overridden @@ -7671,37 +7752,43 @@ Probeer asseblief om dit individueel te kies. 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. - + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7732,218 +7819,279 @@ Probeer asseblief om dit individueel te kies. Server Config Change - + Server configuration changes will require a restart to take effect. - + 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 - + Remote Afstandbeheer - + Stage View - + Verhoog skerm - + Live View - + Lewendige Kykskerm RemotePlugin.RemoteTab - + Serve on IP address: Bedien op hierdie IP adres: - + Port number: Poort nommer: - + Server Settings Bediener Verstellings - + Remote URL: Afgeleë URL: - + Stage view URL: Verhoog vertoning URL: - + Display stage time in 12h format Vertoon verhoog tyd in 12 uur formaat - + Android App Android Program - + 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: Wagwoord: - + Show thumbnails of non-text slides in remote and stage view. - + - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Skryf Ligging Nie Gekies Nie + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Verslag Skepping + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -7984,50 +8132,50 @@ Probeer asseblief om dit individueel te kies. 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 @@ -8058,12 +8206,12 @@ Probeer asseblief om dit individueel te kies. 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. - + @@ -8094,24 +8242,10 @@ All data recorded before this date will be permanently deleted. Uitvoer Lêer Ligging - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation Verslag Skepping - - - Report -%s -has been successfully created. - Verslag - %s -was suksesvol geskep. - Output Path Not Selected @@ -8121,17 +8255,29 @@ was suksesvol geskep. 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 - + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8147,102 +8293,102 @@ Please select an existing path on your computer. 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... - + Arabic (CP-1256) Arabies (CP-1256) - + Baltic (CP-1257) Balties (CP-1257) - + Central European (CP-1250) Sentraal Europees (CP-1250) - + Cyrillic (CP-1251) Cyrillies (CP-1251) - + Greek (CP-1253) Grieks (CP-1253) - + Hebrew (CP-1255) Hebreeus (CP-1255) - + Japanese (CP-932) Japanees (CP-932) - + Korean (CP-949) Koreaans (CP-949) - + Simplified Chinese (CP-936) Vereenvoudigde Chinees (CP-936) - + Thai (CP-874) Thai (CP-874) - + Traditional Chinese (CP-950) Tradisionele Chinees (CP-950) - + Turkish (CP-1254) Turks (CP-1254) - + Vietnam (CP-1258) Viëtnamees (CP-1258) - + Western European (CP-1252) Wes-Europees (CP-1252) - + Character Encoding Karrakter Enkodering - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8252,26 +8398,26 @@ Gewoonlik is die reeds-geselekteerde keuse voldoende. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Kies asseblief die karrakter enkodering. Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. - + Song name singular Lied - + Songs name plural Liedere - + Songs container title Liedere @@ -8282,59 +8428,74 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.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. - + + + + + Songs + Liedere + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + @@ -8343,25 +8504,25 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. 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 - + @@ -8415,67 +8576,72 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. Invalid DreamBeam song file. Missing DreamSong tag. - + SongsPlugin.EasyWorshipSongImport - - Administered by %s - Toegedien deur %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. - + + 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. - + + + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Eie Boek Name @@ -8558,57 +8724,57 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Tema, Kopiereg Informasie && Kommentaar - + Add Author Voeg Skrywer By - + This author does not exist, do you want to add them? Hierdie skrywer bestaan nie, moet die skrywer bygevoeg word? - + This author is already in the list. Hierdie skrywer is alreeds in die lys. - + 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. Die geselekteerde skrywer is ongeldig. Kies 'n skrywer vanaf die lys of voer 'n nuwe skrywer in en kliek op die "Voeg Skrywer by Lied" knoppie om die skrywer by te voeg. - + Add Topic Voeg Onderwerp by - + This topic does not exist, do you want to add it? Die onderwerp bestaan nie. Voeg dit by? - + This topic is already in the list. Die onderwerp is reeds in die lys. - + 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. Geselekteerde onderwerp is ongeldig. Kies 'n onderwerp vanaf die lys of voer 'n nuwe onderwerp in en kliek die "Voeg Onderwerp by Lied" knoppie om die onderwerp by te voeg. - + You need to type in a song title. Tik 'n lied titel in. - + You need to type in at least one verse. Ten minste een vers moet ingevoer word. - + You need to have an author for this song. Daar word 'n outeur benodig vir hierdie lied. @@ -8633,7 +8799,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Verwyder &Alles - + Open File(s) Maak Lêer(s) Oop @@ -8648,97 +8814,111 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.<strong>Waarskuwing:</strong>'n Vers orde is nie ingevoer nie. - - 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 - - - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - + &Manage Authors, Topics, Songbooks - + Add &to Song - + Re&move - + Authors, Topics && Songbooks - + - + Add Songbook - + - + This Songbook does not exist, do you want to add it? - + - + This Songbook is already in the list. - + - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse Redigeer Vers - + &Verse type: &Vers tipe: - + &Insert Sit Tussen-&in - + Split a slide into two by inserting a verse splitter. Verdeel 'n skyfie in twee deur 'n vers-verdeler in te sit. @@ -8751,85 +8931,85 @@ Please enter the verses separated by spaces. Lied Uitvoer Gids - + Select Songs Kies Liedere - + Check the songs you want to export. Merk die liediere wat uitgevoer moet vord. - + Uncheck All Merk Alles Af - + Check All Merk Alles Aan - + Select Directory Kies Lêer-gids - + Directory: Lêer Gids: - + Exporting Uitvoer - + Please wait while your songs are exported. Wag asseblief terwyl die liedere uitgevoer word. - + You need to add at least one Song to export. Ten minste een lied moet bygevoeg word om uit te voer. - + No Save Location specified Geen Stoor Ligging gespesifiseer nie - + Starting export... Uitvoer begin... - + You need to specify a directory. 'n Lêer gids moet gespesifiseer word. - + Select Destination Folder Kies Bestemming Lêer gids - + Select the directory where you want the songs to be saved. Kies die gids waar die liedere gestoor moet word. - + 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. Ongeldige Foilpresenter lied lêer. Geen verse gevin die. @@ -8837,7 +9017,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Bekragtig soek soos getik word @@ -8845,7 +9025,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selekteer Dokument/Aanbieding Lêers @@ -8855,237 +9035,252 @@ Please enter the verses separated by spaces. Lied Invoer Gids - + 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. Hierdie gids help met die invoer van liedere in verskillende formate. Kliek die volgende knoppie hieronder om die proses te begin deur 'n formaat te kies wat gebruik moet word vir invoer. - + Generic Document/Presentation Generiese Dokumentasie/Aanbieding - + Add Files... Voeg Lêers by... - + Remove File(s) Verwyder Lêer(s) - + Please wait while your songs are imported. Wag asseblief terwyl die liedere ingevoer word. - + Words Of Worship Song Files Words Of Worship Lied Lêers - + Songs Of Fellowship Song Files Songs Of Fellowship Lied Lêers - + SongBeamer Files SongBeamer Lêers - + SongShow Plus Song Files SongShow Plus Lied Lêers - + Foilpresenter Song Files Foilpresenter Lied Lêers - + Copy Kopieër - + Save to File Stoor na Lêer - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Die Liedere van Volgelinge invoerder is onaktief gestel omdat OpenLP nie toegang tot OpenOffice of LibreOffice het nie. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Die generiese dokument/aanbieding invoerder is onaktief gestel omdat OpenLP nie toegang tot OpenOffice of LibreOffice het nie. - + OpenLyrics Files OpenLyrics Lêers - + CCLI SongSelect Files CCLI SongSelect Lêers - + EasySlides XML File EeasySlides XML Lêer - + EasyWorship Song Database EasyWorship Lied Databasis - + DreamBeam Song Files DreamBeam Lied Lêers - + You need to specify a valid PowerSong 1.0 database folder. 'n Geldige PowerSong 1.0 databasis gids moet gespesifiseer word. - + 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>. Verwerk eers jou ZionWorx databasis na 'n CSV teks lêer, soos verduidelik word in die <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Gebruikers Handleiding</a>. - + SundayPlus Song Files SundayPlus Lied Leêrs - + This importer has been disabled. Hierdie invoerder is onaktief gestel. - + MediaShout Database MediaShout Databasis - + 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. Die MediaShout invoerder word slegs ondersteun op Windows. Dit is vanweë 'n vermiste Python module, gedeaktiveer. As jy hierdie invoerder wil gebruik, sal jy die "pyodbc" module moet installeer. - + SongPro Text Files SongPro Teks Leêrs - + SongPro (Export File) SongPro (Voer Leêr uit) - + In SongPro, export your songs using the File -> Export menu In SongPro, voer liedere uit deur middel van die Leêr -> Uitvoer spyskaart - + 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 + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + OpenLyrics or OpenLP 2 Exported Song + + + + + OpenLP 2 Databases + + + + + LyriX Files + + + + + LyriX (Exported TXT-files) + + + + + VideoPsalm Files + + + + + VideoPsalm + + + + + OPS Pro database + - PresentationManager Song Files - + The OPS 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. + - - ProPresenter 4 Song Files - + + ProPresenter Song Files + - - Worship Assistant Files - - - - - Worship Assistant (CSV) - - - - - In Worship Assistant, export your Database to a CSV file. - - - - - OpenLyrics or OpenLP 2 Exported Song - - - - - OpenLP 2 Databases - - - - - LyriX Files - - - - - LyriX (Exported TXT-files) - - - - - VideoPsalm Files - - - - - VideoPsalm - - - - - The VideoPsalm songbooks are normally located in %s - + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - + File {name} + + + + + Error: {error} + @@ -9104,89 +9299,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Titels - + Lyrics Lirieke - + CCLI License: CCLI Lisensie: - + Entire Song Volledige Lied - + Maintain the lists of authors, topics and books. Onderhou die lys van skrywers, onderwerpe en boeke. - + copy For song cloning kopieër - + Search Titles... Soek Titels... - + Search Entire Song... Soek deur hele Lied... - + Search Lyrics... Soek Lirieke... - + Search Authors... Soek Outeure... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + - - Search Songbooks... - + + Search Topics... + + + + + Copyright + Kopiereg + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Die MediaShout databasis kan nie oopgemaak word nie. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Uitvoer "%s"... + + Exporting "{title}"... + @@ -9194,7 +9427,7 @@ Please enter the verses separated by spaces. Invalid OpenSong song file. Missing song tag. - + @@ -9205,29 +9438,37 @@ Please enter the verses separated by spaces. Geen liedere om in te voer nie. - + Verses not found. Missing "PART" header. Verse nie gevind nie. Vermis "PART" opskrif. - No %s files found. - Geen %s lêers gevind nie. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Ongeldige %s lêer. Onverwagse greep waarde. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Ongeldige %s lêer. Vermis "TITLE" hofie. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Ongeldige %s lêer. Vermis "COPYRIGHTLINE" hofie. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9250,25 +9491,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + 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 - + + Your song export failed because this error occurred: {error} + @@ -9284,17 +9525,17 @@ Please enter the verses separated by spaces. Die volgende liedere kon nie ingevoer word nie: - + Cannot access OpenOffice or LibreOffice Het nie toegang tot OpenOffice of LibreOffice nie - + Unable to open file Kan nie lêer oopmaak nie - + File not found Lêer nie gevind nie @@ -9302,109 +9543,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Skrywer kon nie bygevoeg word nie. - + This author already exists. Die skrywer bestaan reeds. - + Could not add your topic. Onderwerp kon nie bygevoeg word nie. - + This topic already exists. Hierdie onderwerp bestaan reeds. - + Could not add your book. Boek kon nie bygevoeg word nie. - + This book already exists. Hierdie boek bestaan reeds. - + Could not save your changes. Veranderinge kon nie gestoor word nie. - + Could not save your modified author, because the author already exists. Geredigeerde skrywer kon nie gestoor word nie, omdat die skrywer reeds bestaan. - + Could not save your modified topic, because it already exists. Geredigeerde onderwerp kon nie gestoor word nie, want dit bestaan alreeds. - + Delete Author Wis Skrywer Uit - + Are you sure you want to delete the selected author? Wis die geselekteerde skrywer uit? - + This author cannot be deleted, they are currently assigned to at least one song. Die skrywer kan nie uitgewis word nie, omdat die skrywer aan ten minste een lied toegeken is. - + Delete Topic Wis Onderwerp Uit - + Are you sure you want to delete the selected topic? Wis die geselekteerde onderwerp uit? - + This topic cannot be deleted, it is currently assigned to at least one song. Die onderwerp kan nie uitgewis word nie, omdat dit aan ten minste een lied toegeken is. - + Delete Book Wis Boek Uit - + Are you sure you want to delete the selected book? Wis die geselekteerde boek uit? - + This book cannot be deleted, it is currently assigned to at least one song. Die boek kan nie uitgewis word nie, omdat dit aan ten minste een lied toegeken is. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Die outeur %s bestaan alreeds. Moet liedere met die outeur %s die bestaande outeur %s gebruik? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Die onderwerp %s bestaan alreeds. Moet liedere met die onderwerp %s die bestaande onderwerp %s gebruik? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Die boek %s bestaan reeds. Moed liedere met die doek %s gebruik maak van bestaande boek %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9412,12 +9653,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + @@ -9432,132 +9673,132 @@ Please enter the verses separated by spaces. Save username and password - + Login - + Search Text: - + Search Soek - - - Found %s song(s) - - - - - Logout - - + Logout + + + + View Vertoon - + Title: Titel: - + Author(s): - + - + Copyright: Kopiereg: - - - CCLI Number: - - - Lyrics: - + CCLI Number: + + Lyrics: + + + + Back Terug - + Import Voer in 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? - + Stop - + + + + + Found {count:d} song(s) + @@ -9567,30 +9808,30 @@ Please enter the verses separated by spaces. Songs Mode Liedere Modus - - - Display verses on live tool bar - Vertoon verse op regstreekse gereedskap staaf - Update service from song edit Opdateer diens van lied-redigering - - - Import missing songs from service files - Voer vermisde liedere in vanaf diens lêers - Display songbook in footer - + + + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + - Display "%s" symbol before copyright info - + Display "{symbol}" symbol before copyright info + @@ -9614,37 +9855,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Vers - + Chorus Koor - + Bridge Brug - + Pre-Chorus Voor-Refrein - + Intro Inleiding - + Ending Slot - + Other Ander @@ -9652,22 +9893,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9677,33 +9918,33 @@ Please enter the verses separated by spaces. Error reading CSV file. Probleem om CSV lêer te lees. + + + File not valid WorshipAssistant CSV format. + + - Line %d: %s - Lyn %d: %s + Line {number:d}: {error} + + + + + Record {count:d} + - Decoding error: %s - Dekodering fout: %s - - - - File not valid WorshipAssistant CSV format. - - - - - Record %d - Opname %d + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. - + @@ -9714,67 +9955,993 @@ Please enter the verses separated by spaces. Probleem om CSV lêer te lees. - + File not valid ZionWorx CSV format. Lêer nie geldige ZionWorx CSV formaat nie. - - Line %d: %s - Lyn %d: %s - - - - Decoding error: %s - Dekodering fout: %s - - - + Record %d Opname %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + 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. - + + 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 Informasie - + No duplicate songs have been found in the database. - + + + + + Review duplicate songs ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Engels + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/bg.ts b/resources/i18n/bg.ts index 9c7983f0a..505879e30 100644 --- a/resources/i18n/bg.ts +++ b/resources/i18n/bg.ts @@ -1,38 +1,39 @@ - + + 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 />Добавката за сигнали контролира показването на сигнали на екрана. + <strong>Добавка за съобщения</strong><br />Добавката управлява показването на съобщения на екрана. @@ -40,17 +41,17 @@ Alert Message - Сигнално съобщение + Съобщение Alert &text: - Текст на сигнала + Текст на съобщението &New - &Нов + &Ново @@ -70,7 +71,7 @@ New Alert - Нов сигнал + Ново съобщение @@ -86,23 +87,23 @@ You have not entered a parameter to be replaced. Do you want to continue anyway? - Не сте задали промяна на параметъра. -Искате ли да продължите въпреки това? + Не сте променили параметъра. +Искате ли да продължите? No Placeholder Found - Няма намерен приемник + Няма намерена подсказка - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Сигналът не съдържа '<>'.⏎ Искате ли да продължите все пак? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Не сте дали никакъв текст на вашия сигнал. Моля напишете нещо преди да натиснете бутона Нов. @@ -119,32 +120,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font Шрифт - + Font name: Име на шрифта: - + Font color: Цвят на шрифта: - - Background color: - Цвят за фон: - - - + Font size: Размер на шрифта: - + Alert timeout: Срок на сигнала @@ -152,88 +148,78 @@ 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. - Актуализирай базата данни на Библията към последния формат - Genesis @@ -738,188 +724,203 @@ Please type in some text before clicking New. Тази Библия вече е налична. Моля импортирайте друга Библия или първо изтрийте наличната. - - 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" книга е въведено повече от веднъж. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Грешна препратка - - Web Bible cannot be used - Библията от Мрежата не може да бъде използвана + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 +This means that the currently used Bible +or Second Bible is installed as Web Bible. + +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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 Покажи номерата на стиховете + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -975,70 +976,71 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - Импортиране на книги... %s + + Importing books... {book} + - - Importing verses... done. - Импортиране на стихове... готво. + + Importing verses from {book}... + Importing verses from <book name>... + 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 Английски @@ -1058,224 +1060,259 @@ 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. Имаше проблем при извличането на избрания от вас стихове. В случай, че грешката продължи да се получава, моля обмислете възможността да съобщите за грешка в програмата. + + + Importing {book}... + Importing <book name>... + + 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. В процеса на сваляне на списъка с библии от %s се появи грешка. + + + Bibles: + Библии: + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + Импорт от директория + + + + Import from Zip-file + Импорт от Zip-файл + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1306,297 +1343,165 @@ It is not possible to customize the Book Names. 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? + + Search + Търсене + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Наистина ли искате да изтриете напълно "%s" Библия от OpenLP? -Ще е необходимо да импортирате Библията, за да я използвате отново. + - - Advanced - Допълнителни - - - - 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... - Импортиране на %(bookname) %(chapter)... + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - + - - Importing %(bookname)s %(chapter)s... - Импортиране на %(bookname) %(chapter)... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Изберете директория за резервно копие + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 - Актуализиране на библейски превод(и): %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. - Няма Библии които да е необходимо да се надградят. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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... - Импортиране на %(bookname) %(chapter)... + + Importing {book} {chapter}... + @@ -1712,7 +1617,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Редактирай всички слайдове наведнъж. - + Split a slide into two by inserting a slide splitter. Раздели слайд, чрез вмъкване на разделител. @@ -1727,7 +1632,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Заслуги - + You need to type in a title. Трябва да въведете заглавие @@ -1737,12 +1642,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Редактирай всичко - + Insert Slide Вмъкни слайд - + You need to add at least one slide. Трябва да добавите поне един слайд. @@ -1750,7 +1655,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Редактиране на слайд @@ -1758,9 +1663,9 @@ 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 "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1788,11 +1693,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Картини - - - Load a new image. - Зареди нова картина - Add a new image. @@ -1823,6 +1723,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Добавете избраната картина към службата. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1847,12 +1757,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. Тази група я има вече. @@ -1888,7 +1798,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Изберете прикачен файл @@ -1896,38 +1806,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. Няма какво да се коригира. @@ -1937,25 +1831,41 @@ 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" и всичко в тях? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Видим фон за картини с размер различен от екрана. @@ -1963,88 +1873,88 @@ Do you want to add the other images anyway? Media.player - + 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 е медия плеър, който върви в уеб браузър. Той позволява визуализирането на текста върху видеото. - + This media player uses your operating system to provide media capabilities. - + 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. Добави избраната медия към службата. @@ -2079,7 +1989,7 @@ Do you want to add the other images anyway? Track Details - + @@ -2089,17 +1999,17 @@ Do you want to add the other images anyway? Audio track: - + Subtitle track: - + HH:mm:ss.z - + ЧЧ:мм:сс.з @@ -2119,22 +2029,22 @@ Do you want to add the other images anyway? Jump to start point - + End point: - + Set end point - + Jump to end point - + @@ -2142,155 +2052,165 @@ 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 player failed playing the media - + VLC не успя да възпроизведе медията - + CD not loaded correctly - + Диска не е зареден правилно - + The CD was not loaded correctly, please re-load and try again. - + - + DVD not loaded correctly - + DVD не е заредено правилно - + 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 - + Този клипа вече е бил запазен + + + + File %s not supported using player %s + + + + + Unsupported Media File + Медия-файла не се поддържа + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + @@ -2302,94 +2222,93 @@ Do you want to add the other images anyway? - Start Live items automatically - Автоматично стартиране на На живо елементите - - - - OPenLP.MainWindow - - - &Projector Manager - + Start new Live media automatically + 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 - + + + + + Video Files + + + + + Data Directory Error + Грешка с директорията с данни + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + 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. @@ -2404,168 +2323,157 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr OpenLP се програмира и разработва от доброволци. Ако искате да разберете повече за програмиране на свободен християнски софтуер, моля обмислете вашето доброволчество като ползвате бутона по-долу. - + Volunteer Доброволец - - - Project Lead - - - - - Developers - - - - - Contributors - - - - - Packagers - - - - - Testers - - - Translators - + Project Lead + - Afrikaans (af) - + Developers + - Czech (cs) - + Contributors + - Danish (da) - + Packagers + - German (de) - + Testers + - Greek (el) - + Translators + - English, United Kingdom (en_GB) - + Afrikaans (af) + - English, South Africa (en_ZA) - + Czech (cs) + - Spanish (es) - + Danish (da) + - Estonian (et) - + German (de) + - Finnish (fi) - + Greek (el) + - French (fr) - + English, United Kingdom (en_GB) + - Hungarian (hu) - + English, South Africa (en_ZA) + - Indonesian (id) - + Spanish (es) + - Japanese (ja) - + Estonian (et) + - Norwegian Bokmål (nb) - + Finnish (fi) + - Dutch (nl) - + French (fr) + - Polish (pl) - + Hungarian (hu) + - Portuguese, Brazil (pt_BR) - + Indonesian (id) + - Russian (ru) - + Japanese (ja) + - Swedish (sv) - + Norwegian Bokmål (nb) + - Tamil(Sri-Lanka) (ta_LK) - + Dutch (nl) + - Chinese(China) (zh_CN) - + Polish (pl) + - Documentation - + Portuguese, Brazil (pt_BR) + - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - + Russian (ru) + - + + Swedish (sv) + + + + + Tamil(Sri-Lanka) (ta_LK) + + + + + Chinese(China) (zh_CN) + + + + + Documentation + + + + Final Credit "For God so loved the world that He gave His one and only Son, so that whoever @@ -2577,335 +2485,247 @@ OpenLP се програмира и разработва от доброволц on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + 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 Използвай редуващи се цветове на редовете от списъците - - 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. - + 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. @@ -2913,11 +2733,142 @@ This location will be used after OpenLP is closed. Това ще е мястото, което ще се ползва след затварянето на OpenLP. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Автоматично + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Щракни за да избереш цвят. @@ -2925,313 +2876,327 @@ This location will be used after OpenLP is closed. 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 - + Digital + - Video 7 - + Storage + - Video 8 - - - - - Video 9 - - - - - Digital 1 - - - - - Digital 2 - + Network + - Digital 3 - + RGB 1 + - Digital 4 - + RGB 2 + - Digital 5 - + RGB 3 + - Digital 6 - + RGB 4 + - Digital 7 - + RGB 5 + - Digital 8 - + RGB 6 + - Digital 9 - + RGB 7 + - Storage 1 - + RGB 8 + - Storage 2 - + RGB 9 + - Storage 3 - + Video 1 + - Storage 4 - + Video 2 + - Storage 5 - + Video 3 + - Storage 6 - + Video 4 + - Storage 7 - + Video 5 + - Storage 8 - + Video 6 + - Storage 9 - + Video 7 + - Network 1 - + Video 8 + - Network 2 - + Video 9 + - Network 3 - + Digital 1 + - Network 4 - + Digital 2 + - Network 5 - + Digital 3 + - Network 6 - + Digital 4 + - Network 7 - + Digital 5 + - Network 8 - + 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 Настъпи Грешка - + Send E-Mail Изпрати E-Mail. - + Save to File Запази във файл - + Attach File Прикачи файл - - - Description characters to enter : %s - Брой букви за обяснение : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - - 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. Also attach any files that triggered the problem. - + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Платформа: %s⏎ - - - + Save Crash Report Запази доклад на забиването - + Text files (*.txt *.log *.text) Текстови файлове (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3272,263 +3237,258 @@ This location will be used after OpenLP is closed. 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. - + + 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 + + + + + Unable to download some files + + + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + -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 - +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + @@ -3572,44 +3532,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML тук> - + Validation Error Грешка при утвърждаване. - + Description is missing Липсва описание - + Tag is missing Отметката липсва - Tag %s already defined. - + Tag {tag} already defined. + - Description %s already defined. - + Description {tag} already defined. + - - Start tag %s is not valid HTML - + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3698,170 +3663,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 Иди на следващ/предишен обект на службата + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Прегледай за избор на файл на изображение за показване. + + + + Revert to the default OpenLP logo. + Възвърни OpenLP логото което е по подразбиране + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Език - + Please restart OpenLP to use your new language setting. Моля рестартирай OpenLP за ползване на новите езикови настройки @@ -3869,7 +3864,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Дисплей за OpenLP @@ -3877,456 +3872,256 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainWindow - + &File &Файл - + &Import &Импортиране - + &Export &Експортиране - + &View &Изглед - - M&ode - &Вид - - - + &Tools Ин&струменти - + &Settings &Настройки - + &Language Е&зик - + &Help &Помощ - - Service Manager - Управление на служба - - - - Theme Manager - Управление на теми - - - + Open an existing service. Отвори налична служба - + Save the current service to disk. Запази настоящата служба на диск - + 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. - Закачи показването на управлението на панела Прожектиране - - - - 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... Настрой &Преки пътища - + 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. Принтирай избраната служба - - 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. @@ -4339,7 +4134,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and Импортирането на неправилни настройки може да предизвика некоректно поведение на програмата или неочакваното и спиране. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4348,186 +4143,370 @@ 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. - + + &Recent Services + - - An error occurred while exporting the settings: %s - + + &New Service + + + + + &Open Service + - &Recent Services - - - - - &New Service - - - - - &Open Service - - - - &Save Service - + - + Save Service &As... - + - + &Manage Plugins - + - + Exit OpenLP - + - + Are you sure you want to exit OpenLP? - + - + &Exit OpenLP - + + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Служба + + + + Themes + Теми + + + + Projectors + + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + 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 +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + 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. Повтарящи се файлове бяха намерени при импортирането и бяха игнорирани. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Отметката <текст> липсва. - + <verse> tag is missing. Отметката <куплет> липсва. @@ -4535,112 +4514,107 @@ Suffix not supported 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 (неналични) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + OpenLP.PluginForm - + Plugin Details Детайли на добавката - + Status: Статус: - + Active Активна - - Inactive - Неактивна - - - - %s (Inactive) - %s (Неактивна) - - - - %s (Active) - %s (Активна) + + Manage Plugins + - %s (Disabled) - %s (Изключена) + {name} (Disabled) + - - Manage Plugins - + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Запълни страницата - + Fit Width Запълни ширината на листа @@ -4648,712 +4622,767 @@ Suffix not supported 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 - + OK + - Undefined Command - + General projector error + - Invalid Parameter - + Not connected error + - Projector Busy - + Lamp error + - Projector/Display Error - + Fan error + - Invalid packet received - + High temperature detected + - Warning condition detected - + Cover open detected + - Error condition detected - + Check filter + - PJLink class not supported - + Authentication Error + - Invalid prefix character - + Undefined Command + - The connection was refused by the peer (or timed out) - + Invalid Parameter + + + + + Projector Busy + - The remote host closed the connection - + Projector/Display Error + + + + + Invalid packet received + - The host address was not found - + Warning condition detected + - The socket operation failed because the application lacked the required privileges - + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + - The local system ran out of resources (e.g., too many sockets) - + The connection was refused by the peer (or timed out) + - The socket operation timed out - + The remote host closed the connection + - The datagram was larger than the operating system's limit - + The host address was not found + - - An error occurred with the network (Possibly someone pulled the plug?) - + + The socket operation failed because the application lacked the required privileges + - The address specified with socket.bind() is already in use and was set to be exclusive - + The local system ran out of resources (e.g., too many sockets) + - - The address specified to socket.bind() does not belong to the host - + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + - The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) - + An error occurred with the network (Possibly someone pulled the plug?) + - - The socket is using a proxy, and the proxy requires authentication - + + The address specified with socket.bind() is already in use and was set to be exclusive + - - The SSL/TLS handshake failed - + + The address specified to socket.bind() does not belong to the host + - The last operation attempted has not finished yet (still in progress in the background) - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + - Could not contact the proxy server because the connection to that server was denied - + The socket is using a proxy, and the proxy requires authentication + - The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) - + The SSL/TLS handshake failed + - - The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. - + + The last operation attempted has not finished yet (still in progress in the background) + - - 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 - + + 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 + - Edit Projector - + IP Address + - - IP Address - + + Port Number + - Port Number - + PIN + - PIN - + Name + - Name - + Location + - 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 - + + Name + + + + + IP + + + + Port Порт - + Notes Бележки - + Projector information not available at this time. - + - + Projector Name - - - - - Manufacturer - - - - - Model - + - Other info - + Manufacturer + - Power status - + Model + - Shutter is - - - - - Closed - + 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 - + - - Delete projector (%s) %s? - - - - + Are you sure you want to delete this projector? - + + + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + + + + + No Authentication Error + OpenLP.ProjectorPJLink - + Fan - + - + Lamp - + - + Temperature - + - + Cover - + - + Filter - + - + Other Друго @@ -5363,55 +5392,55 @@ Suffix not supported 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 - + @@ -5422,27 +5451,27 @@ Suffix not supported Екран - + primary Първи OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Старт</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Дължина</strong>: %s - - [slide %d] - + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5506,52 +5535,52 @@ Suffix not supported Изтрий избрания обект от службата. - + &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 Обекта ви не може да бъде показан понеже добавката която се занимава с това не е активирана или липсва. @@ -5576,7 +5605,7 @@ Suffix not supported Събери всички обекти в службата - + Open File Отвори файл @@ -5606,22 +5635,22 @@ Suffix not supported Изпрати избрания обект за прожектиране - + &Start Time Стартово време - + Show &Preview Покажи преглед - + Modified Service Променена служба - + The current service has been modified. Would you like to save this service? Тази служба беше променена. Да бъде ли запазена? @@ -5641,27 +5670,27 @@ Suffix not supported Продължителност: - + Untitled Service Неозаглавена служба - + File could not be opened because it is corrupt. Файлът е повреден и не може да бъде отворен. - + Empty File Празен файл. - + This service file does not contain any data. В този файл за служба няма никакви данни. - + Corrupt File Повреден файл @@ -5681,145 +5710,145 @@ Suffix not supported Избери тема за службата. - + 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - + + + + + An error occurred while writing the service file: {error} + @@ -5851,15 +5880,10 @@ These files will be removed if you continue to save. Пряк път - + Duplicate Shortcut Повторение на пряк път - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Прекият път "%s" е вече свързан с друго действие. Моля ползвайте друг пряк път! - Alternate @@ -5905,237 +5929,253 @@ These files will be removed if you continue to save. Configure Shortcuts Конфигурирай преките пътища + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + 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 Парчета + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source - + - + 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 - + - + 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: Език: @@ -6214,7 +6254,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (приблизително %d реда на слайд) @@ -6222,521 +6262,531 @@ These files will be removed if you continue to save. 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. Темата по подразбиране не може да бъде изтрита. - + 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) - + - - %s time(s) by %s - - - - + Unable to delete theme - + + + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - +{text} + 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. Не е указана картина за фон. Моля изберете една преди да продължите! + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6788,12 +6838,12 @@ These files will be removed if you continue to save. Universal Settings - + &Wrap footer text - + @@ -6819,73 +6869,73 @@ These files will be removed if you continue to save. Вертикално подравняване: - + 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 Добре дошли при помощника за импортиране на песни @@ -6903,7 +6953,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6935,39 +6985,34 @@ These files will be removed if you continue to save. 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 Написана от @@ -6977,543 +7022,598 @@ These files will be removed if you continue to save. Неизвестен автор - + 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 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: - + - + Preview Toolbar - + - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + Цвят за фон: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Видео + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Няма налични Библии. + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Куплет + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Няма намерени резултати + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s и %s + + {one} and {two} + - - %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 + + {first} and {last} + @@ -7521,7 +7621,7 @@ Please try selecting it individually. Source select dialog interface - + @@ -7593,47 +7693,47 @@ Please try selecting it individually. Сега използвани - + 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 е непълна. Моля презаредете! + + Presentations ({text}) + - - The presentation %s no longer exists. - Презентацията %s вече не е налична. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + @@ -7643,11 +7743,6 @@ Please try selecting it individually. Available Controllers Налични контролери - - - %s (unavailable) - %s (неналични) - Allow presentation application to be overridden @@ -7664,29 +7759,35 @@ Please try selecting it individually. Ползвай дадения пълен път за 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. - + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7728,207 +7829,268 @@ 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 Настройки - + Remote Дистанционно - + Stage View - + - + 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 Програма за андроид - + 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. - + - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Не е зададен място за запазването + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Създаване на рапорт + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -7969,50 +8131,50 @@ Please try selecting it individually. Закачи проследяване на ползването на песните - + <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 принтирано @@ -8080,22 +8242,10 @@ All data recorded before this date will be permanently deleted. Местоположение на изходния файл. - - usage_detail_%s_%s.txt - Данни за ползването%s_%s.txt - - - + Report Creation Създаване на рапорт - - - Report -%s -has been successfully created. - Рапортът ⏎ %s ⏎ беше успешно създаден. - Output Path Not Selected @@ -8109,14 +8259,26 @@ Please select an existing path on your computer. Моля посочете налично място на вашия компютър. - + Report Creation Failed - + - - An error occurred while creating the report: %s - + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8132,127 +8294,127 @@ Please select an existing path on your computer. Импортирай песни чрез помощника за импортиране. - + <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 Песни @@ -8263,37 +8425,37 @@ The encoding is responsible for the correct character representation. Експортирай песните със съответния помощник - + 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 Преподреди песните @@ -8308,15 +8470,30 @@ The encoding is responsible for the correct character representation. Импортирай песни от CCLI's SongSelect служба. - + Find &Duplicate Songs Намери &Дублирани песни - + Find and remove duplicate songs in the song database. Намери и премахни дублирани песни в базата данни с песни. + + + Songs + Песни + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8402,62 +8579,67 @@ The encoding is responsible for the correct character representation. 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. - - + 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. - + + + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + SongsPlugin.EditBibleForm - + Meta Data Мета данни - + Custom Book Names Ръчно зададени имена на книги @@ -8540,57 +8722,57 @@ The encoding is responsible for the correct character representation. Тема, копирайт && коментари - + 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. Трябва да има поне един куплет. - + You need to have an author for this song. Трябва да има автор на песента. @@ -8615,7 +8797,7 @@ The encoding is responsible for the correct character representation. Премахни всичко - + Open File(s) Отвори файл(ове) @@ -8630,98 +8812,111 @@ The encoding is responsible for the correct character representation. <strong>Предупреждение:</strong> Не сте въвели реда на стиховете. - - 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 - - - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - + &Manage Authors, Topics, Songbooks - + Add &to Song - + Re&move - + Authors, Topics && Songbooks - + - + Add Songbook - + - + This Songbook does not exist, do you want to add it? - + - + This Songbook is already in the list. - + - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse Редактирай куплет - + &Verse type: Тип куплет: - + &Insert Вмъкни - + Split a slide into two by inserting a verse splitter. Раздели слайда на две с вмъкване на разделител. @@ -8734,77 +8929,77 @@ Please enter the verses separated by spaces. Помощник за експортиране на песни - + 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 формат. @@ -8812,7 +9007,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Невалиден файл за Foilpresenter. Не са намерени стихове. @@ -8820,7 +9015,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Активирай търсене докато пишеш @@ -8828,7 +9023,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Избери файл на документ/презентация @@ -8838,237 +9033,252 @@ Please enter the verses separated by spaces. Помощник за импортиране на песни - + 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. Моля изчакайте докато песните се импортират! - + 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 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 + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + OpenLyrics or OpenLP 2 Exported Song + + + + + OpenLP 2 Databases + + + + + LyriX Files + + + + + LyriX (Exported TXT-files) + + + + + VideoPsalm Files + + + + + VideoPsalm + + + + + OPS Pro database + - PresentationManager Song Files - + The OPS 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. + - - ProPresenter 4 Song Files - + + ProPresenter Song Files + - - Worship Assistant Files - - - - - Worship Assistant (CSV) - - - - - In Worship Assistant, export your Database to a CSV file. - - - - - OpenLyrics or OpenLP 2 Exported Song - - - - - OpenLP 2 Databases - - - - - LyriX Files - - - - - LyriX (Exported TXT-files) - - - - - VideoPsalm Files - - - - - VideoPsalm - - - - - The VideoPsalm songbooks are normally located in %s - + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - + File {name} + + + + + Error: {error} + @@ -9087,89 +9297,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Заглавия - + Lyrics Текстове - + CCLI License: CCLI лиценз: - + Entire Song Цялата песен - + Maintain the lists of authors, topics and books. Поддръжка на списъка с автори, теми и песнарки. - + copy For song cloning копие - + Search Titles... Търси заглавия... - + Search Entire Song... Търси цяла песен... - + Search Lyrics... Търси текст... - + Search Authors... Търси автори... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + - - Search Songbooks... - + + Search Topics... + + + + + Copyright + Копирайт + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Неуспех при отваряне на базата данни на MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Експортиране "%s"... + + Exporting "{title}"... + @@ -9188,29 +9436,37 @@ Please enter the verses separated by spaces. Няма песни за импортиране - + Verses not found. Missing "PART" header. Куплетите не са намерени. Липсва заглавката "PART". - No %s files found. - Няма намерен фаил %s. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Невалиден файл %s. Неочаквана байт стойност. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Невалиден файл %s. Липсваща заглавка "TITLE". + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Невалиден файл %s. Липсваща заглавка "COPYRIGHTLINE". + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9233,25 +9489,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + 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 - + + Your song export failed because this error occurred: {error} + @@ -9267,17 +9523,17 @@ Please enter the verses separated by spaces. Следните песни не же да се импортират: - + Cannot access OpenOffice or LibreOffice Няма достъп до OpenOffice или LibreOffice - + Unable to open file Не може да се отвори файла - + File not found Файлът не е намерен @@ -9285,109 +9541,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Вече има тема %s. Бихте ли искали вместо темата %s, която сте въвели да се ползва %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Вече има песнарка %s. Бихте ли искали вместо %s, която сте въвели да се ползва %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9395,12 +9651,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + @@ -9415,132 +9671,132 @@ Please enter the verses separated by spaces. Save username and password - + Login - + Search Text: - + Search Търсене - - - Found %s song(s) - - - - - Logout - - + Logout + + + + View Преглед - + Title: Заглавие: - + Author(s): - + - + Copyright: Копирайт: - - - CCLI Number: - - - Lyrics: - + CCLI Number: + - Back - + 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? - + Stop - + + + + + Found {count:d} song(s) + @@ -9550,30 +9806,30 @@ Please enter the verses separated by spaces. Songs Mode Формуляр за песни - - - Display verses on live tool bar - Показвай куплетите на помощното табло за прожектиране - Update service from song edit Обнови службата от редактиране на песни - - - Import missing songs from service files - Импортирай липсващи песни от фаилове за служба - Display songbook in footer Покажи песнарка в бележка под линия + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - + Display "{symbol}" symbol before copyright info + @@ -9597,37 +9853,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Куплет - + Chorus Припев - + Bridge Бридж - + Pre-Chorus Предприпев - + Intro Интро - + Ending Завършек - + Other Друго @@ -9635,22 +9891,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9660,31 +9916,31 @@ Please enter the verses separated by spaces. Error reading CSV file. Грешка при четене на CSV файла. + + + File not valid WorshipAssistant CSV format. + + - Line %d: %s - Линия %d: %s + Line {number:d}: {error} + + + + + Record {count:d} + - Decoding error: %s - Грешка при декодиране: %s - - - - File not valid WorshipAssistant CSV format. - - - - - Record %d - Запис %d + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Не може да се свърже с базата данни WorshipCenter Pro. @@ -9697,25 +9953,30 @@ Please enter the verses separated by spaces. Грешка при четене на CSV файла. - + File not valid ZionWorx CSV format. Файла не във правилен ZionWorx CSV формат. - - Line %d: %s - Линия %d: %s - - - - Decoding error: %s - Грешка при декодиране: %s - - - + Record %d Запис %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9725,39 +9986,960 @@ 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. Този помощник ще ви помогна да премахнете дублирани песни от базата данни с песни. Ще имате възможност да прегледате всяко възможно дублиране на песен преди да е изтрито. Така няма да бъде изтрита песен без вашето изрично одобрение, - + 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. Не бяха намерени дублирани песни в базата данни. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Английски + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/cs.ts b/resources/i18n/cs.ts index e3c5f9ea3..cc9236d27 100644 --- a/resources/i18n/cs.ts +++ b/resources/i18n/cs.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Chcete přesto pokračovat? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Text upozornění neobsahuje '<>'. Chcete přesto pokračovat? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Nebyl zadán žádný text upozornění. Před klepnutím na Nový prosím zadejte nějaký text. @@ -120,32 +121,27 @@ Před klepnutím na Nový prosím zadejte nějaký text. AlertsPlugin.AlertsTab - + Font Písmo - + Font name: Název písma: - + Font color: Barva písma: - - Background color: - Barva pozadí: - - - + Font size: Velikost písma: - + Alert timeout: Čas vypršení upozornění: @@ -153,88 +149,78 @@ 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. - Genesis @@ -739,161 +725,121 @@ Před klepnutím na Nový prosím zadejte nějaký text. Tato Bible už existuje. Importujte prosím jinou Bibli nebo nejdříve smažte tu existující. - - You need to specify a book name for "%s". - Je nutno uvést název knihy pro "%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" není správný název knihy. -Čísla mohou být použita jen na začátku a pak musí -následovat jeden nebo více nečíslných znaků. - - - + Duplicate Book Name Duplicitní název knihy - - The Book Name "%s" has been entered more than once. - "%s" jako název knihy byl zadán více než jednou. + + You need to specify a book name for "{text}". + Je potřeba upřesnit název knihy "{text}". + + + + The book name "{name}" 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 "{name}" has been entered more than once. + Název knihy "{name}" byl zádán více než jednou. + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Chyba v odkazu do Bible - - Web Bible cannot be used - Bibli z www nelze použít + + Web Bible cannot be used in Text Search + Webovou Bibli nelze použít pro textové vyhledávání - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Odkaz z Bible buďto není podporován aplikací OpenLP nebo je neplatný. Ujistěte se prosím, že odkaz odpovídá jednomu z následujících vzorů nebo další detaily viz manuál: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Kniha Kapitola -Kniha Kapitola%(range)sKapitola -Kniha Kapitola%(verse)sVerš%(range)sVerš -Kniha Kapitola%(verse)sVerš%(range)sVerš%(list)sVerš%(range)sVerš -Kniha Kapitola%(verse)sVerš%(range)sVerš%(list)sKapitola%(verse)sVerš%(range)sVerš -Kniha Kapitola%(verse)sVerš%(range)sKapitola%(verse)sVerš +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + Žadný nález BiblesPlugin.BiblesTab - + Verse Display Zobrazit verš - + Only show new chapter numbers Zobrazit jen číslo nové kapitoly - + Bible theme: Motiv Bible: - + No Brackets Žádné závorky - + ( And ) ( A ) - + { And } { A } - + [ And ] [ A ] - - Note: -Changes do not affect verses already in the service. - Poznámka: -Verše, které jsou už ve službě, nejsou změnami ovlivněny. - - - + Display second Bible verses Zobrazit druhé verše z Bible - + Custom Scripture References Uživatelské odkazy z Bible - - Verse Separator: - Oddělovač veršů: - - - - Range Separator: - Oddělovač rozsahů: - - - - List Separator: - Oddělovač seznamů: - - - - End Mark: - Ukončovací značka: - - - + 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. @@ -902,37 +848,83 @@ Musí být odděleny vislou čárou "|". Pro použití výchozí hodnoty smažte tento řádek. - + English Čeština - + Default Bible Language Výchozí jazyk Bible - + Book name language in search field, search results and on display: Jazyk názvů knih ve vyhledávacím poli, výsledcích vyhledávání a při zobrazení: - + Bible Language Jazyk Bible - + Application Language Jazyk aplikace - + Show verse numbers Zobrazit čísla veršů + + + Note: Changes do not affect verses in the Service + Poznámka: Změny neovlivní verše ve službě + + + + Verse separator: + Oddělovač veršů: + + + + Range separator: + Oddělovač rozsahů: + + + + List separator: + Oddělovač seznamů: + + + + End mark: + Ukončovací značka: + + + + Quick Search Settings + Nastavení rychlého hledání + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +980,71 @@ výsledcích vyhledávání a při zobrazení: BiblesPlugin.CSVBible - - Importing books... %s - Importuji knihy... %s + + Importing books... {book} + - - Importing verses... done. - Importuji verše... hotovo. + + Importing verses from {book}... + Importing verses from <book name>... + BiblesPlugin.EditBibleForm - + Bible Editor Editor Bible - + License Details Podrobnosti k licenci - + Version name: Název verze: - + Copyright: Autorská práva: - + Permissions: Povolení: - + Default Bible Language Výchozí jazyk Bible - + Book name language in search field, search results and on display: Jazyk názvů knih ve vyhledávacím poli, výsledcích vyhledávání a při zobrazení: - + Global Settings Globální nastavení - + Bible Language Jazyk Bible - + Application Language Jazyk aplikace - + English Čeština @@ -1071,224 +1064,259 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + Bible: + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + Importovat ze složky + + + + Import from Zip-file + Importovat ze souboru ZIP. + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1319,292 +1347,161 @@ Není možné přizpůsobit si názvy knih. BiblesPlugin.MediaItem - - Quick - Rychlý - - - + Find: Hledat: - + Book: Zpěvník: - + Chapter: Kapitola: - + Verse: Verš: - + From: Od: - + To: Do: - + Text Search Hledání textu - + Second: Druhý: - + Scripture Reference Odkaz do Bible - + Toggle to keep or clear the previous results. Přepnout ponechání nebo smazání předchozích výsledků. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Nelze kombinovat jednoduché a dvojité výsledky hledání veršů v Bibli. Přejete si smazat výsledky hledání a začít s novým vyhledáváním? - + Bible not fully loaded. Bible není načtena celá. - + Information Informace - - 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. - Druhá Bible neobsahuje všechny verše jako jsou v hlavní Bibli. Budou zobrazeny jen verše nalezené v obou Biblích. %d veršů nebylo zahrnuto ve výsledcích. - - - + Search Scripture Reference... Hledat odkaz do Bible... - + Search Text... Hledat text... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Hledat + + + + Select + Vybrat + + + + Clear the search results. + Skrýt výsledky hledání. + + + + Text or Reference + Text nebo odkaz + + + + Text or Reference... + Text nebo odkaz... + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Jste si jist, že chcete úplně vymazat Bibli "%s" z OpenLP? + Jste si jisti, že chcete zcela vymazat Bibli "{bible}" z OpenLP? Pro použití bude potřeba naimportovat Bibli znovu. - - Advanced - Pokročilé - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Zadán nesprávný typ souboru s Biblí. OpenSong Bible mohou být komprimovány. Před importem je třeba je rozbalit. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - 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... - Importuji %(bookname)s %(chapter)s... + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + Druhá Bible neobsahuje všechny verše, které se nachází v hlavní Bibli. +Zobrazí se pouze verše nalezené v obou Biblích. + +{count:d} veršu nebylo zahrnuto ve výsledcích. 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... - Importuji %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importuji {book} {chapter}... - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Vybrat složku pro zálohu + + Importing {name}... + Importuji {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Průvodce aktualizací Bible - - - - 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. - Tento průvodce pomáhá s aktualizací existujcích Biblí z předchozí verze OpenLP 2. Pro spuštění aktualizace klepně níže na tlačítko Další. - - - - Select Backup Directory - Vybrat složku pro zálohu - - - - Please select a backup directory for your Bibles - Vyberte prosím složku pro zálohu Biblí - - - - 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>. - Předchozí vydání OpenLP 2.0 nejsou schopny aktualizovat Bible. Bude vytvořena záloha současných Biblí, aby bylo možné v případě potřeby jednoduše nakopírovat soubory zpět do datové složky aplikace OpenLP. Instrukce, jak obnovit soubory, lze nalézt v <a href="http://wiki.openlp.org/faq">často kladené otázky</a>. - - - - Please select a backup location for your Bibles. - Vyberte prosím umístění pro zálohu Biblí. - - - - Backup Directory: - Složka pro zálohu: - - - - There is no need to backup my Bibles - Není potřeba zálohovat Bible - - - - Select Bibles - Vybrat Bible - - - - Please select the Bibles to upgrade - Vyberte prosím Bible k aktualizaci - - - - Upgrading - Aktualizuji - - - - Please wait while your Bibles are upgraded. - Počkejte prosím, než budou Bible aktualizovány. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Záloha nebyla úspěšná. Pro zálohu Biblí je nutno oprávnění k zápisu do zadané složky. - - - - Upgrading Bible %s of %s: "%s" -Failed - Aktualizuji Bibli %s z %s: "%s" -Selhalo - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Aktualizuji Bibli %s z %s: "%s" -Aktualizuji ... - - - - Download Error - Chyba stahování - - - - To upgrade your Web Bibles an Internet connection is required. - Pro aktualizaci Biblí z www je vyžadováno internetové připojení. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Aktualizuji Bibli %s z %s: "%s" -Aktualizuji %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Aktualizuji Bibli %s z %s: "%s" -Dokončeno - - - - , %s failed - , %s selhalo - - - - Upgrading Bible(s): %s successful%s - Aktualizace Biblí: %s úspěšné%s - - - - Upgrade failed. - Aktualizace selhala. - - - - You need to specify a backup directory for your Bibles. - Je potřeba upřesnit složku pro zálohu Biblí. - - - - Starting upgrade... - Spouštím aktualizaci... - - - - There are no Bibles that need to be upgraded. - Žádné Bible nepotřebují aktualizovat. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Aktualizace Biblí: %(success)d úspěšné%(failed_text)s -Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyžadováno internetové připojení. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + Při importu Bible typu SWORD se vyskytla chyba, oznamte prosím tuto skutečnost vývojářům OpenLP: +{error} 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. @@ -1612,9 +1509,9 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importuji %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importuji {book} {chapter}... @@ -1729,7 +1626,7 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž Upravit všechny snímky najednou. - + Split a slide into two by inserting a slide splitter. Vložením oddělovače se snímek rozdělí na dva. @@ -1744,7 +1641,7 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž &Zásluhy: - + You need to type in a title. Je nutno zadat název. @@ -1754,12 +1651,12 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž &Upravit vše - + Insert Slide Vložit snímek - + You need to add at least one slide. Je potřeba přidat alespoň jeden snímek. @@ -1767,7 +1664,7 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž CustomPlugin.EditVerseForm - + Edit Slide Upravit snímek @@ -1775,9 +1672,9 @@ 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 "%d" selected custom slide(s)? - Jste si jisti, že chcete smazat "%d" vybraných uživatelských snímků? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Opravdu chcete smazat "{items:d}" vybraných uživatelských snímků? @@ -1805,11 +1702,6 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž container title Obrázky - - - Load a new image. - Načíst nový obrázek. - Add a new image. @@ -1840,6 +1732,16 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž Add the selected image to the service. Přidat vybraný obrázek ke službě. + + + Add new image(s). + Přidat nové obrázky. + + + + Add new image(s) + Přidat nové obrázky + ImagePlugin.AddGroupForm @@ -1864,12 +1766,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. @@ -1905,7 +1807,7 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž ImagePlugin.ExceptionDialog - + Select Attachment Vybrat přílohu @@ -1913,39 +1815,22 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1955,25 +1840,42 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + Opravdu chcete odstranit "{name}" a vše co obsahuje? + + + + The following image(s) no longer exist: {names} + Následující obrázky již neexistují: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + Následující obrázky již neexistují: {names} +Chcete přesto přidat ostatní obrázky? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Problém s nahrazením pozadí. Soubor obrázku "{name}" už neexistuje. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Viditelné pozadí pro obrázky s jiným poměrem stran než má obrazovka. @@ -1981,27 +1883,27 @@ Chcete přidat ostatní obrázky? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Tento přehrávač médií využívá pro přehrávání schopností operačního systému. @@ -2009,60 +1911,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ě. @@ -2178,47 +2080,47 @@ Chcete přidat ostatní obrázky? VLC přehrávač selhal při přehrávání médií - + CD not loaded correctly CD není správně načteno - + The CD was not loaded correctly, please re-load and try again. CD nebylo správně načteno. Prosím načtěte CD ještě jednou a zkuste to znovu. - + DVD not loaded correctly DVD není správně načteno - + The DVD was not loaded correctly, please re-load and try again. DVD nebylo správně načteno. Prosím načtěte DVD ještě jednou a zkuste to znovu. - + Set name of mediaclip Nastavit název klipu - + Name of mediaclip: Název klipu: - + Enter a valid name or cancel Zadejte platný název nebo zrušte - + Invalid character Neplatný znak - + The name of the mediaclip must not contain the character ":" Název klipu nesmí obsahovat znak ":" @@ -2226,90 +2128,100 @@ Chcete přidat ostatní obrázky? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Nepodporovaný soubor - + Use Player: Použít přehrávač: - + VLC player required Vyžadován přehrávač VLC - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + Soubor %s není podporován v přehrávači %s + + + + Unsupported Media File + Nepodporovaný mediální soubor + + + + CD/DVD playback is only supported if VLC is installed and enabled. + Přehrávání CD/DVD je podporováno, jen když je nainstalován a povolen přehrávač VLC. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Problém s nahrazením pozadí. Soubor média "{name}" už neexistuje. + + + + The optical disc {name} is no longer available. + Optický disk {name} už není dostupný. + + + + The file {name} no longer exists. + Soubor {name} už neexistuje. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Video ({video});;Audio ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2320,94 +2232,93 @@ Chcete přidat ostatní obrázky? - Start Live items automatically - Automaticky spouštět položky Naživo - - - - OPenLP.MainWindow - - - &Projector Manager - Správce &projektorů + Start new Live media automatically + OpenLP - + Image Files Soubory s obrázky - - Information - Informace - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Formát Bible byl změněn. -Existující Bible musí být aktualizovány. -Má se aktualizace provét teď? - - - + Backup Zálohování - - OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - Byla nainstalována nová verze aplikace OpenLP. Přejete si vytvořit zálohu datové složky aplikace OpenLP? - - - + Backup of the data folder failed! Zálohování datové složky selhalo! - - A backup of the data folder has been created at %s - Záloha datové složky byla vytvořena v %s - - - + Open Otevřít + + + Video Files + Video soubory + + + + Data Directory Error + Chyba datové složky + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Zásluhy - + License Licence - - build %s - sestavení %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. Tento program je svobodný software; můžete jej šířit a modifikovat podle ustanovení GNU General Public License, vydávané Free Software Foundation; a to podle verze 2 této licence. - + 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. Tato aplikace je šířena v naději, že bude užitečná, avšak BEZ JAKÉKOLI ZÁRUKY; neposkytují se ani odvozené záruky PRODEJNOSTI anebo VHODNOSTI PRO URČITÝ ÚČEL. Další podrobnosti viz níže. - + 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. @@ -2424,174 +2335,157 @@ Více informací o OpenLP: http://openlp.org/ OpenLP vytváří a udržují dobrovolníci. Pokud má existovat více volně dostupného křesťanského software, zvažte jestli se také nezapojit do vytváření OpenLP. Můžete tak učinit tlačítkem níže. - + Volunteer Dobrovolník - + Project Lead Vedení projektu - + Developers Vývojáři - + Contributors Přispěvatelé - + Packagers Balíčkovači - + Testers Testeři - + Translators Překladatelé - + Afrikaans (af) Afrikánština (af) - + Czech (cs) Čeština (cs) - + Danish (da) Dánčtina (da) - + German (de) Němčina (de) - + Greek (el) Řečtina (el) - + English, United Kingdom (en_GB) Angličtina, Spojené království (en_GB) - + English, South Africa (en_ZA) Angličtina, Jihoafrická republika (en_ZA) - + Spanish (es) Španělština (es) - + Estonian (et) Estonština (et) - + Finnish (fi) Finština (fi) - + French (fr) Francouzština (fr) - + Hungarian (hu) Maďarština (hu) - + Indonesian (id) Indonéština (id) - + Japanese (ja) Japonština (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norština Bokmål (nb) - + Dutch (nl) Nizozemština (nl) - + Polish (pl) Polština (pl) - + Portuguese, Brazil (pt_BR) Portugalština, Brazílie (pt_BR) - + Russian (ru) Ruština (ru) - + Swedish (sv) Švédština (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamilština(Šrí Lanka) (ta_LK) - + Chinese(China) (zh_CN) Čínština(Čína) (zh_CN) - + Documentation Dokumentace - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Vytvořeno za použití - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: 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 @@ -2616,333 +2510,244 @@ Přinášíme tuto aplikaci zdarma, protože On nás osvobodil. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Autorská práva © 2004-2016 %s -Částečná autorská práva © 2004-2016 %s + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Nastavení rozhraní - - - Number of recent files to display: - Počet zobrazených nedávných souborů: - - Remember active media manager tab on startup - Pamatovat si při spuštění aktivní kartu správce médií - - - - Double-click to send items straight to live - Dvojklik zobrazí položku přímo naživo - - - Expand new service items on creation Při vytvoření rozbalit nové položky služby - + Enable application exit confirmation Zapnout potvrzování ukončení aplikace - + Mouse Cursor Kurzor myši - + Hide mouse cursor when over display window Skrýt kurzor myši v okně zobrazení - - Default Image - Výchozí obrázek - - - - Background color: - Barva pozadí: - - - - Image file: - Soubor s obrázkem: - - - + Open File Otevřít soubor - + Advanced Pokročilé - - - Preview items when clicked in Media Manager - Náhled položek při klepnutí ve správci médií - - Browse for an image file to display. - Procházet pro obrázek k zobrazení. - - - - Revert to the default OpenLP logo. - Vrátit na výchozí OpenLP logo. - - - Default Service Name Výchozí název služby - + Enable default service name Zapnout výchozí název služby - + Date and Time: Datum a čas: - + Monday Pondělí - + Tuesday Úterý - + Wednesday Středa - + Friday Pátek - + Saturday Sobota - + Sunday Neděle - + Now Teď - + Time when usual service starts. Čas, kdy obvykle začíná bohoslužba. - + Name: Název: - + Consult the OpenLP manual for usage. Pro použití se podívejte do dokumentace. - - Revert to the default service name "%s". - Vrátit na výchozí název služby "%s". - - - + Example: Příklad: - + Bypass X11 Window Manager Obejít správce oken X11 - + Syntax error. Chyba syntaxe. - + Data Location Umístění dat - + Current path: Současná cesta: - + Custom path: Uživatelská cesta: - + Browse for new data file location. Procházet pro nové umístění datových souborů. - + Set the data location to the default. Nastavit umístění dat na výchozí. - + Cancel Zrušit - + Cancel OpenLP data directory location change. Zrušit změnu umístění datové složky OpenLP. - + Copy data to new location. Kopírovat data do nového umístění. - + Copy the OpenLP data files to the new location. Kopírovat datové soubory OpenLP do nového umístění. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>VAROVÁNÍ:</strong> Nové umístnění datové složky už obsahuje datové soubory OpenLP. Tyto soubory BUDOU nahrazeny během kopírování. - - Data Directory Error - Chyba datové složky - - - + Select Data Directory Location Vybrat umístění datové složky - + Confirm Data Directory Change Potvrdit změnu datové složky - + Reset Data Directory Obnovit datovou složku - + Overwrite Existing Data Přepsat existující 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. - Datová složka OpenLP nebyla nalezena - -%s - -Výchozí umístění OpenLP bylo dříve změněno na tuto složku. Pokud nové umístění bylo na výměnném zařízení, je nutno dané zařízení nejdříve připojit. - -Klepněte na "Ne", aby se přerušilo načítání OpenLP. To umožní opravit daný problém. - -Klepněte na "Ano", aby se datová složka nastavila na výchozí umístění. - - - - 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. - Jste si jist, že chcede změnit umístění datové složky OpenLP na: - -%s - -Toto umístění se použije po zavření aplikace OpenLP. - - - + Thursday Čtvrtek - + Display Workarounds Vychytávky zobrazení - + Use alternating row colours in lists V seznamech pro lepší přehlednost střídat barvu pozadí řádku - - 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? - VAROVÁNÍ: - -Vypadá to, že vybrané umístění - -%s - -už obsahuje datové soubory OpenLP. Přejete si nahradit tyto soubory současnými datovými soubory? - - - + Restart Required Požadován restart - + This change will only take effect once OpenLP has been restarted. Tato změna se projeví až po opětovném spuštění aplikace OpenLP. - + 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. @@ -2950,11 +2755,142 @@ This location will be used after OpenLP is closed. Toto umístění se použije po zavření aplikace OpenLP. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + Nepoužívat automatické skrolování. + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automaticky + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klepnout pro výběr barvy. @@ -2962,252 +2898,252 @@ Toto umístění se použije po zavření aplikace OpenLP. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digitální - + Storage Úložiště - + Network Síť - + 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ální 1 - + Digital 2 Digitální 2 - + Digital 3 Digitální 3 - + Digital 4 Digitální 4 - + Digital 5 Digitální 5 - + Digital 6 Digitální 6 - + Digital 7 Digitální 7 - + Digital 8 Digitální 8 - + Digital 9 Digitální 9 - + Storage 1 Úložiště 1 - + Storage 2 Úložiště 2 - + Storage 3 Úložiště 3 - + Storage 4 Úložiště 4 - + Storage 5 Úložiště 5 - + Storage 6 Úložiště 6 - + Storage 7 Úložiště 7 - + Storage 8 Úložiště 8 - + Storage 9 Úložiště 9 - + Network 1 Síť 1 - + Network 2 Síť 2 - + Network 3 Síť 3 - + Network 4 Síť 4 - + Network 5 Síť 5 - + Network 6 Síť 6 - + Network 7 Síť 7 - + Network 8 Síť 8 - + Network 9 Síť 9 @@ -3215,62 +3151,74 @@ Toto umístění se použije po zavření aplikace OpenLP. OpenLP.ExceptionDialog - + Error Occurred Vznikla chyba - + Send E-Mail Poslat e-mail - + Save to File Uložit do souboru - + Attach File Přiložit soubor - - - Description characters to enter : %s - Znaky popisu pro vložení : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Zadejte prosím popis toho, co jste prováděl, když vznikla tato chyba. Pokud možno, pište v angličtině. -(Minimálně 20 písmen) - - 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. Also attach any files that triggered the problem. - Jejda! V aplikaci OpenLP vznikl problém, ze kterého není možné se zotavit. Text v polícku níže obsahuje informace, které mohou být užitečné pro vývojáře aplikace OpenLP. Zašlete je prosím spolu s podrobným popisem toho, co jste dělal, když problém vzniknul, na adresu bugs@openlp.org. Také přiložte jakékoliv soubory, co spustili tento problém. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Prosím popište o co jste se pokoušeli.</strong> &nbsp;Pokud možno použijte angličtinu. + + + + <strong>Thank you for your description!</strong> + <strong>Děkujeme za váš popis!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Popište nám co jste dělali, když se to stalo.</strong> + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platforma: %s - - - - + Save Crash Report Uložit hlášení o pádu - + Text files (*.txt *.log *.text) Textové soubory (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3311,268 +3259,261 @@ Toto umístění se použije po zavření aplikace OpenLP. 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. - Internetové připojení není dostupné. Průvodce prvním spuštění potřebuje internetové připojení pro stažení ukázek písní, Biblí a motivů. Klepněte na tlačiko Konec pro spuštění aplikace OpenLP ve výchozím nastavení a bez ukázkových dat. - -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. - - -Ú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 + + + Select parts of the program you wish to use + Vyberte části programu, které chcete používat + + + + You can also change these settings after the Wizard. + Toto nastavení můžete změnit i po ukončení průvodce. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + Stahování {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Stahování dokončeno. Klikněte na tlačítko {button} pro návrat do OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Stahování dokončeno. Klikněte na tlačítko {button} pro spuštění do OpenLP. + + + + Click the {button} button to return to OpenLP. + Klikněte na tlačítko {button} pro návrat do OpenLP. + + + + Click the {button} button to start OpenLP. + Klikněte na tlačítko {button} pro spuštění do OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + Tento průvodce vám pomuže nastavit OpenLP pro jeho první použití. Pro spuštění stiskněte tlačítko {button} níže. + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +Pro úplné zrušení Průvodce prvním použitím (OpenLP nebude spuštěno) stiskněte tlačítko {button} nyní. + OpenLP.FormattingTagDialog @@ -3615,44 +3556,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML zde> - + Validation Error Chyba ověřování - + Description is missing Chybějící popis - + Tag is missing Chybějící značka - Tag %s already defined. - Značka %s je už definovaná. + Tag {tag} already defined. + Značka {tag} je již definovaná. - Description %s already defined. - Popis %s je již definovaný. + Description {tag} already defined. + Popis {tag} je již definovaný. - - Start tag %s is not valid HTML - Počáteční značka %s není ve formátu HTML + + Start tag {tag} is not valid HTML + Počáteční značka {tag} není validní HTML - - End tag %(end)s does not match end tag for start tag %(start)s - Koncová značka %(end)s neodpovídá ukončení k počáteční značce %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + Nová značka {row:d} @@ -3741,170 +3687,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General Obecné - + Monitors Monitory - + Select monitor for output display: Vybrat monitor pro výstupní zobrazení: - + Display if a single screen Zobrazení při jedné obrazovce - + Application Startup Spuštění aplikace - + Show blank screen warning Zobrazit varování při prázdné obrazovce - - Automatically open the last service - Automaticky otevřít poslední službu - - - + Show the splash screen Zobrazit úvodní obrazovku - + Application Settings Nastavení aplikace - + Prompt to save before starting a new service Před spuštěním nové služby se ptát na uložení - - Automatically preview next item in service - Automatický náhled další položky ve službě - - - + sec sek - + CCLI Details CCLI podrobnosti - + SongSelect username: SongSelect uživatelské jméno: - + SongSelect password: SongSelect heslo: - + X X - + Y Y - + Height Výška - + Width Šířka - + Check for updates to OpenLP Kontrola aktualizací aplikace OpenLP - - Unblank display when adding new live item - Odkrýt zobrazení při přidání nové položky naživo - - - + Timed slide interval: Časový interval mezi snímky: - + Background Audio Zvuk na pozadí - + Start background audio paused Spustit audio na pozadí pozastavené - + Service Item Slide Limits Omezení snímku položky služby - + Override display position: Překrýt pozici zobrazení: - + Repeat track list Opakovat seznam stop - + Behavior of next/previous on the last/first slide: Chování další/předchozí na posledním/prvním snímku: - + &Remain on Slide &Zůstat na snímku - + &Wrap around &Skočit na první/poslední snímek - + &Move to next/previous service item &Přesun na další/předchozí položku ve službě + + + Logo + Logo + + + + Logo file: + Soubor s logem: + + + + Browse for an image file to display. + Procházet pro obrázek k zobrazení. + + + + Revert to the default OpenLP logo. + Vrátit na výchozí OpenLP logo. + + + + Don't show logo on startup + Nezobrazovat logo při spuštění + + + + Automatically open the previous service file + Automaticky otevřít soubor s poslední službou + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + Automaticky zobrazit náhled další položky služby + OpenLP.LanguageManager - + Language Jazyk - + Please restart OpenLP to use your new language setting. Změny nastavení jazyka se projeví restartováním aplikace OpenLP. @@ -3912,7 +3888,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Zobrazení OpenLP @@ -3920,352 +3896,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainWindow - + &File &Soubor - + &Import &Import - + &Export &Export - + &View &Zobrazit - - M&ode - &Režim - - - + &Tools &Nástroje - + &Settings &Nastavení - + &Language &Jazyk - + &Help &Nápověda - - Service Manager - Správce služby - - - - Theme Manager - Správce motivů - - - + Open an existing service. Otevřít existující službu. - + Save the current service to disk. Uložit současnou službu na disk. - + Save Service As Uložit službu jako - + Save the current service under a new name. Uložit současnou službu s novým názvem. - + E&xit U&končit - - Quit OpenLP - Ukončit OpenLP - - - + &Theme &Motiv - + &Configure OpenLP... &Nastavení OpenLP - - &Media Manager - Správce &médií - - - - Toggle Media Manager - Přepnout správce médií - - - - Toggle the visibility of the media manager. - Přepnout viditelnost správce médií. - - - - &Theme Manager - Správce &motivů - - - - Toggle Theme Manager - Přepnout správce motivů - - - - Toggle the visibility of the theme manager. - Přepnout viditelnost správce motivů. - - - - &Service Manager - Správce &služby - - - - Toggle Service Manager - Přepnout správce služby - - - - Toggle the visibility of the service manager. - Přepnout viditelnost správce služby. - - - - &Preview Panel - Panel &Náhled - - - - Toggle Preview Panel - Přepnout panel Náhled - - - - Toggle the visibility of the preview panel. - Přepnout viditelnost panelu náhled. - - - - &Live Panel - Panel Na&živo - - - - Toggle Live Panel - Přepnout panel Naživo - - - - Toggle the visibility of the live panel. - Přepnout viditelnost panelu naživo. - - - - List the Plugins - Vypsat moduly - - - - &User Guide - &Uživatelská příručka - - - + &About &O aplikaci - - More information about OpenLP - Více informací o aplikaci OpenLP - - - - &Online Help - &Online nápověda - - - + &Web Site &Webová stránka - + Use the system language, if available. Použít jazyk systému, pokud je dostupný. - - Set the interface language to %s - Jazyk rozhraní nastaven na %s - - - + Add &Tool... Přidat &nástroj... - + Add an application to the list of tools. Přidat aplikaci do seznamu nástrojů. - - &Default - &Výchozí - - - - Set the view mode back to the default. - Nastavit režim zobrazení zpět na výchozí. - - - + &Setup &Nastavení - - Set the view mode to Setup. - Nastavit režim zobrazení na Nastavení. - - - + &Live &Naživo - - Set the view mode to Live. - Nastavit režim zobrazení na Naživo. - - - - 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/. - Ke stažení je dostupná verze %s aplikace OpenLP (v současné době používáte verzi %s). - -Nejnovější verzi lze stáhnout z http://openlp.org/. - - - + OpenLP Version Updated Verze OpenLP aktualizována - + OpenLP Main Display Blanked Hlavní zobrazení OpenLP je prázdné - + The Main Display has been blanked out Hlavní zobrazení nastaveno na prázdný snímek - - Default Theme: %s - Výchozí motiv: %s - - - + English Please add the name of your language here Čeština - + Configure &Shortcuts... &Klávesové zkratky - + Open &Data Folder... Otevřít složku s &daty... - + Open the folder where songs, bibles and other data resides. Otevřít složku, kde se nachází písně, Bible a ostatní data. - + &Autodetect &Automaticky detekovat - + Update Theme Images Aktualizace obrázků motivu - + Update the preview images for all themes. Aktualizovat náhledy obrázků všech motivů. - + Print the current service. Tisk současné služby. - - L&ock Panels - &Uzamknout panely - - - - Prevent the panels being moved. - Zabrání přesunu panelů. - - - + Re-run First Time Wizard Průvodce prvním spuštění - + Re-run the First Time Wizard, importing songs, Bibles and themes. Znovu spustit Průvodce prvním spuštění, importovat písně, Bible a motivy. - + Re-run First Time Wizard? Znovu spustit Průvodce prvním spuštění? - + 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. @@ -4274,107 +4086,68 @@ 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ů. - + Configure &Formatting Tags... &Formátovací značky - - Export OpenLP settings to a specified *.config file - Export nastavení OpenLP do určitého *.config souboru - - - + Settings Nastavení - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Import nastavení OpenLP ze určitého *.config souboru dříve exportovaného na tomto nebo jiném stroji - - - + Import settings? Importovat nastavení? - - Open File - Otevřít soubor - - - - OpenLP Export Settings Files (*.conf) - Soubory exportovaného nastavení OpenLP (*.conf) - - - + Import settings Import nastavení - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. Aplikace OpenLP se nyní zavře. Importovaná nastavení se použijí při příštim spuštění. - + Export Settings File Soubor exportovaného nastavení - - OpenLP Export Settings File (*.conf) - 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 - Kopírování datové složky OpenLP selhalo - -%s - - - + General Obecné - + Library Knihovna - + Jump to the search box of the current active plugin. Skočit na vyhledávací pole současného aktivního modulu. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4387,7 +4160,7 @@ Importováním nastavení dojde k trvalým změnám současného nastavení apli Importování nesprávných nastavení může zapříčinit náladové chování nebo nenormální ukončení aplikace 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. @@ -4396,191 +4169,370 @@ Processing has terminated and no changes have been made. Zpracování bylo přerušeno a žádná změna se neprovedla. - - Projector Manager - Správce projektorů - - - - Toggle Projector Manager - Přepnout správce projektorů - - - - Toggle the visibility of the Projector Manager - Přepnout viditelnost správce projektorů - - - + Export setting error Chyba exportu nastavení - - 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 - - - + &Recent Services &Nedávné služby - + &New Service &Nová služba - + &Open Service &Otevřít službu - + &Save Service &Uložit službu - + Save Service &As... Uložit službu &jako - + &Manage Plugins &Spravovat moduly - + Exit OpenLP Ukončit OpenLP - + Are you sure you want to exit OpenLP? Jste si jist, že chcete ukončit aplikaci OpenLP? - + &Exit OpenLP &Ukončit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Služba + + + + Themes + Motivy + + + + Projectors + Projektory + + + + Close OpenLP - Shut down the program. + Zavřít OpenLP - Vypnout program. + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + &Projektory + + + + Hide or show Projectors. + Skrýt nebo zobrazit panel Projektory. + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + K&nihovna + + + + Hide or show the Library. + Skrýt nebo zobrazit panel Knihovna. + + + + Toggle the visibility of the Library. + Přepnout viditelnost knihovny. + + + + &Themes + &Motivy + + + + Hide or show themes + Skrýt nebo zobrazit panel Motivy + + + + Toggle visibility of the Themes. + Přepnout viditelnost panelu Motivy. + + + + &Service + + + + + Hide or show Service. + Skrýt nebo zobrazit panel Služba. + + + + Toggle visibility of the Service. + + + + + &Preview + &Náhled + + + + Hide or show Preview. + Skrýt nebo zobrazit panel Náhled. + + + + Toggle visibility of the Preview. + Přepnout viditelnost panelu Náhled. + + + + Li&ve + + + + + Hide or show Live + Skrýt nebo zobrazit panel Živě. + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + Více informací o OpenLP. + + + + Set the interface language to {name} + + + + + &Show all + &Zobrazit vše + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + + 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 - Databáze k načtení byla vytvořena v novější verzi aplikace OpenLP. Verze databáze je %d, zatímco OpenLP očekává verzi %d. Databáze nebude načtena. - -Databáze: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP nemůže načíst databázi.. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Databáze: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Nevybrány žádné položky - + &Add to selected Service Item &Přidat k vybrané Položce Služby - + You must select one or more items to preview. Pro náhled je třeba vybrat jednu nebo více položek. - + You must select one or more items to send live. Pro zobrazení naživo je potřeba vybrat jednu nebo více položek. - + You must select one or more items. Je třeba vybrat jednu nebo více položek. - + You must select an existing service item to add to. K přidání Je třeba vybrat existující položku služby. - + Invalid Service Item Neplatná Položka služby - - You must select a %s service item. - Je třeba vybrat %s položku služby. - - - + You must select one or more items to add. Pro přidání Je třeba vybrat jednu nebo více položek. - - No Search Results - Žádné výsledky hledání - - - + Invalid File Type Neplatný typ souboru - - Invalid File %s. -Suffix not supported - Soubor v neznámém formátu %s. -Přípona není podporovaná - - - + &Clone &Klonovat - + Duplicate files were found on import and were ignored. Při importu byly nalezeny duplicitní soubory a byly ignorovány. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Chybějící značka <lyrics>. - + <verse> tag is missing. Chybějící značka <verse>. @@ -4588,22 +4540,22 @@ Přípona není podporovaná OpenLP.PJLink1 - + Unknown status Neznámý stav - + No message Žádná zpráva - + Error while sending data to projector Chyba při posílání dat projektoru - + Undefined command: Nedefinovaný příkaz: @@ -4611,32 +4563,32 @@ Přípona není podporovaná OpenLP.PlayerTab - + Players Přehrávače - + Available Media Players Dostupné přehrávače médií - + Player Search Order Pořadí použití přehrávačů - + Visible background for videos with aspect ratio different to screen. Viditelné pozadí pro videa s jiným poměrem stran než má obrazovka. - + %s (unavailable) %s (nedostupný) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" Poznámka: Aby se dalo použít VLC je potřeba nainstalovat verzi %s @@ -4645,55 +4597,50 @@ Přípona není podporovaná OpenLP.PluginForm - + Plugin Details Podrobnosti k modulu - + Status: Stav: - + Active Aktivní - - Inactive - Neaktivní - - - - %s (Inactive) - %s (Neaktivní) - - - - %s (Active) - %s (Aktivní) + + Manage Plugins + Spravovat moduly - %s (Disabled) - %s (Vypnuto) + {name} (Disabled) + - - Manage Plugins - Spravovat moduly + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Přizpůsobit stránce - + Fit Width Přizpůsobit šířce @@ -4701,77 +4648,77 @@ Přípona není podporovaná OpenLP.PrintServiceForm - + Options Možnosti - + Copy Kopírovat - + Copy as HTML Kopírovat jako HTML - + Zoom In Zvětšit - + Zoom Out Zmenšit - + Zoom Original Původní velikost - + Other Options Ostatní možnosti - + Include slide text if available Zahrnout text snímku, pokud je k dispozici - + Include service item notes Zahrnout poznámky položky služby - + Include play length of media items Zahrnout délku přehrávání mediálních položek - + Add page break before each text item Přidat zalomení stránky před každou textovou položku - + Service Sheet List služby - + Print Tisk - + Title: Nadpis: - + Custom Footer Text: Uživatelský text zápatí: @@ -4779,257 +4726,257 @@ Přípona není podporovaná OpenLP.ProjectorConstants - + OK OK - + General projector error Obecná chyba projektoru - + Not connected error Chyba nepřipojení - + Lamp error Chyba lampy - + Fan error Chyba ventilátoru - + High temperature detected Zjištěna vysoká teplota - + Cover open detected Zjištěn otevřený kryt - + Check filter Prověřit filtr - + Authentication Error Chyba ověření - + Undefined Command Nedefinovaný příkaz - + Invalid Parameter Neplatný parametr - + Projector Busy Projektor zaneprázdněn - + Projector/Display Error Chyba projektoru/zobrazení - + Invalid packet received Přijat neplatný paket - + Warning condition detected Zjištěn varovný stav - + Error condition detected Zjištěn chybový stav - + PJLink class not supported PJLink třída není podporovaná - + Invalid prefix character Neplatný znak přípony - + The connection was refused by the peer (or timed out) Spojení odmítnuto druhou stranou (nebo vypršel čas) - + The remote host closed the connection Vzdálený stroj zavřel spojení - + The host address was not found Adresa stroje nebyla nalezena - + The socket operation failed because the application lacked the required privileges Operace soketu selhala protože aplikace nemá požadovaná oprávněni - + The local system ran out of resources (e.g., too many sockets) Váš operační systém nemá dostatek prostředků (např. příliš mnoho soketů) - + The socket operation timed out Operace soketu vypršela - + The datagram was larger than the operating system's limit Datagram byl větší než omezení operačního systému - + An error occurred with the network (Possibly someone pulled the plug?) Vznikla chyba v síti. An error occurred with the network (Možná někdo vypojil zástrčku?) - + The address specified with socket.bind() is already in use and was set to be exclusive Adresa specifikovaná pro socket.bind() se již používá a byla nastavena na výhradní režim - + The address specified to socket.bind() does not belong to the host Adresa specifikovaná pro socket.bind() stroji nepatří - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) Požadovaná operace soketu není podporovaná Vaším operačním systémem (např. chybějící podpora IPv6) - + The socket is using a proxy, and the proxy requires authentication Soket používá proxy server a ten vyžaduje ověření - + The SSL/TLS handshake failed Selhal SSL/TLS handshake - + The last operation attempted has not finished yet (still in progress in the background) Poslední pokus operace ještě neskončil (stále probíhá na pozadí) - + Could not contact the proxy server because the connection to that server was denied Nemohu se spojit s proxy serverem protože spojení k tomuto serveru bylo odmítnuto - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) Spojení s proxy serverem bylo nečekaně uzavřeno (dříve, než bylo vytvořeno spojení s druhou stranou) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Vypršel čas spojení s proxy serverem nebo proxy server přestal odpovídat během ověřívací fáze. - + The proxy address set with setProxy() was not found Adresa proxy serveru nastavená v setProxy() nebyla nalezena - + An unidentified error occurred Vznikla neidentifikovatelná chyba - + Not connected Nepřipojen - + Connecting Připojuji se - + Connected Připojen - + Getting status Získávám stav - + Off Vypnuto - + Initialize in progress Probíhá inicializace - + Power in standby Úsporný režim - + Warmup in progress Probíhá zahřívání - + Power is on Zapnuto - + Cooldown in progress Probíhá chlazení - + Projector Information available Informace k projektoru dostupné - + Sending data Posílám data - + 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 @@ -5037,17 +4984,17 @@ Přípona není podporovaná OpenLP.ProjectorEdit - + Name Not Set Název nenastaven - + You must enter a name for this entry.<br />Please enter a new name for this entry. Pro tuto položku je třeba zadat název.<br />Zadejte prosím název pro tuto položku. - + Duplicate Name Duplicitní název @@ -5055,52 +5002,52 @@ Přípona není podporovaná OpenLP.ProjectorEditForm - + Add New Projector Přidat nový projektor - + Edit Projector Upravit projektor - + IP Address IP adresa - + Port Number Číslo portu - + PIN PIN - + Name Název - + Location Umístění - + Notes Poznámky - + Database Error Chyba databáze - + There was an error saving projector information. See the log for the error Vznikla chyba během ukládání informací o projektoru. Pro informace o chybě viz log. @@ -5108,305 +5055,360 @@ Přípona není podporovaná OpenLP.ProjectorManager - + Add Projector Přidat projektor - - Add a new projector - Přidat nový projektor - - - + Edit Projector Upravit projektor - - Edit selected projector - Upravit vybraný projektor - - - + Delete Projector Smazat projektor - - Delete selected projector - Smazat vybraný projektor - - - + Select Input Source Vybrat zdroj vstupu - - Choose input source on selected projector - Vybrat zdroj vstupu u vybraného projektoru - - - + View Projector Zobrazit projektor - - View selected projector information - Zobrazit informace k vybranému projektoru - - - - Connect to selected projector - Připojit se k vybranému projektoru - - - + Connect to selected projectors Připojit se k vybraným projektorům - + Disconnect from selected projectors Odpojit se od vybraných projektorů - + Disconnect from selected projector Odpojit se od vybraného projektoru - + Power on selected projector Zapnout vybraný projektor - + Standby selected projector Úsporný režim pro vybraný projektor - - Put selected projector in standby - Přepne vybraný projektor do úsporného režimu - - - + Blank selected projector screen Prázdná obrazovka na vybraném projektoru - + Show selected projector screen Zobrazit vybranou obrazovku projektoru - + &View Projector Information &Zobrazit informace o projectoru - + &Edit Projector &Upravit projektor - + &Connect Projector &Připojit projektor - + D&isconnect Projector &Odpojit projektor - + Power &On Projector Z&apnout projektor - + Power O&ff Projector &Vypnout projektor - + Select &Input Vybrat &vstup - + Edit Input Source Upravit zdroj vstupu - + &Blank Projector Screen &Prázdná obrazovka na projektoru - + &Show Projector Screen &Zobrazit obrazovku projektoru - + &Delete Projector &Smazat projektor - + Name Název - + IP IP - + Port Port - + Notes Poznámky - + Projector information not available at this time. Informace o projektoru teď nejsou dostupné. - + Projector Name Název projektoru - + Manufacturer Výrobce - + Model Model - + Other info Ostatní informace - + Power status Stav napájení - + Shutter is Clona je - + Closed Zavřeno - + Current source input is Současným zdroje vstupu je - + Lamp Lampa - - On - Zapnuto - - - - Off - Vypnuto - - - + Hours Hodin - + No current errors or warnings Žádné současné chyby nebo varování - + Current errors/warnings Současné chyby/varování - + Projector Information Informace k projektoru - + No message Žádná zpráva - + Not Implemented Yet Není ještě implementováno - - Delete projector (%s) %s? - Smazat projektor (%s) %s? - - - + Are you sure you want to delete this projector? Jste si jisti, že chcete smazat tento projektor? + + + Add a new projector. + Přidat nový projektor. + + + + Edit selected projector. + Upravit vybraný projektor. + + + + Delete selected projector. + Smazat vybraný projektor. + + + + Choose input source on selected projector. + + + + + View selected projector information. + Zobrazit informace o vybraném projektoru. + + + + Connect to selected projector. + Připojit se k vybranému projektoru. + + + + Connect to selected projectors. + Připojit se k vybraným projektorům. + + + + Disconnect from selected projector. + Odpojit se od vybraného projektoru. + + + + Disconnect from selected projectors. + Odpojit se od vybraných projektorů. + + + + Power on selected projector. + Zapnout vybraný projektor. + + + + Power on selected projectors. + Zapnout vybrané projektory. + + + + Put selected projector in standby. + Přepnout vybraný projektor do úsporného režimu. + + + + Put selected projectors in standby. + Přepnout vybrané projektory do úsporného režimu. + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + je zapnutý + + + + is off + je vypnutý + + + + Authentication Error + Chyba ověření + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Ventilátor - + Lamp Lampa - + Temperature Teplota - + Cover Kryt - + Filter Filtr - + Other Ostatní @@ -5452,17 +5454,17 @@ Přípona není podporovaná OpenLP.ProjectorWizard - + Duplicate IP Address Duplicitní IP adresa - + Invalid IP Address Neplatná IP adresa - + Invalid Port Number Neplatné číslo portu @@ -5475,27 +5477,27 @@ Přípona není podporovaná Obrazovka - + primary Primární OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Začátek</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Délka</strong>: %s - - [slide %d] - [snímek %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + <strong>Začátek</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Délka</strong>: {length} @@ -5559,52 +5561,52 @@ Přípona není podporovaná Smazat vybranou položku ze služby. - + &Add New Item &Přidat novou položku - + &Add to Selected Item &Přidat k vybrané položce - + &Edit Item &Upravit položku - + &Reorder Item &Změnit pořadí položky - + &Notes &Poznámky - + &Change Item Theme &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í @@ -5629,7 +5631,7 @@ Přípona není podporovaná Svinout všechny položky služby. - + Open File Otevřít soubor @@ -5659,22 +5661,22 @@ Přípona není podporovaná Zobrazí vybranou položku naživo. - + &Start Time &Spustit čas - + Show &Preview Zobrazit &náhled - + Modified Service Změněná služba - + The current service has been modified. Would you like to save this service? Současná služba byla změněna. Přejete si službu uložit? @@ -5694,27 +5696,27 @@ Přípona není podporovaná Čas přehrávání: - + Untitled Service 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 @@ -5734,146 +5736,144 @@ 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. - + Service File(s) Missing Chybějící soubor(y) služby - + &Rename... &Přejmenovat... - + Create New &Custom Slide Vytvořit &uživatelský snímek - + &Auto play slides &Přehrát snímky automaticky - + Auto play slides &Loop Přehrát snímky ve &smyčce - + Auto play slides &Once Přehrát snímky &jednou - + &Delay between slides Zpoždění mezi s nímky - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Následující soubor(y) ve službě chybí: %s - -Tyto souby se vymažou, pokud službu uložíte. + + + + + An error occurred while writing the service file: {error} + @@ -5905,15 +5905,10 @@ Tyto souby se vymažou, pokud službu uložíte. Zkratka - + Duplicate Shortcut Duplicitní zkratka - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Zkratka "%s" je už přiřazena jiné činnosti. Použijte prosím jinou zkratku. - Alternate @@ -5959,219 +5954,235 @@ Tyto souby se vymažou, pokud službu uložíte. Configure Shortcuts Nastavit zkratky + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Skrýt - + Go To Přejít na - - - Blank Screen - Prázdná obrazovka - - Blank to Theme - Prázdný motiv - - - Show Desktop Zobrazit plochu - + Previous Service Předchozí služba - + Next Service Další služba - - Escape Item - Zrušit položku - - - + Move to previous. Přesun na předchozí. - + Move to next. Přeson na další. - + Play Slides Přehrát snímky - + Delay between slides in seconds. Zpoždění mezi s nímky v sekundách. - + Move to live. Přesun naživo. - + Add to Service. Přidat ke službě. - + Edit and reload song preview. Upravit a znovu načíst náhled písně. - + Start playing media. Spustit přehrávání média. - + Pause audio. Pozastavit zvuk. - + Pause playing media. Pozastavit přehrávání média. - + Stop playing media. Zastavit přehrávání média. - + Video position. Umístění videa. - + Audio Volume. Hlasitost zvuku. - + Go to "Verse" Přejít na "Sloka" - + Go to "Chorus" Přejít na "Refrén" - + Go to "Bridge" Přejít na "Přechod" - + Go to "Pre-Chorus" Přejít na "Předrefrén" - + Go to "Intro" Přejít na "Úvod" - + Go to "Ending" Přejít na "Zakončení" - + Go to "Other" Přejít na "Ostatní" - + Previous Slide Předchozí snímek - + Next Slide Další snímek - + Pause Audio Pozastavit zvuk - + Background Audio Zvuk na pozadí - + Go to next audio track. Přejít na další zvukovou stopu. - + Tracks Stopy + + + Loop playing media. + Přehrávání média ve smyčce. + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source Vybrat zdroj projektoru - + Edit Projector Source Text Upravit text zdroje projektoru - + Ignoring current changes and return to OpenLP Ignorovat současné změny a vrátit se do aplikace OpenLP - + Delete all user-defined text and revert to PJLink default text Smazat všechen uživatelem definovaný text a vrátit se k výchozímu text PJLink. - + Discard changes and reset to previous user-defined text Zahodit změny a vrátit se k předchozímu uživatelem definovanému textu. - + Save changes and return to OpenLP 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 source input text for this projector? Jste si jist, že chcete smazat VŠECHNY uživatelem definované zdroje vstupního textu pro tento projektor? @@ -6179,17 +6190,17 @@ Tyto souby se vymažou, pokud službu uložíte. OpenLP.SpellTextEdit - + Spelling Suggestions Návrhy pravopisu - + Formatting Tags Formátovací značky - + Language: Jazyk: @@ -6268,7 +6279,7 @@ Tyto souby se vymažou, pokud službu uložíte. OpenLP.ThemeForm - + (approximately %d lines per slide) (přibližně %d řádek na snímek) @@ -6276,523 +6287,531 @@ Tyto souby se vymažou, pokud službu uložíte. OpenLP.ThemeManager - + Create a new theme. Vytvoří nový motiv. - + Edit Theme Upravit motiv - + Edit a theme. Upraví motiv. - + Delete Theme Smazat motiv - + Delete a theme. Smaže motiv. - + Import Theme Import motivu - + Import a theme. Importuje motiv. - + Export Theme Export motivu - + Export a theme. Exportuje motiv. - + &Edit Theme &Upravit motiv - + &Delete Theme &Smazat motiv - + Set As &Global Default Nastavit jako &Globální výchozí - - %s (default) - %s (výchozí) - - - + You must select a theme to edit. Pro úpravy je třeba vybrat motiv. - + You are unable to delete the default theme. Není možno smazat výchozí motiv. - + 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 - + Select Theme Import File Vybrat soubor k importu motivu - + File is not a valid theme. Soubor není ve formátu motivu. - + &Copy Theme &Kopírovat motiv - + &Rename Theme &Přejmenovat motiv - + &Export Theme &Export motivu - + You must select a theme to rename. K přejmenování je třeba vybrat motiv. - + Rename Confirmation Potvrzení přejmenování - + Rename %s theme? Přejmenovat motiv %s? - + You must select a theme to delete. Pro smazání je třeba vybrat motiv. - + Delete Confirmation Potvrzení smazání - + Delete %s theme? Smazat motiv %s? - + Validation Error Chyba ověřování - + A theme with this name already exists. Motiv s tímto názvem již existuje. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - - - - + Unable to delete theme Nelze smazat motiv + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + Kopie {name} + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + {name} (výchozí) + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Motiv se nyní používá - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Průvodce motivem - + Welcome to the Theme Wizard Vítá Vás Průvodce motivem - + Set Up Background Nastavení pozadí - + Set up your theme's background according to the parameters below. Podle parametrů níže nastavte pozadí motivu. - + Background type: Typ pozadí: - + Gradient Přechod - + Gradient: Přechod: - + Horizontal Vodorovný - + Vertical Svislý - + Circular Kruhový - + Top Left - Bottom Right Vlevo nahoře - vpravo dole - + Bottom Left - Top Right Vlevo dole - vpravo nahoře - + Main Area Font Details Podrobnosti písma hlavní oblasti - + Define the font and display characteristics for the Display text Definovat písmo a charakteristiku zobrazení pro zobrazený text - + Font: Písmo: - + Size: Velikost: - + Line Spacing: Řádkování: - + &Outline: &Obrys: - + &Shadow: &Stín: - + Bold Tučné - + Italic Kurzíva - + Footer Area Font Details Podrobnosti písma oblasti zápatí - + Define the font and display characteristics for the Footer text Definovat písmo a charakteristiku zobrazení pro text zápatí - + Text Formatting Details Podrobnosti formátování textu - + Allows additional display formatting information to be defined Dovoluje definovat další formátovací informace zobrazení - + Horizontal Align: Vodorovné zarovnání: - + Left Vlevo - + Right Vpravo - + Center Na střed - + Output Area Locations Umístění výstupní oblasti - + &Main Area &Hlavní oblast - + &Use default location &Použít výchozí umístění - + X position: Pozice X: - + px px - + Y position: Pozice Y: - + Width: Šířka: - + Height: Výška: - + Use default location Použít výchozí umístění - + Theme name: Název motivu: - - Edit Theme - %s - Upravit motiv - %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. Tento průvodce pomáhá s vytvořením a úpravou motivů. Klepněte níže na tlačítko další pro pokračování v nastavení pozadí. - + Transitions: Přechody: - + &Footer Area Oblast &zápatí - + Starting color: Barva začátku: - + Ending color: Barva konce: - + Background color: Barva pozadí: - + Justify Do bloku - + Layout Preview Náhled rozvržení - + Transparent Průhledný - + Preview and Save Náhled a uložit - + Preview the theme and save it. Náhled motivu a motiv uložit. - + Background Image Empty Prázdný obrázek pozadí - + Select Image Vybrat obrázek - + Theme Name Missing Chybí název motivu - + There is no name for this theme. Please enter one. Není vyplněn název motivu. Prosím zadejte ho. - + Theme Name Invalid Neplatný název motivu - + Invalid theme name. Please enter one. Neplatný název motivu. Prosím zadejte nový. - + Solid color Plná barva - + color: barva: - + Allows you to change and move the Main and Footer areas. Dovoluje změnit a přesunout hlavní oblast a oblast zápatí. - + You have not selected a background image. Please select one before continuing. Nebyl vybrán obrázek pozadí. Před pokračování prosím jeden vyberte. + + + Edit Theme - {name} + + + + + Select Video + Vybrat video + OpenLP.ThemesTab @@ -6875,73 +6894,73 @@ Tyto souby se vymažou, pokud službu uložíte. &Svislé zarovnání: - + Finished import. Import dokončen. - + Format: Formát: - + Importing Importuji - + Importing "%s"... Importuji "%s"... - + Select Import Source Vybrat zdroj importu - + Select the import format and the location to import from. Vyberte formát importu a umístění, ze kterého se má importovat. - + Open %s File Otevřít soubor %s - + %p% %p% - + Ready. Připraven. - + Starting import... Spouštím import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong 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 - + Welcome to the Song Export Wizard Vítá Vás Průvodce exportu písní - + Welcome to the Song Import Wizard Vítá Vás Průvodce importu písní @@ -6959,7 +6978,7 @@ Tyto souby se vymažou, pokud službu uložíte. - © + © Copyright symbol. © @@ -6991,39 +7010,34 @@ Tyto souby se vymažou, pokud službu uložíte. Chyba v syntaxi XML - - Welcome to the Bible Upgrade Wizard - Vítá Vás Průvodce aktualizací Biblí - - - + Open %s Folder Otevřít složku %s - + You need to specify one %s file to import from. A file type e.g. OpenSong Je potřeba upřesnit jeden %s soubor, ze kterého se bude importovat. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Je potřeba upřesnit jednu %s složku, ze které se bude importovat. - + Importing Songs Import písní - + Welcome to the Duplicate Song Removal Wizard Vítá Vás Průvodce odstraněním duplicitních písní - + Written by Napsal @@ -7033,502 +7047,490 @@ Tyto souby se vymažou, pokud službu uložíte. Neznámý autor - + About O aplikaci - + &Add &Přidat - + Add group Přidat skupinu - + Advanced Pokročilé - + All Files Všechny soubory - + Automatic Automaticky - + Background Color Barva pozadí - + Bottom Dole - + Browse... Procházet... - + Cancel Zrušit - + CCLI number: CCLI číslo: - + Create a new service. Vytvořit novou službu. - + Confirm Delete Potvrdit smazání - + Continuous Spojitý - + Default Výchozí - + Default Color: Výchozí 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. Služba %Y-%m-%d %H-%M - + &Delete &Smazat - + Display style: Styl zobrazení: - + Duplicate Error Duplicitní chyba - + &Edit &Upravit - + Empty Field Prázdné pole - + Error Chyba - + Export Export - + File Soubor - + File Not Found Soubor nenalezen - - File %s not found. -Please try selecting it individually. - Soubor %s nenalezen. -Prosím zkuste ho vybrat jednotlivě. - - - + pt Abbreviated font pointsize unit pt - + Help Nápověda - + h The abbreviated unit for hours hod - + Invalid Folder Selected Singular Vybraná neplatná složka - + Invalid File Selected Singular Vybraný neplatný soubor - + Invalid Files Selected Plural Vybrané neplatné soubory - + Image Obrázek - + Import Import - + Layout style: Styl rozvržení: - + Live Naživo - + Live Background Error Chyba v pozadí naživo - + Live Toolbar Nástrojová lišta Naživo - + Load Načíst - + Manufacturer Singular Výrobce - + Manufacturers Plural Výrobci - + Model Singular Model - + Models Plural Modely - + m The abbreviated unit for minutes min - + Middle Uprostřed - + New Nový - + New Service Nová služba - + New Theme Nový motiv - + Next Track Další stopa - + No Folder Selected Singular Nevybraná žádná složka - + No File Selected Singular Nevybrán žádný soubor - + No Files Selected Plural Nevybrány žádné soubory - + No Item Selected Singular Nevybrána žádná položka - + No Items Selected Plural Nevybrány žádné položky - + OpenLP is already running. Do you wish to continue? Aplikace OpenLP je už spuštěna. Přejete si pokračovat? - + Open service. Otevřít službu. - + Play Slides in Loop Přehrát snímky ve smyčce - + Play Slides to End Přehrát snímky ke konci - + Preview 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í - + CCLI song number: CCLI číslo písně: - + Preview Toolbar Nástrojová lišta Náhled - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Nahradit živé pozadí (live background) není dostupné když je přehrávač WebKit zakázaný. @@ -7544,32 +7546,99 @@ Prosím zkuste ho vybrat jednotlivě. Plural Zpěvníky + + + Background color: + Barva pozadí: + + + + Add group. + Přidat skupinu. + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + Spustit {code} + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Žádné Bible k dispozici + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + Kapitola knihy + + + + Chapter + Kapitola + + + + Verse + Verš + + + + Psalm + Žalm + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + Úplné názvy knih mohou být zkráceny, například Ž 23 = Žalm 23 + + + + No Search Results + Žádné výsledky hledání + + + + Please type more text to use 'Search As You Type' + + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s a %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, a %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7649,47 +7718,47 @@ Prosím zkuste ho vybrat jednotlivě. Nyní používající: - + File Exists Soubor existuje - + A presentation with that filename already exists. Prezentace s tímto názvem souboru už existuje. - + This type of presentation is not supported. Tento typ prezentace není podporován. - - Presentations (%s) - Prezentace (%s) - - - + Missing Presentation Chybějící prezentace - - The presentation %s is incomplete, please reload. - Prezentace %s není kompletní. Načtěte ji znovu. + + Presentations ({text}) + - - The presentation %s no longer exists. - Prezentace %s už neexistuje. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + Prezentace {name} není úplná, prosím načtěte jí znovu. 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7699,11 +7768,6 @@ Prosím zkuste ho vybrat jednotlivě. Available Controllers Dostupné ovládání - - - %s (unavailable) - %s (nedostupný) - Allow presentation application to be overridden @@ -7720,12 +7784,12 @@ Prosím zkuste ho vybrat jednotlivě. 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. @@ -7736,13 +7800,19 @@ Prosím zkuste ho vybrat jednotlivě. - Clicking on a selected slide in the slidecontroller advances to next effect. - Klepnutí na vybraný snímek v seznamu snímků spustí dalsí efekt (volba opraví efekty a animace PowerPoint prezentacích). + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Nechat PowerPoint řídit velikost a umístění prezentačního okna (řeší problém se změnou velikosti ve Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7784,127 +7854,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í - + Remote Dálkové ovládání - + Stage View Zobrazení na pódiu - + Live View Zobrazení naživo @@ -7912,79 +7982,140 @@ Prosím zkuste ho vybrat jednotlivě. RemotePlugin.RemoteTab - + Serve on IP address: Poslouchat na IP adresse: - + Port number: Číslo portu: - + Server Settings Nastavení serveru - + Remote URL: URL dálkového ovládání: - + Stage view URL: URL zobrazení na pódiu: - + Display stage time in 12h format Zobrazit čas na pódiu ve 12hodinovém formátu - + Android App Android aplikace - + Live view URL: URL zobrazení naživo: - + 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. Nemohu najít SSL certifikát. HTTPS server nebude dostupný, dokud nebude nalezen SSL certifikát. Pro více informací viz dokumentaci. - + User Authentication Ověření uživatele - + User id: ID uživatatele: - + Password: Heslo: - + Show thumbnails of non-text slides in remote and stage view. Zobrazit miniatury netextových snímků v dálkovém ovládání a v zobrazení na pódiu. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Naskenujte QR kód nebo pro instalaci Android aplikace ze služby Google Play klepněte na <a href="%s">stáhnout</a>. + + iOS App + iOS aplikace + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Pro instalaci Android aplikace z Google Play naskenujte QR kód, nebo klikněte na <a href="{qr}">stáhnout</a>. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Pro instalaci iOS aplikace z App Store naskenujte QR kód, nebo klikněte na <a href="{qr}">stáhnout</a>. + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Nevybrána výstupní cesta + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Vytvoření hlášení + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8025,50 +8156,50 @@ Prosím zkuste ho vybrat jednotlivě. 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ý @@ -8136,24 +8267,10 @@ Všechna data, zaznamenaná před tímto datem budou natrvalo smazána.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. - Hlášení -%s -bylo úspěšně vytvořeno. - Output Path Not Selected @@ -8167,14 +8284,26 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8190,102 +8319,102 @@ Prosím vyberte existující složku ve vašem počítači. 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ě... - + Arabic (CP-1256) Arabština (CP-1256) - + Baltic (CP-1257) Baltské jazyky (CP-1257) - + Central European (CP-1250) Středoevropské jazyky (CP-1250) - + Cyrillic (CP-1251) Cyrilice (CP-1251) - + Greek (CP-1253) Řečtina (CP-1253) - + Hebrew (CP-1255) Hebrejština (CP-1255) - + Japanese (CP-932) Japonština (CP-932) - + Korean (CP-949) Korejština (CP-949) - + Simplified Chinese (CP-936) Zjednodušená čínština (CP-936) - + Thai (CP-874) Thajština (CP-874) - + Traditional Chinese (CP-950) Tradiční čínština (CP-950) - + Turkish (CP-1254) Turečtina (CP-1254) - + Vietnam (CP-1258) Vietnamština (CP-1258) - + Western European (CP-1252) Západoevropské jazyky (CP-1252) - + Character Encoding Kódování znaků - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8294,26 +8423,26 @@ za správnou reprezentaci znaků. Předvybraná volba by obvykle měla být správná. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Vyberte prosím kódování znaků. 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ě @@ -8324,37 +8453,37 @@ Kódování zodpovídá za správnou reprezentaci znaků. 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ě @@ -8369,15 +8498,30 @@ Kódování zodpovídá za správnou reprezentaci znaků. 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í. + + + Songs + Písně + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8463,62 +8607,67 @@ Kódování zodpovídá za správnou reprezentaci znaků. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Spravuje %s - - - - "%s" could not be imported. %s - "%s" nemohlo být importováno. %s - - - + Unexpected data formatting. Neočekávané formátování dat. - + No song text found. Žádný text písně nenalezen. - + [above are Song Tags with notes imported from EasyWorship] [výše jsou značky písní s poznámkami importovanými z EasyWorship] - + This file does not exist. Tento soubor neexistuje. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Nemohu najít soubor "Songs.MB". Musí být ve stejné složce jako soubor "Songs.DB". - + This file is not a valid EasyWorship database. Soubor není ve formátu databáze EasyWorship. - + Could not retrieve encoding. Nemohu získat kódování. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta data - + Custom Book Names Uživatelské názvy knih @@ -8601,57 +8750,57 @@ Kódování zodpovídá za správnou reprezentaci znaků. Motiv, autorská práva a komentáře - + Add Author Přidat autora - + This author does not exist, do you want to add them? Tento autor neexistuje. Chcete ho přidat? - + This author is already in the list. Tento autor je už v seznamu. - + 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. Není vybrán platný autor. Buďto vyberte autora ze seznamu nebo zadejte nového autora a pro přidání nového autora klepněte na tlačítko "Přidat autora k písni". - + Add Topic Přidat téma - + This topic does not exist, do you want to add it? Toto téma neexistuje. Chcete ho přidat? - + This topic is already in the list. Toto téma je už v seznamu. - + 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. Není vybráno platné téma. Buďto vyberte téma ze seznamu nebo zadejte nové téma a pro přidání nového tématu klepněte na tlačítko "Přidat téma k písni". - + You need to type in a song title. Je potřeba zadat název písne. - + You need to type in at least one verse. Je potřeba zadat alespoň jednu sloku. - + You need to have an author for this song. Pro tuto píseň je potřeba zadat autora. @@ -8676,7 +8825,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. Odstranit &Vše - + Open File(s) Otevřít soubor(y) @@ -8691,14 +8840,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. <strong>Varování:</strong> Nebylo zadáno pořadí slok. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Sloka odpovídající "%(invalid)s" neexistuje. Platné položky jsou %(valid)s. -Prosím zadejte sloky oddělené mezerou. - - - + Invalid Verse Order Neplatné pořadí veršů @@ -8708,22 +8850,15 @@ Prosím zadejte sloky oddělené mezerou. &Upravit druh autora - + Edit Author Type Uprava druhu autora - + Choose type for this author Vybrat druh pro tohoto autora - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Sloky odpovídající "%(invalid)s" neexistují. Platné položky jsou %(valid)s. -Prosím zadejte sloky oddělené mezerou. - &Manage Authors, Topics, Songbooks @@ -8745,45 +8880,71 @@ Prosím zadejte sloky oddělené mezerou. Autoři, témata a zpěvníky - + Add Songbook Přidat zpěvník - + This Songbook does not exist, do you want to add it? Tento zpěvník neexistuje. Chcete ho přidat? - + This Songbook is already in the list. Tento zpěvník je už v seznamu. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Není vybrán platný zpěvník. Buďto vyberte zpěvník ze seznamu nebo zadejte nový zpěvník a pro přidání nového zpěvníku klepněte na tlačítko "Přidat k písni". + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Upravit sloku - + &Verse type: &Typ sloky: - + &Insert &Vložit - + Split a slide into two by inserting a verse splitter. Vložením oddělovače slok se snímek rozdělí na dva. @@ -8796,77 +8957,77 @@ Prosím zadejte sloky oddělené mezerou. Průvodce exportem písní - + Select Songs Vybrat písně - + Check the songs you want to export. Zaškrtněte písně, které chcete exportovat. - + Uncheck All Odškrtnout vše - + Check All Zaškrtnout vše - + Select Directory Vybrat složku - + Directory: Složka: - + Exporting Exportuji - + Please wait while your songs are exported. Počkejte prosím, než budou písně vyexportovány. - + You need to add at least one Song to export. Je potřeba přidat k exportu alespoň jednu píseň. - + No Save Location specified Není zadáno umístění pro uložení - + Starting export... Spouštím export... - + You need to specify a directory. Je potřeba zadat složku. - + Select Destination Folder Vybrat cílovou složku - + Select the directory where you want the songs to be saved. Vybrat složku, kam se budou ukládat písně. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Tento průvode pomáhá exportovat písně do formátu <strong>OpenLyrics</strong>. Jedná se o bezplatný a otevřený formát pro chvály. @@ -8874,7 +9035,7 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Neplatný Folpresenter soubor s písní. Žádné sloky nenalezeny. @@ -8882,7 +9043,7 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.GeneralTab - + Enable search as you type Zapnout hledat během psaní @@ -8890,7 +9051,7 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Vybrat dokumentové/prezentační soubory @@ -8900,237 +9061,252 @@ Prosím zadejte sloky oddělené mezerou. Průvodce importem písní - + 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. Tento průvodce pomáhá importovat písně z různých formátů. Importování se spustí klepnutím níže na tlačítko další a výběrem formátu, ze kterého se bude importovat. - + Generic Document/Presentation Obecný dokument/prezentace - + Add Files... Přidat soubory... - + Remove File(s) Odstranit soubory - + Please wait while your songs are imported. Počkejte prosím, než budou písně naimportovány. - + Words Of Worship Song Files Words of Worship soubory s písněmi - + Songs Of Fellowship Song Files Songs Of Fellowship soubory s písněmi - + SongBeamer Files SongBeamer soubory - + SongShow Plus Song Files SongShow Plus soubory s písněmi - + Foilpresenter Song Files Foilpresenter soubory s písněmi - + Copy Kopírovat - + Save to File Uložit do souboru - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import z aplikace Songs of Fellowship byl zakázán, protože aplikace OpenLP nemůže přistupovat k aplikacím OpenOffice nebo LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import obecných dokumentů/prezentaci byl zakázán, protože aplikace OpenLP nemůže přistupovat k aplikacím OpenOffice nebo LibreOffice. - + OpenLyrics Files Soubory OpenLyrics - + CCLI SongSelect Files CCLI SongSelect soubory - + EasySlides XML File XML soubory EasySlides - + EasyWorship Song Database Databáze písní EasyWorship - + DreamBeam Song Files DreamBeam soubory s písněmi - + You need to specify a valid PowerSong 1.0 database folder. Je potřeba upřesnit platnou složku s databází 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>. Nejprve je nutno převést databázi ZionWorx do textového CSV souboru, jak je vysvětleno v <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">uživatelské dokumentaci</a>. - + SundayPlus Song Files SundayPlus soubory s písněmi - + This importer has been disabled. Import pro tento formát byl zakázán. - + MediaShout Database Databáze 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. Import z aplikace MediaShout je podporován jen ve Windows. Byl zakázán kvůli chybějícímu Python modulu. Pokud si přejete použít import z této aplikace, je potřeba nainstalovat modul "pyodbc". - + SongPro Text Files SongPro textové soubory - + SongPro (Export File) SongPro (exportovaný soubor) - + In SongPro, export your songs using the File -> Export menu V aplikaci SongPro se písně exportují přes menu File -> Export - + EasyWorship Service File EasyWorship soubory služby - + WorshipCenter Pro Song Files WorshipCenter Pro soubory s písněmi - + 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. Import z aplikace WorshipCenter Pro je podporován jen ve Windows. Byl zakázán kvůli chybějícímu Python modulu. Pokud si přejete použít import z této aplikace, je potřeba nainstalovat modul "pyodbc". - + PowerPraise Song Files PowerPraise soubory s písněmi - + PresentationManager Song Files PresentationManager soubory s písněmi - - ProPresenter 4 Song Files - ProPresenter 4 soubory s písněmi - - - + Worship Assistant Files Worship Assistant soubory - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. V aplikace Worship Assistant exportujte databázi do souboru CSV. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics nebo písně exportované z OpenLP 2 - + OpenLP 2 Databases Databáze OpenLP 2 - + LyriX Files LyriX soubory - + LyriX (Exported TXT-files) LyriX (Exportované TXT-soubory) - + VideoPsalm Files VideoPsalm soubory - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Zpěvníky VideoPsalm jsou běžně umístěny v %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Chyba: %s + File {name} + Soubor {name} + + + + Error: {error} + Chyba: {error} @@ -9149,79 +9325,117 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.MediaItem - + Titles Názvy - + Lyrics Text písně - + CCLI License: CCLI Licence: - + Entire Song Celá píseň - + Maintain the lists of authors, topics and books. Spravovat seznamy autorů, témat a zpěvníků. - + copy For song cloning kopírovat - + Search Titles... Hledat název... - + Search Entire Song... Hledat celou píseň... - + Search Lyrics... Hledat text písně... - + Search Authors... Hledat autory... - - Are you sure you want to delete the "%d" selected song(s)? - Jste si jisti, že chcete smazat "%d" vybraných písní? - - - + Search Songbooks... Hledat zpěvníky... + + + Search Topics... + + + + + Copyright + Autorská práva + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Není možno otevřít databázi MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Neplatná databáze písní OpenLP 2. @@ -9229,9 +9443,9 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportuji "%s"... + + Exporting "{title}"... + @@ -9250,29 +9464,37 @@ Prosím zadejte sloky oddělené mezerou. Žádné písně k importu. - + Verses not found. Missing "PART" header. Sloky nenalezeny. Chybějící hlavička "PART". - No %s files found. - Nenalezeny žádné soubory %s. + No {text} files found. + Žádné {text} soubory nebyli nalezeny. - Invalid %s file. Unexpected byte value. - Neplatný soubor %s. Neočekávaná bajtová hodnota. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Neplatný soubor %s. Chybějící hlavička "TITLE". + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Neplatný soubor %s. Chybějící hlavička "COPYRIGHTLINE". + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9301,19 +9523,19 @@ 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 + + Your song export failed because this error occurred: {error} + Váš export písní selhal, protože se vyskytla tato chyba: {error} @@ -9329,17 +9551,17 @@ Prosím zadejte sloky oddělené mezerou. Následující písně nemohly být importovány: - + Cannot access OpenOffice or LibreOffice Nelze přistupovat k aplikacím OpenOffice nebo LibreOffice - + Unable to open file Nelze otevřít soubor - + File not found Soubor nenalezen @@ -9347,109 +9569,109 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.SongMaintenanceForm - + Could not add your author. Nemohu přidat autora. - + This author already exists. Tento autor již existuje. - + Could not add your topic. Nemohu přidat téma. - + This topic already exists. Toto téma již existuje. - + Could not add your book. Nemohu přidat zpěvník. - + This book already exists. Tento zpěvník již existuje. - + Could not save your changes. Nemohu uložit změny. - + Could not save your modified author, because the author already exists. Nemohu uložit upraveného autora, protože tento autor již existuje. - + Could not save your modified topic, because it already exists. Nemohu uložit upravené téma, protože již existuje. - + Delete Author Smazat autora - + Are you sure you want to delete the selected author? Jste si jist, že chcete smazat vybraného autora? - + This author cannot be deleted, they are currently assigned to at least one song. Nemohu smazat autora, protože je v současné době přiřazen alespoň k jedné písni. - + Delete Topic Smazat téma - + Are you sure you want to delete the selected topic? Jste si jist, že chcete smazat vybrané téma? - + This topic cannot be deleted, it is currently assigned to at least one song. Nemohu smazat toto téma, protože je v současné době přiřazeno alespoň k jedné písni. - + Delete Book Smazat zpěvník - + Are you sure you want to delete the selected book? Jste si jist, že chcete smazat vybraný zpěvník? - + This book cannot be deleted, it is currently assigned to at least one song. Nemohu smazat tento zpěvník, protože je v současné době přiřazen alespoň k jedné písni. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Autor %s již existuje. Přejete si vytvořit písně s autorem %s a použít již existujícího autora %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Téma %s již existuje. Přejete si vytvořit písně s tématem %s a použít již existující téma %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Zpěvník %s již existuje. Přejete si vytvořít písně se zpěvníkem %s a použít již existující zpěvník %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9495,52 +9717,47 @@ Prosím zadejte sloky oddělené mezerou. Hledat - - Found %s song(s) - Nalezeno %s písní - - - + Logout Odhlásit - + View Zobrazit - + Title: Nadpis: - + Author(s): Autoři: - + Copyright: Autorská práva: - + CCLI Number: CCLI číslo: - + Lyrics: Text písně: - + Back Zpět - + Import Import @@ -9580,7 +9797,7 @@ Prosím zadejte sloky oddělené mezerou. Přihlášení se nezdařilo. Možná nesprávné uživatelské jméno nebo heslo? - + Song Imported Písně naimportovány @@ -9595,7 +9812,7 @@ Prosím zadejte sloky oddělené mezerou. U písně chybí některé informace jako například text a tudíž import není možný. - + Your song has been imported, would you like to import more songs? Píseň byla naimportována. Přejete si importovat další písně? @@ -9604,6 +9821,11 @@ Prosím zadejte sloky oddělené mezerou. Stop Zastavit + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9612,30 +9834,30 @@ Prosím zadejte sloky oddělené mezerou. Songs Mode Režim písně - - - Display verses on live tool bar - Zobrazit sloky v nástrojové liště naživo - Update service from song edit Aktualizovat službu při úpravě písně - - - Import missing songs from service files - Importovat chybějících písně ze souborů služby - Display songbook in footer Zobrazit název zpěvníku v zápatí + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Zobrazit symbol "%s" před informacemi o autorských právech + Display "{symbol}" symbol before copyright info + @@ -9659,37 +9881,37 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.VerseType - + Verse Sloka - + Chorus Refrén - + Bridge Přechod - + Pre-Chorus Předrefrén - + Intro Předehra - + Ending Zakončení - + Other Ostatní @@ -9697,22 +9919,22 @@ Prosím zadejte sloky oddělené mezerou. SongsPlugin.VideoPsalmImport - - Error: %s - Chyba: %s + + Error: {error} + Chyba: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Nepaltný Words of Worship soubor s písní. Chybějící hlavička %s".WoW soubor\nSlova písně + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Neplatný Words of Worship soubor s písní. Chybějící řetězec "%s". CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9723,30 +9945,30 @@ Prosím zadejte sloky oddělené mezerou. Chyba při čtení CSV souboru. - - Line %d: %s - Řádek %d: %s - - - - Decoding error: %s - Chyba dekódování: %s - - - + File not valid WorshipAssistant CSV format. Soubor není ve formátu WorshipAssistant CSV. - - Record %d - Záznam %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Nepodařilo se připojit k databázi WorshipCenter Pro. @@ -9759,25 +9981,30 @@ Prosím zadejte sloky oddělené mezerou. Chyba při čtení CSV souboru. - + File not valid ZionWorx CSV format. Soubor není ve formátu ZionWorx CSV. - - Line %d: %s - Řádek %d: %s - - - - Decoding error: %s - Chyba dekódování: %s - - - + Record %d Záznam %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9787,39 +10014,960 @@ Prosím zadejte sloky oddělené mezerou. Průvodce - + 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. Tento průvodce pomáhá odstranit z databáze písní duplicitní (zdvojené) písně. Před smazáním bude možnost překontrolovat každou duplicitní píseň. Žádná píseň nebude smazána bez Vašeho výslovného souhlasu. - + Searching for duplicate songs. Hledám duplicitní písně. - + Please wait while your songs database is analyzed. Počkejte prosím, než bude dokončena analýza databáze písní. - + Here you can decide which songs to remove and which ones to keep. Zde se můžete rozhodnout, které písně odstranit, a které ponechat. - - Review duplicate songs (%s/%s) - Překontrolovat duplicitní písně (%s/%s) - - - + Information Informace - + No duplicate songs have been found in the database. V databázi nebyly nalezeny žádné duplicitní písně. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + Abcházština + + + + Afar + Language code: aa + Afarština + + + + Afrikaans + Language code: af + Afrikánština + + + + Albanian + Language code: sq + Albánština + + + + Amharic + Language code: am + Amharština + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + Starořečtina + + + + Arabic + Language code: ar + Arabština + + + + Armenian + Language code: hy + Arménština + + + + Assamese + Language code: as + Ásámština + + + + Aymara + Language code: ay + Ajmarština + + + + Azerbaijani + Language code: az + Ázerbájdžánština + + + + Bashkir + Language code: ba + Baškirština + + + + Basque + Language code: eu + Baskičtina + + + + Bengali + Language code: bn + Bengálština + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + Bislamština + + + + Breton + Language code: br + Bretonština + + + + Bulgarian + Language code: bg + Bulharština + + + + Burmese + Language code: my + Barmština + + + + Byelorussian + Language code: be + Běloruština + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + Khmerština + + + + Catalan + Language code: ca + Katalánština + + + + Chinese + Language code: zh + Čínština + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + Korsičtina + + + + Croatian + Language code: hr + Chorvatština + + + + Czech + Language code: cs + Čeština + + + + Danish + Language code: da + Dánština + + + + Dutch + Language code: nl + Nizozemština + + + + English + Language code: en + Angličtina + + + + Esperanto + Language code: eo + Esperanto + + + + Estonian + Language code: et + Estonština + + + + Faeroese + Language code: fo + Faerština + + + + Fiji + Language code: fj + Fidžijština + + + + Finnish + Language code: fi + Finština + + + + French + Language code: fr + Francouzština + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + Galicijština + + + + Georgian + Language code: ka + Gruzínština + + + + German + Language code: de + Němčina + + + + Greek + Language code: el + Řečtina + + + + Greenlandic + Language code: kl + Grónština + + + + Guarani + Language code: gn + Guaranština + + + + Gujarati + Language code: gu + Gudžarátština + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + Hauština + + + + Hebrew (former iw) + Language code: he + Hebrejština (dříve iw) + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + Hindština + + + + Hungarian + Language code: hu + Maďarština + + + + Icelandic + Language code: is + Islandština + + + + Indonesian (former in) + Language code: id + Indonéština (dříve in) + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Interlingue + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + Inupiaq + + + + Irish + Language code: ga + Irština + + + + Italian + Language code: it + Italština + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + Japonština + + + + Javanese + Language code: jw + Javánština + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + Kannadština + + + + Kashmiri + Language code: ks + Kašmírština + + + + Kazakh + Language code: kk + Kazaština + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + Rwandština + + + + Kirghiz + Language code: ky + Kyrgyzština + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Korejština + + + + Kurdish + Language code: ku + Kurdština + + + + Laothian + Language code: lo + Laoština + + + + Latin + Language code: la + Latina + + + + Latvian, Lettish + Language code: lv + Lotyština + + + + Lingala + Language code: ln + Ngalština + + + + Lithuanian + Language code: lt + Litevština + + + + Macedonian + Language code: mk + Makedonština + + + + Malagasy + Language code: mg + Malgaština + + + + Malay + Language code: ms + Malajština + + + + Malayalam + Language code: ml + Malajálamština + + + + Maltese + Language code: mt + Maltština + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + Maorština + + + + Maori + Language code: mri + Maorština + + + + Marathi + Language code: mr + Maráthština + + + + Moldavian + Language code: mo + Moldavština + + + + Mongolian + Language code: mn + Mongolština + + + + Nahuatl + Language code: nah + Nahuatl + + + + Nauru + Language code: na + Naurština + + + + Nepali + Language code: ne + Nepálština + + + + Norwegian + Language code: no + Norština + + + + Occitan + Language code: oc + Okcitánština + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + Paštština + + + + Persian + Language code: fa + Perština + + + + Plautdietsch + Language code: pdt + Plautdietsch + + + + Polish + Language code: pl + Polština + + + + Portuguese + Language code: pt + Portugalština + + + + Punjabi + Language code: pa + Paňdžábština + + + + Quechua + Language code: qu + Kečuánština + + + + Rhaeto-Romance + Language code: rm + Rétorománština + + + + Romanian + Language code: ro + Rumunština + + + + Russian + Language code: ru + Ruština + + + + Samoan + Language code: sm + Samojština + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + Sanskrt + + + + Scots Gaelic + Language code: gd + Skotská gaelština + + + + Serbian + Language code: sr + Srbština + + + + Serbo-Croatian + Language code: sh + Srbochorvatština + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + Setswanština + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + Sindhština + + + + Singhalese + Language code: si + Sinhálština + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + Slovenština + + + + Slovenian + Language code: sl + Slovinština + + + + Somali + Language code: so + Somálština + + + + Spanish + Language code: es + Španělština + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + Svahilština + + + + Swedish + Language code: sv + Švédština + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + Tádžičtina + + + + Tamil + Language code: ta + Tamilština + + + + Tatar + Language code: tt + Tatarština + + + + Tegulu + Language code: te + Telugština + + + + Thai + Language code: th + Thajština + + + + Tibetan + Language code: bo + Tibetština + + + + Tigrinya + Language code: ti + Tigrajšťina + + + + Tonga + Language code: to + Tongánština + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + Turečtina + + + + Turkmen + Language code: tk + Turkmenština + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + Ujgurština + + + + Ukrainian + Language code: uk + Ukrajinština + + + + Urdu + Language code: ur + Urdština + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + Uzbečtina + + + + Vietnamese + Language code: vi + Vietnamština + + + + Volapuk + Language code: vo + Volapük + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + Xhoština + + + + Yiddish (former ji) + Language code: yi + Jidiš (dříve ji) + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + Čuangština + + + + Zulu + Language code: zu + Zuluština + + + diff --git a/resources/i18n/da.ts b/resources/i18n/da.ts index 52211f44c..99dfd1d54 100644 --- a/resources/i18n/da.ts +++ b/resources/i18n/da.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Vil du fortsætte alligevel? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Meddelelsesteksten indeholder ikke '<>'. Vil du fortsætte alligevel? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Du har ikke angivet nogen tekst i din meddelelse. Skriv noget tekst og klik så på Ny. @@ -120,32 +121,27 @@ Skriv noget tekst og klik så på Ny. AlertsPlugin.AlertsTab - + Font Skrifttype - + Font name: Skriftnavn: - + Font color: Skriftfarve: - - Background color: - Baggrundsfarve: - - - + Font size: Skriftstørrelse: - + Alert timeout: Varighed af meddelse: @@ -153,88 +149,78 @@ 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 program. - + <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 />Dette udvidelsesmodul 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. - Genesis @@ -739,161 +725,121 @@ Skriv noget tekst og klik så på Ny. Denne bibel eksisterer allerede. Importér en anden bibel for at slette den eksisterende. - - You need to specify a book name for "%s". - Du skal angive et bognavn 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. - Bognavnet "%s" er ikke korrekt. -Tal kan kun benyttes i begyndelsen og skal følges af et -eller flere ikke-numeriske tegn. - - - + Duplicate Book Name Duplikeret bognavn - - The Book Name "%s" has been entered more than once. - Bognavnet "%s" er blevet brugt mere end én gang. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Fejl med skriftsted - - Web Bible cannot be used - Online bibel kan ikke benyttes + + Web Bible cannot be used in Text Search + - - Text Search is not available with Web Bibles. - Tekstsøgning virker ikke med online bibler. - - - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Din skriftstedshenvisning er enten ikke understøttet af OpenLP, eller også er den ugyldig. Se efter om din henvisning er i overensstemmelse med et af de følgende mønstre, eller konsultér manualen. +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Bog Kapitel -Bog Kapitel%(range)sKapitel -Bog Kapitel%(verse)sVers%(range)sVers -Bog Kapitel%(verse)sVers%(range)sVers%(list)sVers%(range)sVers -Bog Kapitel%(verse)sVers%(range)sVers%(list)sKapitel%(verse)sVers%(range)sVers -Bog Kapitel%(verse)sVers%(range)sKapitel%(verse)sVers +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Visning af vers - + Only show new chapter numbers Vis kun nye kapitelnumre - + Bible theme: Bibeltema: - + No Brackets Ingen paranteser - + ( And ) ( Og ) - + { And } { Og } - + [ And ] [ Og ] - - Note: -Changes do not affect verses already in the service. - Bemærk: -Ændringer påvirker ikke vers der allerede er tilføjet til programmet. - - - + Display second Bible verses Vis sekundære bibelvers - + Custom Scripture References Brugerdefinerede skriftstedshenvisninger - - Verse Separator: - Vers-separator: - - - - Range Separator: - Rækkevidde-separator: - - - - List Separator: - Liste-separator: - - - - End Mark: - Slutmærke: - - - + 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. @@ -902,37 +848,83 @@ De skal adskilles af en lodret bjælke "|". Ryd denne linje for at benytte standardværdien. - + English Dansk - + Default Bible Language Standardsprog for bibler - + Book name language in search field, search results and on display: Sproget for bognavne i søgefelt, søgeresultater og ved visning: - + Bible Language Bibelsprog - + Application Language Programsprog - + Show verse numbers Vis versnumre + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +980,71 @@ søgeresultater og ved visning: BiblesPlugin.CSVBible - - Importing books... %s - Importerer bøger... %s + + Importing books... {book} + - - Importing verses... done. - Importerer vers... færdig. + + Importing verses from {book}... + Importing verses from <book name>... + BiblesPlugin.EditBibleForm - + Bible Editor Bibelredigering - + License Details Licensdetaljer - + Version name: Navn på udgave: - + Copyright: Ophavsret: - + Permissions: Tilladelser: - + Default Bible Language Standardsprog for bibler - + Book name language in search field, search results and on display: Sprog for bognavn i søgefelt, søgeresultater og ved visning: - + Global Settings Globale indstillinger - + Bible Language Bibelsprog - + Application Language Programsprog - + English Dansk @@ -1071,225 +1064,260 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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 bibler - + Download bible list Hent liste over bibler - + Error during download Fejl under hentning - + An error occurred while downloading the list of bibles from %s. Der opstod en fejl under hentningen af listen af bibler fra %s + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + Importer fra mappe + + + + Import from Zip-file + Importer fra Zip-fil + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1320,293 +1348,155 @@ forespørgsel og at en internetforbindelse derfor er påkrævet. BiblesPlugin.MediaItem - - Quick - Hurtig - - - + Find: Find: - + Book: Bog: - + Chapter: Kapitel: - + Verse: Vers: - + From: Fra: - + To: Til: - + Text Search Tekstsøgning - + Second: Anden: - + Scripture Reference Skriftsted - + Toggle to keep or clear the previous results. Vælg om du vil beholde eller fjerne de forrige resultater. - + 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 søgeresultater som indeholder både enkelte og dobbelte bibelvers. Vil du slette dine søgeresultater og begynde en ny søgning? - + Bible not fully loaded. Bibel ikke færdigindlæst. - + Information 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. - Den sekundære bibel indeholder ikke alle versene der er i den primære bibel. Kun de vers der kan findes i begge bibler vil blive vist. %d vers er ikke blevet inkluderet blandt resultaterne. - - - + Search Scripture Reference... Søg skriftstedshenvisning... - + Search Text... Søgetekst... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Søg + + + + Select + Vælg + + + + Clear the search results. + Ryd søgeresultaterne. + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Er du sikker på at du vil slette bibelen "%s" fra OpenLP? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -Du bliver nødt til at genimportere denne bibel for at bruge den igen. - - - - Advanced - Avanceret - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Forkert bibel-filtype. OpenSong-bibler er muligvis komprimerede. Du er nødt til at udpakke dem før at de kan importeres. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - 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... +{count:d} verses have not been included in the results. + 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... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Vælg en mappe til sikkerhedskopiering + + Importing {name}... + Importerer {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Guide til opgradering af bibler - - - - 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. - Denne guide vil hjælpe dig med at opgradere dine eksisterende bibler fra en tidligere udgave af OpenLP 2. Klik på næste-knappen herunder for at begynde opgraderingen. - - - - Select Backup Directory - Vælg mappe til sikkerhedskopiering - - - - Please select a backup directory for your Bibles - Vælg en mappe til sikkerhedskopiering af 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 udgaver af OpenLP 2.0 kan ikke benytte opgraderede bibler. Dette vil lave en sikkerhedskopi af dine nuværende bibler, så at du simpelt og nemt kan kopiere filerne tilbage til din OpenLP datamappe, hvis du får brug for at gå tilbage til en tidligere udgave af OpenLP. Vejledning til hvordan man genopretter filer kan findes blandt vores <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - - - - Please select a backup location for your Bibles. - Vælg en placering til sikkerhedskopier af dine bibler. - - - - Backup Directory: - Mappe til sikkerhedskopiering: - - - - There is no need to backup my Bibles - Der er ikke brug for at lave sikkerhedskopier af mine bibler - - - - Select Bibles - Vælg bibler - - - - Please select the Bibles to upgrade - Vælg de bibler der skal opgraderes - - - - Upgrading - Opgraderer - - - - Please wait while your Bibles are upgraded. - Vent imens dine bibler bliver opgraderet. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Sikkerhedskopieringen mislykkedes. -For at sikkerhedskopiere dine bibler skal du have tilladelse til at skrive til den givne mappe. - - - - Upgrading Bible %s of %s: "%s" -Failed - Opgradering af bibel %s af %s: "%s" -Slog fejl - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Opgraderer bibel %s af %s: "%s" -Opgraderer ... - - - - Download Error - Hentningsfejl - - - - To upgrade your Web Bibles an Internet connection is required. - For at opgradere dine netbibler skal der være forbindelse til internettet. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Opgraderer bibel %s af %s: "%s" -Opgraderer %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Opgraderer bibel %s af %s: "%s" -Færdig - - - - , %s failed - , %s slog fejl - - - - Upgrading Bible(s): %s successful%s - Opgradering af bibler: %s fuldført%s - - - - Upgrade failed. - Opgradering slog fejl. - - - - You need to specify a backup directory for your Bibles. - Du er skal vælge en mappe til sikkerhedskopier af dine bibler. - - - - Starting upgrade... - Påbegynder opgradering... - - - - There are no Bibles that need to be upgraded. - Der er ingen bibler der har brug for at blive opgraderet. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Opgraderer bibel(er): %(success)d lykkedes %(falied_text)s -Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforbindelse er derfor påkrævet. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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. @@ -1614,9 +1504,9 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importerer %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1731,7 +1621,7 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb Redigér alle dias på samme tid. - + Split a slide into two by inserting a slide splitter. Del et dias op i to ved at indsætte en diasopdeler. @@ -1746,7 +1636,7 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb &Bidragsydere: - + You need to type in a title. Du skal skrive en titel. @@ -1756,12 +1646,12 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb Re&digér alle - + Insert Slide Indsæt dias - + You need to add at least one slide. Du skal tilføje mindst ét dias. @@ -1769,7 +1659,7 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb CustomPlugin.EditVerseForm - + Edit Slide Redigér dias @@ -1777,9 +1667,9 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Er du sikker på at du vil slette de %d valgte brugerdefinerede dias? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1807,11 +1697,6 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb container title Billeder - - - Load a new image. - Indlæs et nyt billede. - Add a new image. @@ -1842,6 +1727,16 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb Add the selected image to the service. Tilføj det valgte billede til programmet. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1866,12 +1761,12 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb 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. @@ -1907,7 +1802,7 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb ImagePlugin.ExceptionDialog - + Select Attachment Vælg bilag @@ -1915,39 +1810,22 @@ Læg mærke til at vers fra netbibler hentes ved forspørgsel og en internetforb ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1957,25 +1835,41 @@ Vil du tilføje de andre billeder alligevel? -- Ø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? - Er du sikker på at du vil slette "%s" og alt deri? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Synlig baggrund for billeder med anderledes dimensionsforhold end skærm. @@ -1983,27 +1877,27 @@ Vil du tilføje de andre billeder alligevel? Media.player - + Audio Lyd - + Video Video - + VLC is an external player which supports a number of different formats. VLC er en ekstern medieafspiller 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 medieafspiller som afvikles i en web browser. Denne medieafspiller kan vise tekst oven på video. - + This media player uses your operating system to provide media capabilities. Denne medieafspiller benytter dit styresystem til at afspille medier. @@ -2011,60 +1905,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 />Dette udvidelsesmodul gør det muligt at afspille lyd og video. - + Media name singular Medie - + Media name plural Medie - + Media container title Medie - + 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. @@ -2180,47 +2074,47 @@ Vil du tilføje de andre billeder alligevel? VLC afspilleren kunne ikke afspille mediet - + CD not loaded correctly CD'en blev ikke indlæst korrekt - + The CD was not loaded correctly, please re-load and try again. CD'en blev ikke indlæst korrekt, prøv at indlæse den igen. - + DVD not loaded correctly DVD'en blev ikke indlæst korrekt - + The DVD was not loaded correctly, please re-load and try again. DVD'en blev ikke indlæst korrekt, prøv at indlæse den igen. - + Set name of mediaclip Angiv medieklippets navn - + Name of mediaclip: Medieklippets navn: - + Enter a valid name or cancel Indtast et gyldigt navn eller afbryd - + Invalid character Ugyldigt tegn - + The name of the mediaclip must not contain the character ":" Medieklippets navn må ikke indholde tegnet ":" @@ -2228,90 +2122,100 @@ Vil du tilføje de andre billeder alligevel? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Ikke-understøttet fil - + Use Player: Benyt afspiller: - + VLC player required VLC-afspilleren er påkrævet - + VLC player required for playback of optical devices VLC-afspilleren er påkrævet for at kunne afspille fra 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 Medieklip er allerede gemt - + This mediaclip has already been saved Dette medieklip er allerede blevet gemt + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + CD/DVD-afspilning er kun understøttet når VLC er installeret og slået til + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2322,94 +2226,93 @@ Vil du tilføje de andre billeder alligevel? - Start Live items automatically - Start fremvisningspunkter automatisk - - - - OPenLP.MainWindow - - - &Projector Manager - Pro&jektorhåndtering + Start new Live media automatically + OpenLP - + Image Files Billedfiler - - Information - Information - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Bibelformatet er blevet ændret. -Du er nødt til at opgradere dine nuværende bibler. -Skal OpenLP opgradere dem nu? - - - + Backup Sikkerhedskopi - - OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - OpenLP er blevet opgraderet, vil du oprette en sikkerhedskopi af OpenLPs data mappe? - - - + Backup of the data folder failed! Sikkerhedskopiering af datamappen fejlede! - - A backup of the data folder has been created at %s - En sikkerhedskopi af datamappen blev oprettet i %s - - - + Open Åben + + + Video Files + + + + + Data Directory Error + Fejl i datamappe + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Bidragsydere - + License Licens - - 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. Dette program er fri software; du kan redistribuere det og/eller ændre det under vilkårene angivet i GNU General Public License som er udgivet af Free Software Foundation; udgave 2 af licensen. - + 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. Dette program udgives i håbet om at det vil være brugbart, men UDEN NOGEN GARANTI; endda uden den forudsatte garanti om SALGSEGNETHED eller EGNETHED TIL ET BESTEMT FORMÅL. Se herunder for flere detaljer. - + 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. @@ -2426,174 +2329,157 @@ Lær mere om OpenLP: http://openlp.org/ OpenLP er skrevet og vedligeholdt af frivillige. Hvis du ønsker at se flere gratis kristne programmer blive skrevet, så overvej venligst at melde dig som frivillig på knappen herunder. - + Volunteer Giv en hånd - + Project Lead Projektleder - + Developers Udviklere - + Contributors Bidragsydere - + Packagers Pakkere - + Testers Testere - + Translators Oversættere - + Afrikaans (af) Afrikaans (af) - + Czech (cs) Tjekkisk (cs) - + Danish (da) Dansk (da) - + German (de) Tysk (de) - + Greek (el) Græsk (el) - + English, United Kingdom (en_GB) Engelsk, Storbritannien (en_GB) - + English, South Africa (en_ZA) Engelsk, Sydafrika (en_ZA) - + Spanish (es) Spansk (es) - + Estonian (et) Estisk (et) - + Finnish (fi) Finsk (fi) - + French (fr) Fransk (fr) - + Hungarian (hu) Ungarsk (hu) - + Indonesian (id) Indonesisk (id) - + Japanese (ja) Japansk (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norsk Bokmål (nb) - + Dutch (nl) Hollandsk (nl) - + Polish (pl) Polsk (pl) - + Portuguese, Brazil (pt_BR) Portugisisk, Brasilien (pt_BR) - + Russian (ru) Russisk (ru) - + Swedish (sv) Svensk (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamilsk (Sri Lanka) (ta_LK) - + Chinese(China) (zh_CN) Kinesisk (Kina) (zh_CN) - + Documentation Dokumentation - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Lavet med - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: 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 @@ -2618,333 +2504,244 @@ bringer dette stykke software gratis til dig fordi Han har gjort os fri. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Delvis copyright © 2004-2016 %s + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Brugerfladeindstillinger - - - Number of recent files to display: - Antal af seneste filer der skal vises: - - Remember active media manager tab on startup - Husk den aktive mediehåndteringsfane ved opstart - - - - Double-click to send items straight to live - Dobbeltklik for at fremvise punkter direkte - - - Expand new service items on creation Udvid nye programpunkter ved oprettelse - + Enable application exit confirmation Benyt bekræftigelse før lukning af programmet - + Mouse Cursor Musemarkør - + Hide mouse cursor when over display window Gem musemarkøren når den er over visningsvinduet - - Default Image - Standardbillede - - - - Background color: - Baggrundsfarve: - - - - Image file: - Billedfil: - - - + Open File Åbn fil - + Advanced Avanceret - - - Preview items when clicked in Media Manager - Forhåndsvis elementer når de klikkes på i mediehåndteringen - - Browse for an image file to display. - Find en billedfil som skal vises. - - - - Revert to the default OpenLP logo. - Vend tilbage til OpenLPs standardlogo. - - - Default Service Name Standard programnavn - + Enable default service name Benyt standardnavn for programmer - + Date and Time: Dato og tid: - + Monday Mandag - + Tuesday Tirsdag - + Wednesday Onsdag - + Friday Fredag - + Saturday Lørdag - + Sunday Søndag - + Now Nu - + Time when usual service starts. Klokkeslet hvor mødet normalt begynder. - + Name: Navn: - + Consult the OpenLP manual for usage. Se OpenLP-manualen for hjælp til brug. - - Revert to the default service name "%s". - Gå tilbage til standardnavnet for programmer "%s". - - - + Example: Eksempel: - + Bypass X11 Window Manager Omgå X11 vindueshåndtering - + Syntax error. Syntaksfejl. - + Data Location Placering af data - + Current path: Nuværende sti: - + Custom path: Brugerdefineret sti: - + Browse for new data file location. Vælg et nyt sted til opbevaring af data. - + Set the data location to the default. Sæt dataplaceringen til standard. - + Cancel Annullér - + Cancel OpenLP data directory location change. Annullér ændringen af placeringen af OpenLP-data. - + Copy data to new location. Kopiér data til ny placering. - + Copy the OpenLP data files to the new location. Kopiér OpenLP datafilerne til en ny placering. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>ADVARSEL:</strong> Den nye datamappe indeholder OpenLP datafiler. Disse filer vil blive slettet under en kopiering. - - Data Directory Error - Fejl i datamappe - - - + Select Data Directory Location Vælg placeringen af datamappen - + Confirm Data Directory Change Bekræft ændringen af datamappen - + Reset Data Directory Nulstil datamappe - + Overwrite Existing Data Overskriv eksisterende 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 datamappe blev ikke fundet - -%s - -Denne datamappe blev tidligere ændret fra OpenLPs standardplacering. Hvis den nye placering var på et flytbart medie, så er dette medie nødt til at blive gjort tilgængelig. - -Klik "Nej" for at stoppe med at indlæse OpenLP, så at du kan ordne problemet. - -Klik "Ja" for at nulstille datamappen til dens standardplacering. - - - - 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. - Er du sikker på at du vil ændre placeringen af OpenLP-datamappen til: - -%s - -Datamappen vil blive ændret når OpenLP lukkes. - - - + Thursday Torsdag - + Display Workarounds Skærmløsninger - + Use alternating row colours in lists Brug skiftende farver i lister - - 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? - ADVARSEL: - -Placeringen du har valgt - -%s - -ser ud til at indeholde OpenLP-datafiler. Ønsker du at erstatte disse filer med de nuværende datafiler? - - - + Restart Required Genstart er påkrævet - + This change will only take effect once OpenLP has been restarted. Denne ændring træder først i kræft når OpenLP er blevet genstartet. - + 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. @@ -2952,11 +2749,142 @@ This location will be used after OpenLP is closed. Denne placering vil blive benyttet når OpenLP lukkes. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatisk + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klik for at vælge en farve. @@ -2964,252 +2892,252 @@ Denne placering vil blive benyttet når OpenLP lukkes. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digital - + Storage Lager - + Network Netvæ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 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 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 - + Network 1 Netværk 1 - + Network 2 Netværk 2 - + Network 3 Netværk 3 - + Network 4 Netværk 4 - + Network 5 Netværk 5 - + Network 6 Netværk 6 - + Network 7 Netværk 7 - + Network 8 Netværk 8 - + Network 9 Netværk 9 @@ -3217,62 +3145,74 @@ Denne placering vil blive benyttet når OpenLP lukkes. OpenLP.ExceptionDialog - + Error Occurred Der opstod en fejl - + Send E-Mail Send e-mail - + Save to File Gem til fil - + Attach File Vedhæft fil - - - Description characters to enter : %s - Antal tegn i beskrivelsen der skal indtastes : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Indtast venligst en beskrivelse af det du foretog dig der fik denne fejl til at opstå. Skriv helst på engelsk. -(Mindst 20 tegn) - - 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. Also attach any files that triggered the problem. - Ups! OpenLP stødte ind i et problem, og kunne ikke gendanne. Teksten i kassen herunder indeholder information, som kan være nyttig for OpenLP-udviklerne, så send venligst en e-mail til bugs@openlp.org sammen med en detaljeret beskrivelse af, hvad du foretog dig da problemet opstod. Tilføj også de filer, der fik problemet til at opstå. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Gem fejlrapport - + Text files (*.txt *.log *.text) Tekst-filer (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3313,268 +3253,259 @@ Denne placering vil blive benyttet når OpenLP lukkes. 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. - Ingen internetforbindelse blev fundet. Velkomstguiden har brug for en internetforbindelse for at kunne hente eksempler på sange, bibler og temaer. Klik på Færdig-knappen nu for at starte OpenLP med de grundlæggende indstillinger, men uden eksempeldata. - -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 hentninger springes over. Prøv at køre velkomstguiden 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 hentninger springes over. Prøv at køre velkomstguiden 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. - - -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 bibler kunne ikke hentes + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3617,44 +3548,49 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik OpenLP.FormattingTagForm - + <HTML here> <HTML her> - + Validation Error Valideringsfejl - + Description is missing Beskrivelse mangler - + Tag is missing Mærke mangler - Tag %s already defined. - Mærke %s er allerede defineret. + Tag {tag} already defined. + - Description %s already defined. - Beskrivelse %s er allerede defineret. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Startmærke %s er ikke gyldig HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Slutmærke %(end)s passer ikke sammen med slutmærke %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3743,170 +3679,200 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik OpenLP.GeneralTab - + General Generelt - + Monitors Skærme - + Select monitor for output display: Vælg skærm til visning af output: - + Display if a single screen Vis også hvis der kun er en enkelt skærm - + Application Startup Programopstart - + Show blank screen warning Vis advarsel ved mørkelagt skærm - - Automatically open the last service - Åbn automatisk det seneste program - - - + Show the splash screen Vis logo - + Application Settings Programindstillinger - + Prompt to save before starting a new service Spørg om gem før nyt program oprettes - - Automatically preview next item in service - Forhåndvis automatisk det næste punkt på programmet - - - + sec sek - + CCLI Details CCLI-detaljer - + SongSelect username: SongSelect brugernavn: - + SongSelect password: SongSelect adgangskode: - + X X - + Y Y - + Height Højde - + Width Bredde - + Check for updates to OpenLP Søg efter opdateringer til OpenLP - - Unblank display when adding new live item - Stop mørkelægning når nyt fremvisningspunkt tilføjes - - - + Timed slide interval: Interval mellem automatisk diasskift: - + Background Audio Baggrundslyd - + Start background audio paused Start baggrundslyd på pause - + Service Item Slide Limits Begrænsninger for programpunkter i dias - + Override display position: Tilsidesæt visningsposition: - + Repeat track list Gentag sætliste - + Behavior of next/previous on the last/first slide: Opførsel for næste/forrige på det sidste/første dias: - + &Remain on Slide &Bliv på dias - + &Wrap around &Start forfra - + &Move to next/previous service item &Gå til næste/forrige programpunkt + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Find en billedfil som skal vises. + + + + Revert to the default OpenLP logo. + Vend tilbage til OpenLPs standardlogo. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Sprog - + Please restart OpenLP to use your new language setting. Genstart OpenLP for at benytte dine nye sprogindstillinger. @@ -3914,7 +3880,7 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik OpenLP.MainDisplay - + OpenLP Display OpenLP-visning @@ -3922,352 +3888,188 @@ For at annullere velkomstguiden fuldstændigt (uden at starte OpenLP), så klik OpenLP.MainWindow - + &File &Fil - + &Import &Importér - + &Export &Eksportér - + &View &Vis - - M&ode - &Opsætning - - - + &Tools V&ærktøjer - + &Settings &Indstillinger - + &Language &Sprog - + &Help &Hjælp - - Service Manager - Programhåndtering - - - - Theme Manager - Temahåndtering - - - + Open an existing service. Åbn et eksisterende program. - + Save the current service to disk. Gem det nuværende program på disk. - + Save Service As Gem program som - + Save the current service under a new name. Gem det nuværende program under et nyt navn. - + E&xit A&fslut - - Quit OpenLP - Luk OpenLP - - - + &Theme &Tema - + &Configure OpenLP... &Indstil OpenLP... - - &Media Manager - &Mediehåndtering - - - - Toggle Media Manager - Slå mediehåndteringen til - - - - Toggle the visibility of the media manager. - Angiv om mediehåndteringen skal være synlig. - - - - &Theme Manager - &Temahåndtering - - - - Toggle Theme Manager - Slå temahåndteringen til - - - - Toggle the visibility of the theme manager. - Angiv om temahåndteringen skal være synlig. - - - - &Service Manager - &Programhåndtering - - - - Toggle Service Manager - Slå programhåndteringen til - - - - Toggle the visibility of the service manager. - Angiv om programhåndteringen skal være synlig. - - - - &Preview Panel - For&håndsvisningspanel - - - - Toggle Preview Panel - Alå forhåndsvisningspanelet til - - - - Toggle the visibility of the preview panel. - Angiv om forhåndsvisningspanelet skal være synligt. - - - - &Live Panel - &Fremvisningspanel - - - - Toggle Live Panel - Slå fremvisningspanelet til - - - - Toggle the visibility of the live panel. - Angiv om fremvisningspanelet skal være synligt. - - - - List the Plugins - Vis udvidelsesmodulerne - - - - &User Guide - &Brugerguide - - - + &About O&m - - More information about OpenLP - Mere information om OpenLP - - - - &Online Help - &Online hjælp - - - + &Web Site &Hjemmeside - + Use the system language, if available. Benyt systemsproget, hvis det er muligt. - - Set the interface language to %s - Sæt brugerfladens sprog til %s - - - + Add &Tool... Tilføj &Værktøj... - + Add an application to the list of tools. Tilføj et program til listen over værktøjer. - - &Default - &Standard - - - - Set the view mode back to the default. - Sæt visningsopsætningen tilbage til standard. - - - + &Setup &Opsætning - - Set the view mode to Setup. - Sæt visningsopsætningen til Opsætning. - - - + &Live &Fremvisning - - Set the view mode to Live. - Sæt visningsopsætningen til Fremvisning. - - - - 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/. - Udgave %s af OpenLP er nu tilgængelig (du bruger nu udgave %s). - -Du kan hente den seneste udgave fra http://openlp.org/. - - - + OpenLP Version Updated OpenLP version opdateret - + OpenLP Main Display Blanked OpenLPs hovedvisning er mørkelagt - + The Main Display has been blanked out Hovedvisningen er mørkelagt - - Default Theme: %s - Standard tema: %s - - - + English Please add the name of your language here Dansk - + Configure &Shortcuts... Konfigurér g&enveje... - + Open &Data Folder... Åbn &datamappe... - + Open the folder where songs, bibles and other data resides. Åbn den mappe hvor sange, bibler og andre data er placeret. - + &Autodetect &Autodetektér - + Update Theme Images Opdatér temabilleder - + Update the preview images for all themes. Opdatér forhåndsvisningsbillederne for alle temaer. - + Print the current service. Udskriv det nuværende program. - - L&ock Panels - L&ås paneler - - - - Prevent the panels being moved. - Forhindr panelerne i at flyttes. - - - + Re-run First Time Wizard Kør velkomstguide igen - + Re-run the First Time Wizard, importing songs, Bibles and themes. Kør velkomstguiden igen, hvor du importerer sange, bibler og temaer. - + Re-run First Time Wizard? Kør velkomstguide igen? - + 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. @@ -4276,107 +4078,68 @@ 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 kan 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. - + Configure &Formatting Tags... Konfigurér &formateringsmærker... - - Export OpenLP settings to a specified *.config file - Eksportér OpenLP-indstillinger til en speciferet *.config-fil - - - + Settings Indstillinger - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importér OpenLP-indstillinger fra en specificeret *.config-fil som er eksporteret på denne-, eller en anden computer - - - + Import settings? Importér indstillinger? - - Open File - Åbn fil - - - - OpenLP Export Settings Files (*.conf) - Eksporterede OpenLP-indstillingsfiler (*.conf) - - - + Import settings Importér indstillinger - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP lukker nu ned. Importerede indstillinger vil blive anvendt næste gang du starter OpenLP. - + Export Settings File Eksportér indstillingsfil - - OpenLP Export Settings File (*.conf) - 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 - Kopieringen af OpenLP datamappen slog fejl - -%s - - - + General Generelt - + Library Bibliotek - + Jump to the search box of the current active plugin. Hop til den aktive udvidelses søgeboks. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4389,7 +4152,7 @@ Ved importering af indstillinger vil der laves permanente ændringer ved din nuv Importering af ukorrekte indstillinger kan forårsage uregelmæssig opførsel eller at OpenLP lukker uventet. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4398,191 +4161,370 @@ Processing has terminated and no changes have been made. Behandlingen er blevet termineret og ingen ændringer er blevet foretaget. - - Projector Manager - Projektorhåndtering - - - - Toggle Projector Manager - Slå projektorhåndteringen til - - - - Toggle the visibility of the Projector Manager - Angiv om projektorhåndtering skal være synlig. - - - + Export setting error Fejl ved eksporten af indstillinger - - 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 - - - + &Recent Services &Seneste programmer - + &New Service &Nyt program - + &Open Service &Åbn program - + &Save Service &Gem program - + Save Service &As... Gem program &som... - + &Manage Plugins &Håndtér udvidelser - + Exit OpenLP Afslut OpenLP - + Are you sure you want to exit OpenLP? Er du sikker på at du vil afslutte OpenLP? - + &Exit OpenLP &Afslut OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Program + + + + Themes + Temaer + + + + Projectors + Projektorer + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + + 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 - Databasen der er ved at blive indlæst blev oprettet i en nyere udgave af OpenLP. Databasen er udgave %d, mens OpenLP forventer udgave %d. Databasen vil ikke blive indlæst. - -Database: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP kan ikke læse din database. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Database: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Ingen punkter valgt - + &Add to selected Service Item &Tilføj til valgte programpunkt - + You must select one or more items to preview. Du er nødt vælge et eller flere punkter for at forhåndsvise. - + You must select one or more items to send live. Du er nødt til at vælge et eller flere punkter for at fremvise. - + You must select one or more items. Du skal vælge et, eller flere punkter. - + You must select an existing service item to add to. Du er nødt til at vælge et eksisterende programpunkt for at tilføje. - + Invalid Service Item Ugyldigt programpunkt - - You must select a %s service item. - Du er nødt til at vælge et %s programpunkt. - - - + You must select one or more items to add. Du er nødt til at vælge et eller flere punkter for at tilføje. - - No Search Results - Ingen søgeresultater - - - + Invalid File Type Ugyldig filtype - - Invalid File %s. -Suffix not supported - Ugyldig fil %s. -Endelsen er ikke understøttet - - - + &Clone &Klon - + Duplicate files were found on import and were ignored. Duplikerede filer blev fundet ved importeringen og blev ignoreret. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics>-mærke mangler. - + <verse> tag is missing. <verse>-mærke mangler. @@ -4590,22 +4532,22 @@ Endelsen er ikke understøttet OpenLP.PJLink1 - + Unknown status Ukendt status - + No message Ingen besked - + Error while sending data to projector Fejl under afsendelse af data til projektor - + Undefined command: Udefineret kommando: @@ -4613,32 +4555,32 @@ Endelsen er ikke understøttet OpenLP.PlayerTab - + Players Afspillere - + Available Media Players Tilgængelige medieafspillere - + Player Search Order Afspilningsrækkefølge - + Visible background for videos with aspect ratio different to screen. Synlig baggrund for billeder med anderledes dimensionsforhold end skærm. - + %s (unavailable) %s (ikke tilgængelig) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" BEMÆRK: For at bruge VLC skal du installere %s udgaven @@ -4647,55 +4589,50 @@ Endelsen er ikke understøttet OpenLP.PluginForm - + Plugin Details Detaljer om udvidelser - + Status: Status: - + Active Aktiv - - Inactive - Inaktiv - - - - %s (Inactive) - %s (Inaktiv) - - - - %s (Active) - %s (Aktiv) + + Manage Plugins + Håndtér udvidelser - %s (Disabled) - %s (deaktiveret) + {name} (Disabled) + - - Manage Plugins - Håndtér udvidelser + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Tilpas til siden - + Fit Width Tilpas til bredden @@ -4703,77 +4640,77 @@ Endelsen er ikke understøttet OpenLP.PrintServiceForm - + Options Valgmuligheder - + Copy Kopiér - + Copy as HTML Kopiér som HTML - + Zoom In Zoom ind - + Zoom Out Zoom ud - + Zoom Original Zoom Original - + Other Options Andre indstillinger - + Include slide text if available Inkludér diastekst, hvis tilgængelig - + Include service item notes Inkludér noter til programpunkt - + Include play length of media items Inkludér længden af mediepunkter - + Add page break before each text item Tilføj sideskift før hvert tekstpunkt - + Service Sheet Program - + Print Udskriv - + Title: Titel: - + Custom Footer Text: Brugerdefineret sidefod: @@ -4781,257 +4718,257 @@ Endelsen er ikke understøttet OpenLP.ProjectorConstants - + OK Ok - + General projector error Generel projektor-fejl - + Not connected error Fejl med forbindelsen - + Lamp error Fejl med lampe - + Fan error Fejl med blæser - + High temperature detected Detekterede høj temperatur - + Cover open detected Detekterede åbent dæksel - + Check filter Tjek filter - + Authentication Error Fejl med godkendelse - + Undefined Command Udefineret kommando - + Invalid Parameter Ugyldigt parameter - + Projector Busy Projektor optaget - + Projector/Display Error Fejl med projektor/skærm - + Invalid packet received Ugyldig pakke modtaget - + Warning condition detected Advarselstilstand detekteret - + Error condition detected Fejltilstand detekteret - + PJLink class not supported PJLink klasse er ikke understøttet - + Invalid prefix character Ugyldigt foranstående tegn - + The connection was refused by the peer (or timed out) Forbindelsen blev afvist af den anden part (eller udløb) - + 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 styresystemets 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 styresystem (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 (er stadig i gang 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 Proxy-adressen angivet med setProxy() blev ikke fundet - + An unidentified error occurred En uidentificeret fejl opstod - + Not connected Ikke forbundet - + Connecting Forbinder - + Connected Forbundet - + Getting status Henter status - + Off Slukket - + Initialize in progress Initialisering i gang - + Power in standby Standby - + Warmup in progress Opvarmning i gang - + Power is on Tændt - + Cooldown in progress Afkøling i gang - + Projector Information available Projektor-information tilgængelig - + Sending data Sender data - + 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 @@ -5039,17 +4976,17 @@ Endelsen er ikke understøttet OpenLP.ProjectorEdit - + Name Not Set Navn ikke angivet - + You must enter a name for this entry.<br />Please enter a new name for this entry. Du skal indtaste et navn for denne post<br />Indtast venligst et nyt navn for denne post. - + Duplicate Name Duplikeret navn @@ -5057,52 +4994,52 @@ Endelsen er ikke understøttet OpenLP.ProjectorEditForm - + Add New Projector Tilføj ny projektor - + Edit Projector Redigér projektor - + IP Address IP adresse - + Port Number Portnummer - + PIN PIN - + Name Navn - + Location Placering - + Notes Noter - + Database Error Databasefejl - + There was an error saving projector information. See the log for the error Der opstod en fejl med at gemme projektorinformationen. Se fejlen i loggen. @@ -5110,305 +5047,360 @@ Endelsen er ikke understøttet OpenLP.ProjectorManager - + Add Projector Tilføj projektor - - Add a new projector - Tilføj en ny projektor - - - + Edit Projector Redigér projektor - - Edit selected projector - Redigér den valgte projektor - - - + Delete Projector Slet projektor - - Delete selected projector - Slet den valgte projektor - - - + Select Input Source Vælg inputkilde - - Choose input source on selected projector - Vælg inputkilde på den valgte projektor - - - + View Projector Vis projektor - - View selected projector information - Vis information om den valgte projektor - - - - Connect to selected projector - Forbind til den valgte projektor - - - + Connect to selected projectors Forbind til de valgte projektorer - + Disconnect from selected projectors Afbryd forbindelsen til de valgte projektorer - + Disconnect from selected projector Afbryd forbindelsen til den valgte projektor - + Power on selected projector Tænd den valgte projektor - + Standby selected projector Sæt den valgte projektor i standby - - Put selected projector in standby - Sæt den valgte projektor i standby - - - + Blank selected projector screen Mørkelæg den valgte projektor skærm - + Show selected projector screen Vis den valgte projektor-skærm - + &View Projector Information &Vis information om projektor - + &Edit Projector &Rediger projektor - + &Connect Projector &Forbind til projektor - + D&isconnect Projector &Afbryd forbindelsen til projektor - + Power &On Projector &Tænd projektor - + Power O&ff Projector &Sluk projektor - + Select &Input &Vælg input - + Edit Input Source Rediger inputkilde - + &Blank Projector Screen &Mørkelæg projektor-skærm - + &Show Projector Screen V&is projektor-skærm - + &Delete Projector S&let Projektor - + Name Navn - + IP IP - + Port Port - + Notes Noter - + Projector information not available at this time. Projektorinformation er ikke tilgængelig i øjeblikket. - + Projector Name Projektornavn - + Manufacturer Producent - + Model Model - + Other info Andre informationer - + Power status Tilstand - + Shutter is Lukkeren er - + Closed Lukket - + Current source input is Nuværende inputkilde er - + Lamp Lampe - - On - Tændt - - - - Off - Slukket - - - + Hours Timer - + No current errors or warnings Ingen aktuelle fejl eller advarsler - + Current errors/warnings Aktuelle fejl/advarsler - + Projector Information Projektorinformation - + No message Ingen besked - + Not Implemented Yet Endnu ikke implementeret - - Delete projector (%s) %s? - Slet projektor (%s) %s? - - - + Are you sure you want to delete this projector? Er du sikker på at du vil slette denne projektor? + + + Add a new projector. + Tilføj en ny projektor. + + + + Edit selected projector. + Redigér den valgte projektor. + + + + Delete selected projector. + Slet den valgte projektor. + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Fejl med godkendelse + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Blæser - + Lamp Lampe - + Temperature Temperatur - + Cover Dæksel - + Filter Filter - + Other Anden @@ -5454,17 +5446,17 @@ Endelsen er ikke understøttet OpenLP.ProjectorWizard - + Duplicate IP Address Duplikeret IP adresse - + Invalid IP Address Ugyldig IP adresse - + Invalid Port Number Ugyldigt portnummer @@ -5477,27 +5469,27 @@ Endelsen er ikke understøttet Skærm - + primary primær OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Varighed</strong>: %s - - [slide %d] - [dias %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5561,52 +5553,52 @@ Endelsen er ikke understøttet Slet det valgte punkt fra programmet. - + &Add New Item &Tilføj nyt punkt - + &Add to Selected Item &Tilføj til det valgte punkt - + &Edit Item &Redigér punkt - + &Reorder Item &Omrokér punkt - + &Notes &Noter - + &Change Item Theme &Æ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 inaktivt @@ -5631,7 +5623,7 @@ Endelsen er ikke understøttet Sammenfold alle programpunkterne. - + Open File Åbn fil @@ -5661,22 +5653,22 @@ Endelsen er ikke understøttet Fremvis det valgte punkt. - + &Start Time &Starttid - + Show &Preview &Forhåndsvis - + Modified Service Ændret program - + The current service has been modified. Would you like to save this service? Det nuværende program er blevet ændret. Vil du gemme dette program? @@ -5696,27 +5688,27 @@ Endelsen er ikke understøttet Afspilningstid: - + Untitled Service 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 @@ -5736,147 +5728,145 @@ 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. - + Service File(s) Missing Programfil(er) mangler - + &Rename... &Omdøb... - + Create New &Custom Slide Opret ny &brugerdefineret dias - + &Auto play slides &Automatisk dias afspilning - + Auto play slides &Loop Automatisk &gentagende dias afspilning - + Auto play slides &Once Automatisk &enkelt dias afspilning - + &Delay between slides &Forsinkelse mellem dias - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} 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. + + + + + An error occurred while writing the service file: {error} + @@ -5908,15 +5898,10 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. Genvej - + Duplicate Shortcut Duplikér genvej - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Genvejen "%s" er allerede tilknyttet en anden handling, brug en anden genvej. - Alternate @@ -5962,219 +5947,235 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. Configure Shortcuts Konfigurér genveje + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Gem - + Go To Gå til - - - Blank Screen - Mørkelæg skærm - - Blank to Theme - Vis temabaggrund - - - Show Desktop Vis skrivebord - + Previous Service Forrige program - + Next Service Næste Program - - Escape Item - Forlad punkt - - - + Move to previous. Gå til forrige. - + Move to next. Gå til næste. - + Play Slides Afspil dias - + Delay between slides in seconds. Forsinkelse mellem dias i sekunder. - + Move to live. Fremvis. - + Add to Service. Tilføj til program. - + Edit and reload song preview. Redigér og genindlæs forhåndsvisning af sang. - + Start playing media. Start afspilning af medie. - + Pause audio. Sæt lyd på pause. - + Pause playing media. Sæt afspilning af medie på pause. - + Stop playing media. Stop afspilning af medie. - + Video position. Video position. - + Audio Volume. Lydstyrke. - + Go to "Verse" Gå til "Vers" - + Go to "Chorus" Gå til "Omkvæd" - + Go to "Bridge" Gå til "C-stykke" - + Go to "Pre-Chorus" Gå til "Bro" - + Go to "Intro" Gå til "Intro" - + Go to "Ending" Gå til "Slutning" - + Go to "Other" Gå til "Anden" - + Previous Slide Forrige dias - + Next Slide Næste dias - + Pause Audio Sæt lyd på pause - + Background Audio Baggrundslyd - + Go to next audio track. Gå til næste lydspor. - + Tracks Spor + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source Væg projektor kilde - + Edit Projector Source Text Redigér projektor kilde tekst - + Ignoring current changes and return to OpenLP Ignorer aktuelle ændringer og vend tilbage til OpenLP - + Delete all user-defined text and revert to PJLink default text Slet alt brugerdefineret tekst og vend tilbage til PJLink standard tekst. - + Discard changes and reset to previous user-defined text Fjern ændringer og gå tilbage til sidste brugerdefinerede tekst - + Save changes and return to OpenLP 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 source input text for this projector? Er du sikker på at du vil slette ALLE brugerdefinerede kildeinput tekster for denne projektor? @@ -6182,17 +6183,17 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. OpenLP.SpellTextEdit - + Spelling Suggestions Forslag til stavning - + Formatting Tags Formatteringsmærker - + Language: Sprog: @@ -6271,7 +6272,7 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. OpenLP.ThemeForm - + (approximately %d lines per slide) (omkring %d linjer per dias) @@ -6279,523 +6280,531 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. OpenLP.ThemeManager - + Create a new theme. Opret et nyt tema. - + Edit Theme Redigér tema - + Edit a theme. Redigér et tema. - + Delete Theme Slet tema - + Delete a theme. Slet et tema. - + Import Theme Importér tema - + Import a theme. Importér et tema. - + Export Theme Eksportér tema - + Export a theme. Eksportér et tema. - + &Edit Theme &Redigér tema - + &Delete Theme &Slet tema - + Set As &Global Default Indstil som &global standard - - %s (default) - %s (standard) - - - + You must select a theme to edit. Vælg det tema der skal redigeres. - + You are unable to delete the default theme. Du kan ikke slette standardtemaet. - + 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 - + Select Theme Import File Vælg tema-importfil - + File is not a valid theme. Filen er ikke et gyldigt tema. - + &Copy Theme &Kopiér tema - + &Rename Theme &Omdøb tema - + &Export Theme &Eksportér tema - + You must select a theme to rename. Vælg det tema der skal omdøbes. - + Rename Confirmation Bekræft omdøbning - + Rename %s theme? Omdøb temaet %s? - + You must select a theme to delete. Vælg det tema der skal slettes. - + Delete Confirmation Bekræft sletning - + Delete %s theme? Slet temaet %s? - + Validation Error Valideringsfejl - + A theme with this name already exists. Et tema med dette navn eksisterer allerede. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - - - - + Unable to delete theme Ikke i stand til at slette tema + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Tema er i brug - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Temaguide - + Welcome to the Theme Wizard Velkommen til temaguiden - + Set Up Background Indstil baggrund - + Set up your theme's background according to the parameters below. Indstil dit temas baggrund i henhold til parametrene herunder. - + Background type: Baggrundstype: - + Gradient Overgang - + Gradient: Overgang: - + Horizontal Vandret - + Vertical Lodret - + Circular Cirkulær - + Top Left - Bottom Right Øverst til venstre - nederst til højre - + Bottom Left - Top Right Nederst til venstre - øverst til højre - + Main Area Font Details Skriftdetaljer for hovedområdet - + Define the font and display characteristics for the Display text Bestem skrifttypen og andre detaljer for visningsteksten - + Font: Skrifttype: - + Size: Størrelse: - + Line Spacing: Linjeafstand: - + &Outline: &Kant: - + &Shadow: &Skygge: - + Bold Fed - + Italic Kursiv - + Footer Area Font Details Skriftdetaljer for sidefoden - + Define the font and display characteristics for the Footer text Bestem skrifttypen og andre detaljer for teksten i sidefoden - + Text Formatting Details Detaljeret tekstformattering - + Allows additional display formatting information to be defined Yderligere indstillingsmuligheder for hvordan teksten skal vises - + Horizontal Align: Justér horisontalt: - + Left Venstre - + Right Højre - + Center Centrér - + Output Area Locations Placeringer for output-området - + &Main Area &Hovedområde - + &Use default location &Benyt standardplacering - + X position: X position: - + px px - + Y position: Y position: - + Width: Bredde: - + Height: Højde: - + Use default location Benyt standardplacering - + Theme name: Temanavn: - - Edit Theme - %s - Redigér tema - %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. Denne guide vil hjælp dig med at oprette og redigere dine temaer. Klik på næste-knappen for at begynde processen ved at indstille din baggrund. - + Transitions: Overgange: - + &Footer Area &Sidefodsområde - + Starting color: Startfarve: - + Ending color: Slutfarve: - + Background color: Baggrundsfarve: - + Justify Lige margener - + Layout Preview Forhåndsvisning af layout - + Transparent Gennemsigtig - + Preview and Save Gennemse og gem - + Preview the theme and save it. Gennemse temaet og gem det. - + Background Image Empty Baggrundsbillede er tomt - + Select Image Vælg billede - + Theme Name Missing Temanavn mangler - + There is no name for this theme. Please enter one. Der er ikke givet noget navn til dette tema. Indtast venligst et. - + Theme Name Invalid Temanavn ugyldigt - + Invalid theme name. Please enter one. Ugyldigt temanavn. Indtast venligst et nyt. - + 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. - + You have not selected a background image. Please select one before continuing. Du har ikke valgt et baggrundsbillede. Vælg venligst et før du fortsætter. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6878,73 +6887,73 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. &Justér lodret: - + Finished import. Fuldførte importering. - + Format: Format: - + Importing Importerer - + Importing "%s"... Importerer "%s"... - + Select Import Source Vælg importkilde - + Select the import format and the location to import from. Vælg importkilden og placeringen der skal importeres fra. - + Open %s File Åbn filen %s - + %p% %p% - + Ready. Klar. - + Starting import... Påbegynder importering... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Du skal angive mindst én %s-fil at importere fra. - + Welcome to the Bible Import Wizard Velkommen til guiden til importering af bibler - + Welcome to the Song Export Wizard Velkommen til guiden til eksportering af sange - + Welcome to the Song Import Wizard Velkommen til guiden til importering af sange @@ -6962,7 +6971,7 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. - © + © Copyright symbol. © @@ -6994,39 +7003,34 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. XML syntaksfejl - - Welcome to the Bible Upgrade Wizard - Velkommen til guiden til opgradering af bibler - - - + Open %s Folder Åbn %s mappe - + You need to specify one %s file to import from. A file type e.g. OpenSong Du skal vælge en %s-fil at importere fra. - + You need to specify one %s folder to import from. A song format e.g. PowerSong 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 @@ -7036,543 +7040,598 @@ Disse filer vil blive fjernet hvis du fortsætter med at gemme. Ukendt forfatter - + About Om - + &Add &Tilføj - + Add group Tilføj gruppe - + Advanced Avanceret - + All Files Alle filer - + Automatic Automatisk - + Background Color Baggrundsfarve - + Bottom Bund - + Browse... Gennemse... - + Cancel Annullér - + CCLI number: CCLI-nummer: - + Create a new service. Opret et nyt program. - + Confirm Delete Bekræft sletning - + Continuous Uafbrudt - + Default Standard - + Default Color: Standardfarve: - + 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. Program %d-%m-%Y %H-%M - + &Delete &Slet - + Display style: Visningsstil: - + Duplicate Error Duplikeringsfejl - + &Edit &Redigér - + Empty Field Tomt felt - + Error Fejl - + Export Eksportér - + File Fil - + File Not Found Fil ikke fundet - - File %s not found. -Please try selecting it individually. - Filen %s kunne ikke findes. -Prøv at vælg den individuelt. - - - + pt Abbreviated font pointsize unit pkt - + Help Hjælp - + h The abbreviated unit for hours t - + Invalid Folder Selected Singular Ugyldig mappe valgt - + Invalid File Selected Singular Ugyldigt fil valgt - + Invalid Files Selected Plural Ugyldige filer valgt - + Image Billede - + Import Importér - + Layout style: Layoutstil: - + Live Fremvisning - + Live Background Error Fejl med fremvisningsbaggrund - + Live Toolbar Værktøjslinje for fremvisning - + Load Indlæs - + Manufacturer Singular Producent - + Manufacturers Plural Producenter - + Model Singular Model - + Models Plural Modeller - + m The abbreviated unit for minutes m - + Middle Midt - + New Ny - + New Service Nyt program - + New Theme Nyt tema - + Next Track Næste spor - + No Folder Selected Singular Ingen mappe valgt - + No File Selected Singular Ingen fil valgt - + No Files Selected Plural Ingen filer valgt - + No Item Selected Singular Intet punkt valgt - + No Items Selected Plural Ingen punkter valgt - + OpenLP is already running. Do you wish to continue? OpenLP kører allerede. Vil du fortsætte? - + Open service. Åbn program. - + Play Slides in Loop Afspil dias i løkke - + Play Slides to End Afspil dias til slut - + Preview 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 - + CCLI song number: CCLI sang nummer: - + Preview Toolbar Forhåndsvisningspanel - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + Baggrundsfarve: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Ingen bibler tilgængelige + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Vers + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Ingen søgeresultater + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s og %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, og %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7652,47 +7711,47 @@ Prøv at vælg den individuelt. Præsentér med: - + File Exists Fil eksisterer - + A presentation with that filename already exists. En præsentation med dette filnavn eksisterer allerede. - + This type of presentation is not supported. Denne type præsentation er ikke understøttet. - - Presentations (%s) - 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. + + Presentations ({text}) + - - The presentation %s no longer exists. - Præsentationen %s eksisterer ikke længere. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7702,11 +7761,6 @@ Prøv at vælg den individuelt. Available Controllers Tilgængelige programmer - - - %s (unavailable) - %s (ikke tilgængelig) - Allow presentation application to be overridden @@ -7723,12 +7777,12 @@ Prøv at vælg den individuelt. Anvend den angivne fulde sti til en kørbar fil for enten mudraw eller ghostscript: - + Select mudraw or ghostscript binary. Vælg en kørbar fil for enten mudraw eller ghostscript. - + The program is not ghostscript or mudraw which is required. Programmet er ikke ghostscript eller mudraw, hvilket er krævet. @@ -7739,13 +7793,19 @@ Prøv at vælg den individuelt. - Clicking on a selected slide in the slidecontroller advances to next effect. - Klik på et valgt dias i diasfremviseren afspiller næste effekt. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Lad PowerPoint kontrollere størrelsen og positionen af præsentationsvinduet (en omgåelse for et problem med skalering i Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7787,127 +7847,127 @@ Prøv at vælg den individuelt. RemotePlugin.Mobile - + Service Manager Programhåndtering - + Slide Controller Diashåndtering - + Alerts Meddelelser - + Search Søg - + Home Hjem - + Refresh Opdatér - + Blank Mørkelæg - + 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 - + Remote Fjernbetjening - + Stage View Scenevisning - + Live View Præsentationsvisning @@ -7915,79 +7975,140 @@ Prøv at vælg den individuelt. RemotePlugin.RemoteTab - + Serve on IP address: Benyt følgende IP-adresse: - + Port number: Port nummer: - + Server Settings Serverindstillinger - + Remote URL: Fjern-URL: - + Stage view URL: Scenevisning-URL: - + Display stage time in 12h format Vis scenetiden i 12-timer format - + Android App Android App - + 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 - + Password: Adgangskode: - + Show thumbnails of non-text slides in remote and stage view. Vis miniaturebilleder af ikke-tekst dias i fjernbetjening og scenevisning. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Skan QR-koden, eller klik <a href="%s">hent</a> for at installere Android app'en fra Google Play. + + iOS App + iOS app + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Output-sti er ikke valgt + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Oprettelse af rapport + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8028,50 +8149,50 @@ Prøv at vælg den individuelt. 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 />Dette udvidelsesmodul 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 @@ -8139,24 +8260,10 @@ Al data optaget før denne dato vil blive slettet permanent. Placering af output-fil - - usage_detail_%s_%s.txt - forbrugsdetaljer_%s_%s.txt - - - + Report Creation Oprettelse af rapport - - - Report -%s -has been successfully created. - Rapport -%s -er blevet oprettet. - Output Path Not Selected @@ -8170,14 +8277,26 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8193,102 +8312,102 @@ Vælg venligst en eksisterende sti på din computer. 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 />Dette udvidelsesmodul 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... - + Arabic (CP-1256) Arabisk (CP-1256) - + Baltic (CP-1257) Baltisk (CP-1257) - + Central European (CP-1250) Centraleuropæisk (CP-1250) - + Cyrillic (CP-1251) Kyrillisk (CP-1251) - + Greek (CP-1253) Græsk (CP-1253) - + Hebrew (CP-1255) Hebraisk (CP-1255) - + Japanese (CP-932) Japansk (CP-932) - + Korean (CP-949) Koreansk (CP-949) - + Simplified Chinese (CP-936) Simplificeret kinesisk (CP-936) - + Thai (CP-874) Thailandsk (CP-874) - + Traditional Chinese (CP-950) Traditionelt kinesisk (CP-950) - + Turkish (CP-1254) Tyrkisk (CP-1254) - + Vietnam (CP-1258) Vietnamesisk (CP-1258) - + Western European (CP-1252) Vesteuropæisk (CP-1252) - + Character Encoding Tegnkodning - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8297,26 +8416,26 @@ ansvarlig for den korrekte gengivelse af tegn. For det meste er den forudvalgte god som den er. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Vælg tegnkodningen. Tegnkodningen er ansvarlig for den korrekte visning af tegn. - + Song name singular Sang - + Songs name plural Sange - + Songs container title Sange @@ -8327,37 +8446,37 @@ Tegnkodningen er ansvarlig for den korrekte visning af tegn. 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 @@ -8372,15 +8491,30 @@ Tegnkodningen er ansvarlig for den korrekte visning af tegn. Importer sang from CCLI's SongSelect tjeneste - + Find &Duplicate Songs &Find sang dubletter - + Find and remove duplicate songs in the song database. Find og fjern sang dubletter i sangdatabasen. + + + Songs + Sange + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8466,62 +8600,67 @@ Tegnkodningen er ansvarlig for den korrekte visning af tegn. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administreret af %s - - - - "%s" could not be imported. %s - "%s" kunne ikke importeres. %s - - - + Unexpected data formatting. Uventet data formattering. - + No song text found. Ingen sang tekst fundet. - + [above are Song Tags with notes imported from EasyWorship] [ovenstående er Song Tags med noter importeret fra EasyWorship] - + This file does not exist. Denne fil eksisterer ikke. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Kunne ikke finde filen "Songs.MB". Den skal være i samme mappe som filen "Songs.DB". - + This file is not a valid EasyWorship database. Filen er ikke en gyldig EasyWorship database. - + Could not retrieve encoding. Kunne ikke hente tekstkodning. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Metadata - + Custom Book Names Brugerdefinerede bognavne @@ -8604,57 +8743,57 @@ Tegnkodningen er ansvarlig for den korrekte visning af tegn. Tema, ophavsret && kommentarer - + Add Author Tilføj forfatter - + This author does not exist, do you want to add them? Denne forfatter eksisterer ikke. Vil du tilføje dem? - + This author is already in the list. Denne forfatter er allerede på listen. - + 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. Du har ikke valgt en gyldig forfatter. Vælg enten en forfatter fra listen, eller indtast en ny forfatter og klik på "Tilføj forfatter til sang"-knappen for at tilføje den nye forfatter. - + Add Topic Tilføj emne - + This topic does not exist, do you want to add it? Dette emne eksisterer ikke. Vil du tilføje det? - + This topic is already in the list. Dette emne er allerede på listen. - + 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 gyldigt emne. Vælg enten et emne fra listen, eller indtast et nyt emne og klik på "Tilføj emne til sang"-knappen for at tilføje det nye emne. - + You need to type in a song title. Vælg først en sangtitel. - + You need to type in at least one verse. Skriv mindst ét vers. - + You need to have an author for this song. Du mangler en forfatter til denne sang. @@ -8679,7 +8818,7 @@ Tegnkodningen er ansvarlig for den korrekte visning af tegn. Fjern &alt - + Open File(s) Åbn fil(er) @@ -8694,14 +8833,7 @@ Tegnkodningen er ansvarlig for den korrekte visning af tegn. <strong>Advarsel:</strong> Du har ikke indtastet en rækkefølge for versene. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Der er intet vers svarende til "%(invalid)s". Gyldige værdier er %(valid)s. -Indtast venligst versene adskildt af mellemrum. - - - + Invalid Verse Order Ugyldig versrækkefølge @@ -8711,82 +8843,101 @@ Indtast venligst versene adskildt af mellemrum. &Rediger forfattertype - + Edit Author Type Rediger forfattertype - + Choose type for this author Vælg type for denne forfatter - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Der er ingen vers svarende til "%(invalid)s". Gyldige værdier er %(valid)s. -Indtast venligst versene adskildt af mellemrum. - &Manage Authors, Topics, Songbooks - + Add &to Song - + Re&move - + Authors, Topics && Songbooks - + - + Add Songbook - + - + This Songbook does not exist, do you want to add it? - + - + This Songbook is already in the list. - + - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse Redigér vers - + &Verse type: &Verstype: - + &Insert &Indsæt - + Split a slide into two by inserting a verse splitter. Del et dias i to ved at indsætte en versopdeler. @@ -8799,77 +8950,77 @@ Indtast venligst versene adskildt af mellemrum. Guide til eksportering af sange - + Select Songs Vælg sange - + Check the songs you want to export. Markér de sange du vil eksportere. - + Uncheck All Afmarkér alle - + Check All Markér alle - + Select Directory Vælg mappe - + Directory: Mappe: - + Exporting Eksporterer - + Please wait while your songs are exported. Vent imens dines sange eksporteres. - + You need to add at least one Song to export. Vælg mindst én sang der skal eksporteres. - + No Save Location specified Ingen placering angivet til at gemme - + Starting export... Påbegynder eksportering... - + You need to specify a directory. Du er nødt til at vælge en mappe. - + Select Destination Folder Vælg en destinationsmappe - + Select the directory where you want the songs to be saved. Vælg den mappe hvori du ønsker at gemme sangene. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Denne guide vil hjælp dig med at eksportere dine sange til det åbne og frie <strong>OpenLyrics</strong> lovsangsformat. @@ -8877,7 +9028,7 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Ugyldig Foilpresenter sang-fil. Kunne ikke finde nogen vers. @@ -8885,7 +9036,7 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.GeneralTab - + Enable search as you type Slå søg-mens-du-skriver til @@ -8893,7 +9044,7 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Vælg dokument-/præsentationfiler @@ -8903,237 +9054,252 @@ Indtast venligst versene adskildt af mellemrum. Guide til import af sange - + 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. Denne guide vil hjælpe dig med at importere sange fra forskellige formater. Klik på næste-knappen herunder for at påbegynde processen ved at vælge et format du vil importere fra. - + Generic Document/Presentation Almindeligt dokument/præsentation - + Add Files... Tilføj filer... - + Remove File(s) Fjern fil(er) - + Please wait while your songs are imported. Vent imens dine sange bliver importeret. - + Words Of Worship Song Files Words Of Worship sangfiler - + Songs Of Fellowship Song Files Songs Of Fellowship sangfiler - + SongBeamer Files SongBeamer filer - + SongShow Plus Song Files SongShow Plus sangfiler - + Foilpresenter Song Files Foilpresenter sangfiler - + Copy Kopiér - + Save to File Gem til fil - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Songs of Fellowship-importeringen er blevet deaktiveret på grund af at OpenLP ikke kan oprette forbindelse til OpenOffice, eller LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Importeringen af dokumenter/præsentationer er blevet slået fra, da OpenLP ikke kan tilgå OpenOffice eller LibreOffice. - + OpenLyrics Files OpenLyrics filer - + CCLI SongSelect Files CCLI SongSelect-filer - + EasySlides XML File EasySlides XML-fil - + EasyWorship Song Database EasyWorship sangdatabase - + DreamBeam Song Files DreamBeam sangfiler - + You need to specify a valid PowerSong 1.0 database folder. Du skal angive en gyldig PowerSong 1.0-database-mappe. - + 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>. Konvertér først din ZionWorx-database til en CSV-tekstfil, som forklaret i<a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Brugerhåndbogen</a>. - + SundayPlus Song Files SundayPlus sangfiler - + This importer has been disabled. Denne importør er slået fra. - + 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. Importeringen fra MediaShout er kun understøttet på Windows. Det er deaktiveret på grund af et manglende Python-modul. Hvis du ønsker at bruge denne importør, skal du installere "pyodbc"-modulet. - + SongPro Text Files SongPro-tekstfiler - + SongPro (Export File) SongPro (Eksportfil) - + In SongPro, export your songs using the File -> Export menu I SongPro eksporterer du dine sange ved at benytte eksporteringsmenuen i File -> Export menu - + EasyWorship Service File EasyWorship programfil - + WorshipCenter Pro Song Files WorshipCenter Pro sangfiler - + 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. Importeringen fra WorshipCenter Pro er kun understøttet på Windows. Det er deaktiveret på grund af et manglende Python-modul. Hvis du ønsker at bruge denne importør, skal du installere "pyodbc"-modulet. - + 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 database til en CSV fil. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics eller OpenLP 2 eksporteret sang - + OpenLP 2 Databases OpenLP 2 databaser - + LyriX Files LyriX-filer - + LyriX (Exported TXT-files) LyriX (Eksporterede TXT-filer) - + VideoPsalm Files VideoPsalm-filer - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - VideoPsalm-sangbøger er normalt placeret i %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Fejl: %s + File {name} + + + + + Error: {error} + @@ -9152,79 +9318,117 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.MediaItem - + Titles Titler - + Lyrics Sangtekst - + CCLI License: CCLI-licens: - + Entire Song Hele sang - + Maintain the lists of authors, topics and books. Vedligehold listen over forfattere, emner og bøger. - + copy For song cloning kopi - + Search Titles... Søg blandt titler... - + Search Entire Song... Søg hele sang... - + Search Lyrics... Søg sangtekster... - + Search Authors... Søg forfattere... - - Are you sure you want to delete the "%d" selected song(s)? - Er du sikker på at du vil slette de %d valgte sang(e)? + + Search Songbooks... + - - Search Songbooks... - + + Search Topics... + + + + + Copyright + Ophavsret + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Kunne ikke åbne MediaShout databasen. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Ikke en gyldig OpenLP 2 sangdatabase. @@ -9232,9 +9436,9 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Eksporterer "%s"... + + Exporting "{title}"... + @@ -9253,29 +9457,37 @@ Indtast venligst versene adskildt af mellemrum. Ingen sange der kan importeres. - + Verses not found. Missing "PART" header. Versene kunne ikke findes. Manglende "PART" header. - No %s files found. - Ingen %s filer fundet. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Ugyldig %s-fil. Uforventet byte-værdi. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Ugyldig %s-fil. Mangler sidehovedet "TITLE". + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Ugyldig %s-fil. Mangler sidehovedet "COPYRIGHTLINE". + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9298,25 +9510,25 @@ Indtast venligst versene adskildt af mellemrum. Songbook Maintenance - + 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 + + Your song export failed because this error occurred: {error} + @@ -9332,17 +9544,17 @@ Indtast venligst versene adskildt af mellemrum. De følgende sange kunne ikke importeres: - + Cannot access OpenOffice or LibreOffice Kan ikke tilgå OpenOffice eller LibreOffice - + Unable to open file Kunne ikke åbne fil - + File not found Fil ikke fundet @@ -9350,109 +9562,109 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.SongMaintenanceForm - + Could not add your author. Kunne ikke tilføje din forfatter. - + This author already exists. Denne forfatter eksisterer allerede. - + Could not add your topic. Kunne ikke tilføje dit emne. - + This topic already exists. Dette emne eksisterer allerede. - + Could not add your book. Kunne ikke tilføje din bog. - + This book already exists. Denne bog eksisterer allerede. - + Could not save your changes. Kunne ikke gemme dine ændringer. - + Could not save your modified author, because the author already exists. Kunne ikke gemme din ændrede forfatter, da denne forfatter allerede eksisterer. - + Could not save your modified topic, because it already exists. Kunne ikke gemme dit ændrede emne, da det allerede eksisterer. - + Delete Author Slet forfatter - + Are you sure you want to delete the selected author? Er du sikker på at du vil slette den valgte forfatter? - + This author cannot be deleted, they are currently assigned to at least one song. Denne forfatter kan ikke slettes, da den er tilkyttet til mindst én sang. - + Delete Topic Slet emne - + Are you sure you want to delete the selected topic? Er du sikker på at du vil slette det valgte emne? - + This topic cannot be deleted, it is currently assigned to at least one song. Dette emne kan ikke slettes, da den er tilkyttet til mindst én sang. - + Delete Book Slet bog - + Are you sure you want to delete the selected book? Er du sikker på at du vil slette den valgte bog? - + This book cannot be deleted, it is currently assigned to at least one song. Denne bog kan ikke slettes, da den er tilkyttet til mindst én sang. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Forfatteren %s eksisterer allerede. Vil du få sangene med forfatter %s til at benytte den eksisterende forfatter %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Emnet %s eksisterer allerede. Vil du få sangene med emne %s til at benytte det eksisterende emne %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Bogen %s eksisterer allerede. Vil du få sangene med bog %s til at benytte den eksisterende bog %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9498,52 +9710,47 @@ Indtast venligst versene adskildt af mellemrum. Søg - - Found %s song(s) - Fandt %s sang(e) - - - + Logout Log ud - + View Vis - + Title: Titel: - + Author(s): Forfatter(e)? - + Copyright: Ophavsret: - + CCLI Number: CCLI nummer: - + Lyrics: Sangtekster: - + Back Tilbage - + Import Importér @@ -9583,7 +9790,7 @@ Indtast venligst versene adskildt af mellemrum. Der opstod et problem ved indlogning, måske er dit brugernavn og kode forkert? - + Song Imported Sang importeret @@ -9598,14 +9805,19 @@ Indtast venligst versene adskildt af mellemrum. Denne sang mangler noget information, som f.eks. sangteksten, og kan ikke importeres. - + Your song has been imported, would you like to import more songs? Sangen er blevet importeret, vil du importere flere sange? Stop - + Stop + + + + Found {count:d} song(s) + @@ -9615,30 +9827,30 @@ Indtast venligst versene adskildt af mellemrum. Songs Mode Sangtilstand - - - Display verses on live tool bar - Vis vers på fremvisningsværktøjslinjen - Update service from song edit Opdatér program efter redigering af sang - - - Import missing songs from service files - Importér manglende sange fra programfiler - Display songbook in footer Vis sangbog i sidefod + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Vis "%s" symbol før ophavsrets information + Display "{symbol}" symbol before copyright info + @@ -9662,37 +9874,37 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.VerseType - + Verse Vers - + Chorus Omkvæd - + Bridge C-stykke - + Pre-Chorus Bro - + Intro Intro - + Ending Slutning - + Other Anden @@ -9700,22 +9912,22 @@ Indtast venligst versene adskildt af mellemrum. SongsPlugin.VideoPsalmImport - - Error: %s - Fejl: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Ugyldig Words of Worship fil. Mangler "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Ugyldig Words of Worship sang. Mangler "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9726,30 +9938,30 @@ Indtast venligst versene adskildt af mellemrum. Fejl ved læsning af CSV-fil. - - Line %d: %s - Linje %d: %s - - - - Decoding error: %s - Afkodningsfejl: %s - - - + File not valid WorshipAssistant CSV format. Fil er ikke i et gyldigt WorshipAssistant CSV-format. - - Record %d - Optag %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Kunne ikke forbinde til WorshipCenter Pro databasen. @@ -9762,25 +9974,30 @@ Indtast venligst versene adskildt af mellemrum. Fejl ved læsning af CSV-fil. - + File not valid ZionWorx CSV format. Filen er ikke et gyldigt ZionWorx CSV-format. - - Line %d: %s - Linje %d: %s - - - - Decoding error: %s - Afkodningsfejl: %s - - - + Record %d Optag %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9790,39 +10007,960 @@ Indtast venligst versene adskildt af mellemrum. Guide - + 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 guide vil hjælpe dig med at fjerne sangdubletter fra sangdatabasen. Du får mulighed for at gennemse alle potentielle sangdubletter før de slettes. Ingen sange slettes uden at du har godkendt det. - + Searching for duplicate songs. Søger efter sangdubletter. - + Please wait while your songs database is analyzed. Vent venligst mens din sangdatabase analyseres. - + Here you can decide which songs to remove and which ones to keep. Her kan du vælge hvilke sange du vil fjerne og hvilke du vil beholde. - - Review duplicate songs (%s/%s) - Gennemse sangdubletter (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. Ingen sangdubletter blev fundet i databasen. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + Afrikaans + + + + Albanian + Language code: sq + Albansk + + + + Amharic + Language code: am + Amharisk + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + Arabisk + + + + Armenian + Language code: hy + Armensk + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + Baskisk + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + Bulgarsk + + + + Burmese + Language code: my + Burmesisk + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + Kambodisk + + + + Catalan + Language code: ca + Katalansk + + + + Chinese + Language code: zh + Kinesisk + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + Kroatisk + + + + Czech + Language code: cs + Tjekkisk + + + + Danish + Language code: da + Dansk + + + + Dutch + Language code: nl + Hollandsk + + + + English + Language code: en + Dansk + + + + Esperanto + Language code: eo + Esperanto + + + + Estonian + Language code: et + Estisk + + + + Faeroese + Language code: fo + Færøsk + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + Finsk + + + + French + Language code: fr + Fransk + + + + Frisian + Language code: fy + Frisisk + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + Georgisk + + + + German + Language code: de + Tysk + + + + Greek + Language code: el + Græsk + + + + Greenlandic + Language code: kl + Grønlandsk + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + Rumænsk + + + + Russian + Language code: ru + Russisk + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + Serbisk + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + Slovakisk + + + + Slovenian + Language code: sl + Slovensk + + + + Somali + Language code: so + + + + + Spanish + Language code: es + Spansk + + + + Sudanese + Language code: su + Sudansk + + + + Swahili + Language code: sw + Swahili + + + + Swedish + Language code: sv + Svensk + + + + Tagalog + Language code: tl + Tagalog + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + Thailandsk + + + + Tibetan + Language code: bo + Tibetansk + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + Tyrkisk + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + Ukrainsk + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + Zulu + + + diff --git a/resources/i18n/de.ts b/resources/i18n/de.ts index 8fd4ccfdf..868b7ae25 100644 --- a/resources/i18n/de.ts +++ b/resources/i18n/de.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Möchten Sie dennoch fortfahren? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Der Hinweistext enthält nicht '<>'. Möchten Sie dennoch fortfahren? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Sie haben keinen Text für Ihren Hinweistext eingegeben. Bitte geben Sie etwas ein. @@ -120,32 +121,27 @@ Bitte geben Sie etwas ein. AlertsPlugin.AlertsTab - + Font Schrift - + Font name: Schriftart: - + Font color: Schriftfarbe: - - Background color: - Hintergrundfarbe: - - - + Font size: Schriftgröße: - + Alert timeout: Anzeigedauer: @@ -153,88 +149,78 @@ 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 />Diese 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. - Genesis @@ -739,162 +725,123 @@ Bitte geben Sie etwas ein. Diese Bibel existiert bereit. Bitte geben Sie einen anderen Übersetzungsnamen an oder löschen Sie zuerst die Existierende. - - You need to specify a book name for "%s". - Sie müssen ein Buchnamen für »%s« angeben. - - - - 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. - Der Buchname "%s" ist nicht korrekt. -Nummern können nur am Anfang benutzt werden -und ein nichtnumerisches Zeichen muss folgen. - - - + Duplicate Book Name Doppelter Buchname - - The Book Name "%s" has been entered more than once. - Der Buchnamen »%s« wurde mehrmals angegeben. + + You need to specify a book name for "{text}". + Sie müssen ein Buchnamen für "{text}" angeben. + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Buchname "{name}" ist nicht vorhanden. +Zahlen können nur am Anfang stehen und +nichtnumerischen Zeichen müssen folgen. + + + + The Book Name "{name}" has been entered more than once. + Der Buchname "{name}" wurde mehrfach verwendet. + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Fehler im Textverweis - - Web Bible cannot be used - Für Onlinebibeln nicht verfügbar + + Web Bible cannot be used in Text Search + Textsuche nicht für Online-Bibel 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Die Bibelstelle ist entweder ungültig, oder hat ein Format, das von OpenLP nicht unterstützt wird. Stellen Sie bitte sicher, dass Ihre Bibelstelle einem der folgenden Muster entspricht oder ziehen Sie das Handbuch zu Rate: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Buch Kapitel -Buch Kapitel%(verse)sVers -Buch Kapitel%(range)sKapitel -Buch Kapitel%(verse)sVers%(range)sVers -Buch Kapitel%(verse)sVers%(range)sKapitel%(verse)sVers -Buch Kapitel%(verse)sVers%(range)sVers%(list)sVers%(range)sVers -Buch Kapitel%(verse)sVers%(range)sVers%(list)sKapitel%(verse)sVers +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + Nichts gefunden BiblesPlugin.BiblesTab - + Verse Display Bibelstellenanzeige - + Only show new chapter numbers Nur neue Kapitelnummern anzeigen - + Bible theme: Bibel-Design: - + No Brackets Keine Klammern - + ( And ) ( und ) - + { And } { und } - + [ And ] [ und ] - - Note: -Changes do not affect verses already in the service. - Hinweis: -Änderungen beeinflussen keine Bibelverse, welche bereits im Ablauf vorhanden sind. - - - + Display second Bible verses Vergleichsbibel anzeigen - + Custom Scripture References Benutzerdefiniertes Bibelstellenformat - - Verse Separator: - Verstrenner: - - - - Range Separator: - Bereichstrenner: - - - - List Separator: - Aufzählungstrenner: - - - - End Mark: - Endmarkierung: - - - + 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. @@ -903,37 +850,83 @@ Striche »|« getrennt angegeben werden. Der erste Trenner wird zur Darstellung in OpenLP genutzt. Durch Leeren des Eingabefeldes kann der Standard-Wert wiederhergestellt werden. - + English Deutsch - + Default Bible Language Standard Bibelsprache - + Book name language in search field, search results and on display: Sprache des Buchnames im Suchfeld, Suchergebnis und Projektionsbildschirm: - + Bible Language Bibelsprache - + Application Language Anwendungssprache - + Show verse numbers Versnummer anzeigen + + + Note: Changes do not affect verses in the Service + Achtung: Änderungen wirken sich nicht auf Verse im Ablauf aus. + + + + Verse separator: + Verstrenner: + + + + Range separator: + Bereichstrenner: + + + + List separator: + Aufzählungstrenner: + + + + End mark: + + + + + Quick Search Settings + Schnellsuch Einstellungen + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -989,70 +982,71 @@ Suchergebnis und Projektionsbildschirm: BiblesPlugin.CSVBible - - Importing books... %s - Importiere Bücher... %s + + Importing books... {book} + - - Importing verses... done. - Importiere Verse... Fertig. + + Importing verses from {book}... + Importing verses from <book name>... + BiblesPlugin.EditBibleForm - + Bible Editor Bibeleditor - + License Details Lizenzdetails - + Version name: Bibelausgabe: - + Copyright: Copyright: - + Permissions: Genehmigung: - + Default Bible Language Standard Bibelsprache - + Book name language in search field, search results and on display: Sprache des Buchnames im Suchfeld, Suchergebnis und Projektionsbildschirm: - + Global Settings Globale Einstellung - + Bible Language Bibelsprache - + Application Language Anwendungssprache - + English Deutsch @@ -1072,224 +1066,259 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. Während des herunterladens der Liste der Bibeln von %s trat ein Fehler auf. + + + Bibles: + Bibeln: + + + + SWORD data folder: + SWORD Daten-Ordner: + + + + SWORD zip-file: + SWORD Zip-Datei: + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + Aus Ordner importieren + + + + Import from Zip-file + Aus Zip-Datei importieren + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Zum importieren von SWORD Bibeln muss das python Modul "pysword" installiert sein. Mehr Informationen finden Sie im Handbuch. + BiblesPlugin.LanguageDialog @@ -1320,292 +1349,155 @@ Es ist nicht möglich die Büchernamen anzupassen. BiblesPlugin.MediaItem - - Quick - Schnellsuche - - - + Find: Suchen: - + Book: Liederbuch: - + Chapter: Kapitel: - + Verse: Vers: - + From: Von: - + To: Bis: - + Text Search Textsuche - + Second: Vergleichstext: - + Scripture Reference Bibelstelle - + Toggle to keep or clear the previous results. Vorheriges Suchergebnis behalten oder verwerfen. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Es ist nicht möglich Einzel- und Zweifach Bibelvers Suchergebnisse zu kombinieren. Sollen die Suchergebnisse gelöscht und eine neue Suche gestartet werden? - + Bible not fully loaded. Bibel wurde nicht vollständig geladen. - + Information 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. - Die Vergleichsbibel enthält nicht alle Verse, die in der Hauptbibel vorhanden sind. Nur die Verse, die in beiden Bibeln vorhanden sind, werden angezeigt. %d Verse sind nicht enthalten. - - - + Search Scripture Reference... Suche Bibelstelle... - + Search Text... Suche Text... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Suche + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Sind Sie sicher, das Sie die "%s" Bibel komplett löschen wollen? -Um sie wieder zu benutzen, muss sie erneut importier werden. + - - Advanced - Erweitert - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Falscher Dateityp. OpenSong Bibeln sind möglicherweise komprimiert und müssen entpackt werden, bevor sie importiert werden. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - 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... - Importiere %(bookname)s %(chapter)s... + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Entferne unbenutzte Tags (dies kann einige Minuten dauern) ... - - Importing %(bookname)s %(chapter)s... - Importiere %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Ein Backup-Verzeichnis wählen + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Bibelupgradeassistent - - - - 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. - Dieser Assistent hilft Ihnen Ihre Bibeln auf das aktuelle Format umzustellen. Klicken Sie »Weiter« um den Prozess zu starten. - - - - Select Backup Directory - Backup-Verzeichnis wählen - - - - Please select a backup directory for your Bibles - Bitte wählen Sie ein Backup-Verzeichnis für Ihre Bibeln - - - - 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>. - Vorherige Versionen von OpenLP 2.0 können nicht mit den aktualisierten Bibeln umgehen. Sie können eine Backup von ihren Bibeln erstellen. Wie Sie ein Backup wiedereinspielen können Sie in den <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a> lesen. - - - - Please select a backup location for your Bibles. - Bitte wählen Sie ein Backup-Verzeichnis für Ihre Bibeln. - - - - Backup Directory: - Backup-Verzeichnis: - - - - There is no need to backup my Bibles - Es soll kein Backup gemacht werden - - - - Select Bibles - Bibeln wählen - - - - Please select the Bibles to upgrade - Bitte wählen Sie die Bibeln welche aktualisiert werden sollen - - - - Upgrading - Aktualisiere... - - - - Please wait while your Bibles are upgraded. - Bitte warten Sie bis Ihre Bibeln aktualisiert sind. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Das Backup war nicht erfolgreich. -Damit das Backup erstellt werden kann brauchen Sie Schreibrechte in dem Verzeichnis. - - - - Upgrading Bible %s of %s: "%s" -Failed - Aktualisiere Bibel %s von %s: »%s« -Fehlgeschlagen... - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Aktualisiere Bibel %s von %s: »%s« -Aktualisiere... - - - - Download Error - Download Fehler - - - - To upgrade your Web Bibles an Internet connection is required. - Um Onlinebibeln zu aktualisieren ist eine Internetverbindung notwendig. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Aktualisiere Bibel %s von %s: »%s« -Aktualisiere »%s«... - - - - Upgrading Bible %s of %s: "%s" -Complete - Aktualisiere Bibel %s von %s: »%s« -Fertig - - - - , %s failed - , %s fehlgeschlagen - - - - Upgrading Bible(s): %s successful%s - Aktualisiere Bibeln: %s erfolgreich%s - - - - Upgrade failed. - Aktualisierung schlug fehl. - - - - You need to specify a backup directory for your Bibles. - Sie müssen ein Backup-Verzeichnis für Ihre Bibeln angeben. - - - - Starting upgrade... - Beginne mit der Aktualisierung... - - - - There are no Bibles that need to be upgraded. - Es sind keine Bibel für eine Aktualisierung vorhanden. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Aktualisiere Bibel(n): %(success)d erfolgreich%(failed_text)s -Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung geladen werden. Daher ist eine Internetverbindung erforderlich. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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. @@ -1613,9 +1505,9 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importiere %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1730,7 +1622,7 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela Bearbeite alle Folien. - + Split a slide into two by inserting a slide splitter. Füge einen Folienumbruch ein. @@ -1745,7 +1637,7 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela A&utoren: - + You need to type in a title. Bitte geben Sie einen Titel ein. @@ -1755,12 +1647,12 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela &Alle Bearbeiten - + Insert Slide Folie einfügen - + You need to add at least one slide. Sie müssen mindestens eine Folie hinzufügen. @@ -1768,7 +1660,7 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela CustomPlugin.EditVerseForm - + Edit Slide Folie bearbeiten @@ -1776,9 +1668,9 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Sollen die %d ausgewählten Sonderfolien wirklich gelöscht werden? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1806,11 +1698,6 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela container title Bilder - - - Load a new image. - Lade ein neues Bild. - Add a new image. @@ -1841,6 +1728,16 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela Add the selected image to the service. Füge das ausgewählte Bild zum Ablauf hinzu. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1865,12 +1762,12 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela 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. @@ -1906,7 +1803,7 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela ImagePlugin.ExceptionDialog - + Select Attachment Anhang auswählen @@ -1914,39 +1811,22 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln während der Benutzung gela ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1956,25 +1836,41 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Sichtbarer Hintergrund für Bilder mit einem anderem Seitenverhältnis als der Projektionsbildschirm. @@ -1982,27 +1878,27 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Dieser Mediaplayer verwendet Ihr Betriebssystem um Medienfunktionalitäten bereitzustellen. @@ -2010,60 +1906,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>Medien-Erweiterung</strong><br />Diese Erweiterung 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. @@ -2179,47 +2075,47 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? Der VLC Player konnte diese Audio-/Videodatei nicht abspielen - + CD not loaded correctly Die CD konnte nicht geladen werden - + The CD was not loaded correctly, please re-load and try again. Die CD konnte nicht geladen werden. Bitte erneut einlegen und nochmals probieren. - + DVD not loaded correctly Die DVD konnte nicht geladen werden - + The DVD was not loaded correctly, please re-load and try again. Die DVD konnte nicht geladen werden. Bitte erneut einlegen und nochmals probieren. - + Set name of mediaclip Setze den Namen des Audio-/Videoausschnitts - + Name of mediaclip: Name des Audio-/Videoausschnitts - + Enter a valid name or cancel Gültigen Name eingeben oder abbrechen - + Invalid character Ungültiges Zeichen - + The name of the mediaclip must not contain the character ":" Der Name des Audio-/Videoausschnitts darf kein ":" enthalten @@ -2227,90 +2123,100 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Nicht unterstütztes Dateiformat - + Use Player: Nutze Player: - + VLC player required Der VLC Player erforderlich - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + Datei %s wird nicht von %s unterstützt + + + + Unsupported Media File + Nicht unterstützte Mediendatei + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2321,94 +2227,93 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? - Start Live items automatically - Live-Einträge automatisch starten - - - - OPenLP.MainWindow - - - &Projector Manager - &Projektorverwaltung + Start new Live media automatically + OpenLP - + Image Files Bilddateien - - Information - Information - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Das Bibelformat wurde geändert. -Sie müssen Ihre Bibeln aktualisieren. -Möchten Sie dies jetzt tun? - - - + Backup Sicherung - - OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - OpenLP wurde aktualisiert. Soll eine Sicherung des OpenLP Daten Ordners angelegt werden? - - - + Backup of the data folder failed! Sicherung des Daten Ordners fehlgeschlagen! - - A backup of the data folder has been created at %s - Die Sicherung des Daten Ordners wurde in %s erzeugt - - - + Open Öffnen + + + Video Files + Videodateien + + + + Data Directory Error + Fehler im Daten Ordner + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Danksagungen - + License Lizenz - - 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. @@ -2425,174 +2330,157 @@ Weitere Informationen finden Sie unter: http://openlp.org/ OpenLP wird von Freiwilligen Helfern entwickelt und unterstützt. Wenn Sie sich beteiligen wollen betätigen Sie untenstehende Schaltfläche und in ihrem Browser wird ihnen angezeigt, welche Möglichkeiten es gibt. - + Volunteer - Freiwillige + Mitwirken - + Project Lead Projekt Leitung - + Developers Entwickler - + Contributors Mitwirkende - + Packagers Paket Ersteller - + Testers Prüfer - + Translators Übersetzer - + Afrikaans (af) Afrikaans (af) - + Czech (cs) Tschechisch (cs) - + Danish (da) Dänisch (da) - + German (de) Deutsch (de) - + Greek (el) Griechisch (el) - + English, United Kingdom (en_GB) Englisch, Vereinigtes Königreich (en_GB) - + English, South Africa (en_ZA) Englisch, Südafrika (en_ZA) - + Spanish (es) Spanisch (es) - + Estonian (et) Estonisch (et) - + Finnish (fi) Finnisch (fi) - + French (fr) Französisch (fr) - + Hungarian (hu) Ungarisch (hu) - + Indonesian (id) Indonesisch (id) - + Japanese (ja) Japanisch (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norwegisch (nb) - + Dutch (nl) Holländisch (nl) - + Polish (pl) Polnisch (pl) - + Portuguese, Brazil (pt_BR) Brasilianisches Portugiesisch (pt_BR) - + Russian (ru) Russisch (ru) - + Swedish (sv) Schwedisch (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamil (Sri Lanka) (ta_LK) - + Chinese(China) (zh_CN) Chinesisch (China) (zh_CN) - + Documentation Dokumentation - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Erstellt mit - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: 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 @@ -2611,321 +2499,244 @@ Zu guter Letzt geht der Dank an unseren Vater im Himmel, der seinen Sohn gesandt Wir veröffentlichen diese Software kostenlos, weil er uns befreit hat, ohne dass wir etwas dafür getan haben. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Anteiliges Copyright © 2004-2016 %s + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Benutzeroberfläche - - - Number of recent files to display: - Anzahl zuletzt geöffneter Abläufe: - - Remember active media manager tab on startup - Beim Starten die zuletzt gewählte Medienverwaltung wieder auswählen - - - - Double-click to send items straight to live - Objekte bei Doppelklick live anzeigen - - - Expand new service items on creation Neue Elemente in der Ablaufverwaltung mit Details anzeigen - + Enable application exit confirmation Bestätigung vor dem Beenden anzeigen - + Mouse Cursor Mauszeiger - + Hide mouse cursor when over display window Verstecke den Mauszeiger auf dem Bildschrim - - Default Image - Standardbild - - - - Background color: - Hintergrundfarbe: - - - - Image file: - Bild-Datei: - - - + Open File Ablauf öffnen - + Advanced Erweitert - - - Preview items when clicked in Media Manager - Objekte in der Vorschau zeigen, wenn sie in -der Medienverwaltung ausgewählt werden - - Browse for an image file to display. - Wählen Sie die Bild-Datei aus, die angezeigt werden soll. - - - - Revert to the default OpenLP logo. - Standard-Logo wiederherstellen. - - - Default Service Name Voreingestellter Ablaufname - + Enable default service name Ablaufnamen vorschlagen - + Date and Time: Zeitpunkt: - + Monday Montag - + Tuesday Dienstag - + Wednesday Mittwoch - + Friday Freitag - + Saturday Samstag - + Sunday Sonntag - + Now Jetzt - + Time when usual service starts. Übliche Uhrzeit. - + Name: Name: - + Consult the OpenLP manual for usage. Verwendungsdetails sind im Handbuch zu finden. - - Revert to the default service name "%s". - Auf den vorgegebenen Ablaufnahmen »%s« zurücksetzen. - - - + Example: Beispiel: - + Bypass X11 Window Manager Fenstermanager X11 umgehen - + Syntax error. Syntaxfehler. - + Data Location Pfad für Datenablage: - + Current path: Aktueller Pfad: - + Custom path: Benutzerdefinierter Pfad: - + Browse for new data file location. Pfad für Datenablage wählen. - + Set the data location to the default. Pfad für Datenablage zurücksetzen. - + Cancel Abbruch - + Cancel OpenLP data directory location change. Aktuelle Änderungen verwerfen. - + Copy data to new location. Existierende Daten kopieren. - + Copy the OpenLP data files to the new location. Existierende Daten kopieren. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>Warnung:</strong>Der neue Datenpfad enthält bereits Daten. Diese Daten werden während des Kopiervorganges ersetzt. - - Data Directory Error - Fehler im Daten Ordner - - - + Select Data Directory Location Bitte wählen Sie Pfad des Daten Ordners - + Confirm Data Directory Change Bitte bestätigen Sie die Änderung des Daten Ordners - + Reset Data Directory Daten Ordner zurücksetzen - + Overwrite Existing Data Existierende Daten überschreiben - - 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. - Das OpenLP Daten Verzeichnis konnte nicht gefunden werden⏎ ⏎%s⏎ ⏎Befindet sich dieses Verzeichnis auf einem Wechseldatenträger, aktivieren Sie dieses bitte.⏎ ⏎Wählen Sie "Nein" um den Start von OpenLP abzubrechen, um das Problem zu beheben. Wählen Sie "Ja" um das Daten Verzeichnis auf seinen Auslieferungzustand zurück zu setzen. - - - - 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. - Sollen die OpenLP Daten wirklich in folgendem Verzeichnis abgelegt werden:⏎ ⏎%s⏎ ⏎ Das Datenverzeichnis wird geändert, wenn OpenLP geschlossen wird. - - - + Thursday Donnerstag - + Display Workarounds Display-Workarounds - + Use alternating row colours in lists Abwechselnde Zeilenfarben in Listen verwenden - - 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? - Warnung: -Das Verzeichnis, das Sie ausgewählt haben - -%s - -beinhaltet Dateien von OpenLP. Möchten Sie diese mit den aktuellen Daten ersetzen? - - - + Restart Required Neustart erforderlich - + This change will only take effect once OpenLP has been restarted. Diese Änderung wird erst wirksam, wenn Sie OpenLP neustarten. - + 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. @@ -2933,11 +2744,143 @@ This location will be used after OpenLP is closed. Dieser Ort wird beim nächsten Start benutzt. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + Deaktiviert + + + + When changing slides: + Beim Wechseln der Folien: + + + + Do not auto-scroll + Nicht automatisch weiter-zappen + + + + Auto-scroll the previous slide into view + Automatisch die vorherige Folie in der Vorschau anzeigen + + + + Auto-scroll the previous slide to top + Automatisch die vorherige Folie nach oben scrollen + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + Automatisch die aktuelle Folie in der Vorschau anzeigen + + + + Auto-scroll the current slide to top + Automatisch die aktuelle Folie nach oben scrollen + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + Automatisch die aktuelle Folie nach unten scrollen + + + + Auto-scroll the next slide into view + Automatisch die nächste Folie in der Vorschau anzeigen + + + + Auto-scroll the next slide to top + Automatisch die nächste Folie nach oben scrollen + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + Automatisch die nächste Folie nach unten scrollen + + + + Number of recent service files to display: + Anzahl zuletzt geöffneter Abläufe: + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + Objekte bei Doppelklick live anzeigen + + + + Preview items when clicked in Library + Elemente in der Vorschau zeigen, wenn sie in +der Medienverwaltung angklickt werden + + + + Preview items when clicked in Service + + + + + Automatic + automatisch + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klicken Sie, um eine Farbe aus zu wählen. @@ -2945,252 +2888,252 @@ Dieser Ort wird beim nächsten Start benutzt. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digital - + Storage Speicher - + Network Netzwerk - + 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 Speicher 1 - + Storage 2 Speicher 2 - + Storage 3 Speicher 3 - + Storage 4 Speicher 4 - + Storage 5 Speicher 5 - + Storage 6 Speicher 6 - + Storage 7 Speicher 7 - + Storage 8 Speicher 8 - + Storage 9 Speicher 9 - + Network 1 Netzwerk 1 - + Network 2 Netzwerk 2 - + Network 3 Netzwerk 3 - + Network 4 Netzwerk 4 - + Network 5 Netzwerk 5 - + Network 6 Netzwerk 6 - + Network 7 Netzwerk 7 - + Network 8 Netzwerk 8 - + Network 9 Netzwerk 9 @@ -3198,63 +3141,74 @@ Dieser Ort wird beim nächsten Start benutzt. OpenLP.ExceptionDialog - + Error Occurred Fehler aufgetreten - + Send E-Mail E-Mail senden - + Save to File In Datei speichern - + Attach File Datei einhängen - - - Description characters to enter : %s - Mindestens noch %s Zeichen eingeben - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Bitte beschreiben Sie, was Sie getan haben, bevor dieser Fehler auftrat. Wenn möglich, schreiben Sie bitte in Englisch. -(Mindestens 20 Zeichen) - - 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. Also attach any files that triggered the problem. - Ups! OpenLP hat ein Problem und kann es nicht beheben. Der Text im unteren Fenster enthält Informationen, welche möglicherweise hilfreich für die OpenLP Entwickler sind. -Bitte senden Sie eine E-Mail an: bugs@openlp.org mit einer ausführlichen Beschreibung was Sie taten als das Problem auftrat. Bitte fügen Sie außerdem Dateien hinzu, die das Problem auslösten. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Plattform: %s - - - - + Save Crash Report Fehlerprotokoll speichern - + Text files (*.txt *.log *.text) Textdateien (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3295,268 +3249,259 @@ Bitte senden Sie eine E-Mail an: bugs@openlp.org mit einer ausführlichen Beschr 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 konnte 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. - Es wurde keine Internetverbindung erkannt. Um während des erstmaligen Startes von OpenLP Beispiel Lieder, Bibeln und Designs zu installieren ist eine Internetverbindung nötig. Klicken Sie »Abschließen«, um OpenLP nun mit Grundeinstellungen und ohne Beispiel Daten zu starten. - -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. Während des Herunterladens trat ein Verbindungsfehler auf, daher wird das Herunterladen weiterer Dateien übersprungen. Versuchen Sie den Erstinstallations Assistenten später erneut zu starten. - - 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. Während des Herunterladens trat ein Verbindungsfehler auf, daher wird das Herunterladen weiterer Dateien übersprungen. Versuchen Sie den Erstinstallations Assistenten später erneut zu starten. - - This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - Dieser Assistent unterstützt Sie bei der Konfiguration von OpenLP für die erste Benutzung. Drücken Sie den %s Knopf weiter unten zum Start - - - - - -To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - Um den Einrichtungsassistenten zu unterbrechen (und OpenLP nicht zu starten), bitte »%s« klicken. - - - - - + Downloading Resource Index Ressourcen-Index wird heruntergeladen - + Please wait while the resource index is downloaded. Bitte warten Sie, während der Ressourcen-Index heruntergeladen wird. - + Please wait while OpenLP downloads the resource index file... Bitte warten Sie, während OpenLP die Ressourcen-Index-Datei herunterlädt... - + Downloading and Configuring Herunterladen und Konfigurieren - + Please wait while resources are downloaded and OpenLP is configured. Bitte warten Sie, während die Ressourcen heruntergeladen und OpenLP konfiguriert wird. - + Network Error Netzwerkfehler - + There was a network error attempting to connect to retrieve initial configuration information Es trat ein Netzwerkfehler beim Laden der initialen Konfiguration auf - - Cancel - Abbruch - - - + Unable to download some files Einige Dateien konnten nicht heruntergeladen werden + + + Select parts of the program you wish to use + Wählen Sie die Teile des Programms aus, die Sie nutzen wollen. + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + Bibeln – Importieren und anzeigen von Bibeln + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + Präsentation – .ppt, .odp und .pdf-Dateien anzeigen + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3599,44 +3544,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML hier> - + Validation Error Validierungsfehler - + Description is missing Beschreibung fehlt - + Tag is missing Formatvorlage fehlt - Tag %s already defined. - Tag »%s« bereits definiert. + Tag {tag} already defined. + - Description %s already defined. - Beschreibung »%s« bereits definiert. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Der Start-Tag %s ist kein gültiges HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Der End-Tag %(end)s stimmt nicht mit dem Start-Tag %(start)s überein. + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3725,170 +3675,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General Allgemein - + Monitors Bildschirme - + Select monitor for output display: Projektionsbildschirm: - + Display if a single screen Anzeige bei nur einem Bildschirm - + Application Startup Programmstart - + Show blank screen warning Warnung wenn Projektion deaktiviert wurde - - Automatically open the last service - Zuletzt benutzten Ablauf beim Start laden - - - + Show the splash screen Zeige den Startbildschirm - + Application Settings Anwendungseinstellungen - + Prompt to save before starting a new service Geänderte Abläufe nicht ungefragt ersetzen - - Automatically preview next item in service - Vorschau des nächsten Ablaufelements - - - + sec sek - + CCLI Details CCLI-Details - + SongSelect username: SongSelect-Benutzername: - + SongSelect password: SongSelect-Passwort: - + X X - + Y Y - + Height Höhe - + Width Breite - + Check for updates to OpenLP OpenLP auf Updates überprüfen - - Unblank display when adding new live item - Neues Element hellt Anzeige automatisch auf - - - + Timed slide interval: Automatischer Folienwechsel: - + Background Audio Hintergrundton - + Start background audio paused Starte Hintergrundmusik pausiert - + Service Item Slide Limits Navigation in Folienkontrollfeld - + Override display position: Anzeigeposition überschreiben: - + Repeat track list Abspielliste wiederholen - + Behavior of next/previous on the last/first slide: Verhalten von "Vorherige/Nächste Folie" bei letzter Folie: - + &Remain on Slide &Halte - + &Wrap around &Umlauf - + &Move to next/previous service item &Nächstes/vorheriges Ablaufelement + + + Logo + Logo + + + + Logo file: + Logo-Datei: + + + + Browse for an image file to display. + Wählen Sie die Bild-Datei aus, die angezeigt werden soll. + + + + Revert to the default OpenLP logo. + Standard-Logo wiederherstellen. + + + + Don't show logo on startup + Beim Programmstart kein Logo anzeigen + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Sprache - + Please restart OpenLP to use your new language setting. Bitte starten Sie OpenLP neu, um die neue Spracheinstellung zu verwenden. @@ -3896,7 +3876,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP-Anzeige @@ -3904,352 +3884,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainWindow - + &File &Datei - + &Import &Importieren - + &Export &Exportieren - + &View &Ansicht - - M&ode - An&sichtsmodus - - - + &Tools E&xtras - + &Settings &Einstellungen - + &Language &Sprache - + &Help &Hilfe - - Service Manager - Ablaufverwaltung - - - - Theme Manager - Designverwaltung - - - + Open an existing service. Einen vorhandenen Ablauf öffnen. - + Save the current service to disk. Den aktuellen Ablauf speichern. - + Save Service As Den aktuellen Ablauf unter einem neuen Namen speichern - + Save the current service under a new name. Den aktuellen Ablauf unter einem neuen Namen speichern. - + E&xit &Beenden - - Quit OpenLP - OpenLP beenden - - - + &Theme &Design - + &Configure OpenLP... &Einstellungen... - - &Media Manager - &Medienverwaltung - - - - Toggle Media Manager - Die Medienverwaltung ein- bzw. ausblenden - - - - Toggle the visibility of the media manager. - Die Medienverwaltung ein- bzw. ausblenden. - - - - &Theme Manager - &Designverwaltung - - - - Toggle Theme Manager - Die Designverwaltung ein- bzw. ausblenden - - - - Toggle the visibility of the theme manager. - Die Designverwaltung ein- bzw. ausblenden. - - - - &Service Manager - &Ablaufverwaltung - - - - Toggle Service Manager - Die Ablaufverwaltung ein- bzw. ausblenden - - - - Toggle the visibility of the service manager. - Die Ablaufverwaltung ein- bzw. ausblenden. - - - - &Preview Panel - &Vorschau-Ansicht - - - - Toggle Preview Panel - Die Vorschau ein- bzw. ausblenden - - - - Toggle the visibility of the preview panel. - Die Vorschau ein- bzw. ausschalten. - - - - &Live Panel - &Live-Ansicht - - - - Toggle Live Panel - Die Live Ansicht ein- bzw. ausschalten - - - - Toggle the visibility of the live panel. - Die Live Ansicht ein- bzw. ausschalten. - - - - List the Plugins - Erweiterungen verwalten - - - - &User Guide - Benutzer&handbuch - - - + &About &Info über OpenLP - - More information about OpenLP - Mehr Informationen über OpenLP - - - - &Online Help - &Online Hilfe - - - + &Web Site &Webseite - + Use the system language, if available. Die Systemsprache, sofern diese verfügbar ist, verwenden. - - Set the interface language to %s - Die Sprache von OpenLP auf %s stellen - - - + Add &Tool... Hilfsprogramm hin&zufügen... - + Add an application to the list of tools. Eine Anwendung zur Liste der Hilfsprogramme hinzufügen. - - &Default - &Standard - - - - Set the view mode back to the default. - Den Ansichtsmodus auf Standardeinstellung setzen. - - - + &Setup &Einrichten - - Set the view mode to Setup. - Die Ansicht für die Ablauferstellung optimieren. - - - + &Live &Live - - Set the view mode to Live. - Die Ansicht für den Live-Betrieb optimieren. - - - - 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/. - Version %s von OpenLP ist verfügbar (installierte Version ist %s). - -Sie können die letzte Version auf http://openlp.org abrufen. - - - + OpenLP Version Updated Neue OpenLP Version verfügbar - + OpenLP Main Display Blanked Hauptbildschirm abgedunkelt - + The Main Display has been blanked out Die Projektion ist momentan nicht aktiv. - - Default Theme: %s - Standarddesign: %s - - - + English Please add the name of your language here Deutsch - + Configure &Shortcuts... Konfiguriere &Tastenkürzel... - + Open &Data Folder... Öffne &Datenverzeichnis... - + Open the folder where songs, bibles and other data resides. Öffne das Verzeichnis, wo Lieder, Bibeln und andere Daten gespeichert sind. - + &Autodetect &Automatisch - + Update Theme Images Aktualisiere Design Bilder - + Update the preview images for all themes. Aktualisiert die Vorschaubilder aller Designs. - + Print the current service. Drucke den aktuellen Ablauf. - - L&ock Panels - Ansicht &sperren - - - - Prevent the panels being moved. - Unterbindet das Bewegen der Leisten. - - - + Re-run First Time Wizard Einrichtungsassistent starten - + Re-run the First Time Wizard, importing songs, Bibles and themes. Einrichtungsassistent erneut starten um Beispiel-Lieder, Bibeln und Designs zu importieren. - + Re-run First Time Wizard? Einrichtungsassistent starten? - + 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. @@ -4258,107 +4074,68 @@ 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. - + Configure &Formatting Tags... Konfiguriere &Formatvorlagen... - - Export OpenLP settings to a specified *.config file - Exportiere OpenLPs Einstellungen in ein *.config-Datei. - - - + Settings Einstellungen - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importiere OpenLPs Einstellungen aus ein *.config-Datei, die vorher an diesem oder einem anderen Computer exportiert wurde. - - - + Import settings? Importiere Einstellungen? - - Open File - Ablauf öffnen - - - - OpenLP Export Settings Files (*.conf) - OpenLP Einstellungsdatei (*.conf) - - - + Import settings Importiere Einstellungen - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP wird nun geschlossen. Importierte Einstellungen werden bei dem nächsten Start übernommen. - + Export Settings File Exportiere Einstellungsdatei - - OpenLP Export Settings File (*.conf) - 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 - OpenLP Datenverzeichnis Kopievorgang ist fehlgeschlagen - -%s - - - + General Allgemein - + Library Bibliothek - + Jump to the search box of the current active plugin. Zum Suchfeld der aktiven Erweiterung springen. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4371,7 +4148,7 @@ Wenn Sie die Einstellungen importieren, machen Sie unwiderrufliche Änderungen a Fehlerhafte Einstellungen können zu Fehlern oder Abstürzen führen. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4380,191 +4157,370 @@ Processing has terminated and no changes have been made. Der Import wurde abgebrochen und es wurden keine Änderungen gemacht. - - Projector Manager - Projektorverwaltung - - - - Toggle Projector Manager - Die Projektorverwaltung ein- bzw. ausblenden - - - - Toggle the visibility of the Projector Manager - Die Projektorverwaltung ein- bzw. ausblenden - - - + Export setting error Fehler beim Exportieren der Einstellungen - - The key "%s" does not have a default value so it will be skipped in this export. - Der Schlüssel „%s“ hat keinen Standardwert, deshalb wird er beim Exportieren übersprungen. - - - - An error occurred while exporting the settings: %s - Folgender Fehler trat beim Exportieren der Einstellungen auf: %s - - - + &Recent Services &Zuletzt geöffnete Abläufe - + &New Service &Neuer Ablauf - + &Open Service Ablauf &öffnen - + &Save Service Ablauf &speichern - + Save Service &As... Ablauf speichern &unter... - + &Manage Plugins Plugins &verwalten - + Exit OpenLP OpenLP beenden - + Are you sure you want to exit OpenLP? Soll OpenLP wirklich beendet werden? - + &Exit OpenLP OpenLP &beenden + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + Standarddesign: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Ablauf + + + + Themes + Designs + + + + Projectors + Projektoren + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + &Designs + + + + Hide or show themes + Designs anzeigen oder verbergen + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + + 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 - Die Datenbank die versucht wird zu laden, wurde in einer neueren Version von OpenLP erstellt. Die Datenbank hat die Version %d, wobei OpenLP die Version %d erwartet. Die Datenkbank wird nicht geladen. - -Datenbank: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP kann die Datenbank nicht laden. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Datenbank: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Keine Elemente ausgewählt. - + &Add to selected Service Item Zum &gewählten Ablaufelement hinzufügen - + You must select one or more items to preview. Zur Vorschau muss mindestens ein Elemente auswählt sein. - + You must select one or more items to send live. Zur Live Anzeige muss mindestens ein Element ausgewählt sein. - + You must select one or more items. Es muss mindestens ein Element ausgewählt sein. - + You must select an existing service item to add to. Sie müssen ein vorhandenes Ablaufelement auswählen. - + Invalid Service Item Ungültiges Ablaufelement - - You must select a %s service item. - Sie müssen ein %s-Element im Ablaufs wählen. - - - + You must select one or more items to add. Sie müssen ein oder mehrer Element auswählen. - - No Search Results - Kein Suchergebnis - - - + Invalid File Type Ungültige Dateiendung - - Invalid File %s. -Suffix not supported - Ungültige Datei %s. -Dateiendung nicht unterstützt. - - - + &Clone &Klonen - + Duplicate files were found on import and were ignored. Duplikate wurden beim Importieren gefunden und wurden ignoriert. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Ein <lyrics>-Tag fehlt. - + <verse> tag is missing. Ein <verse>-Tag fehlt. @@ -4572,22 +4528,22 @@ Dateiendung nicht unterstützt. OpenLP.PJLink1 - + Unknown status Unbekannter Status - + No message Keine Meldung - + Error while sending data to projector Fehler während der Datenübertragung zum Projektor - + Undefined command: Unbekanntes Kommando: @@ -4595,32 +4551,32 @@ Dateiendung nicht unterstützt. OpenLP.PlayerTab - + Players Mediaplayer - + Available Media Players Verfügbare Mediaplayer - + Player Search Order Mediaplayer Suchreihenfolge - + Visible background for videos with aspect ratio different to screen. Sichtbarer Hintergrund für Videos mit einem anderen Seitenverhältnis als die Anzeige. - + %s (unavailable) %s (nicht verfügbar) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" Achtung: Um VCL zu benutzen, müssen Sie die %s-Version installieren. @@ -4629,55 +4585,50 @@ Dateiendung nicht unterstützt. OpenLP.PluginForm - + Plugin Details Erweiterungsdetails - + Status: Status: - + Active aktiv - - Inactive - inaktiv - - - - %s (Inactive) - %s (inaktiv) - - - - %s (Active) - %s (aktiv) + + Manage Plugins + Plugins verwalten - %s (Disabled) - %s (deaktiviert) + {name} (Disabled) + - - Manage Plugins - Plugins verwalten + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Auf Seite einpassen - + Fit Width An Breite anpassen @@ -4685,77 +4636,77 @@ Dateiendung nicht unterstützt. OpenLP.PrintServiceForm - + Options Optionen - + Copy Kopieren - + Copy as HTML Als HTML kopieren - + Zoom In Heranzoomen - + Zoom Out Wegzoomen - + Zoom Original Original Zoom - + Other Options Andere Optionen - + Include slide text if available Drucke Folientext wenn verfügbar - + Include service item notes Drucke Element-Notizen - + Include play length of media items Drucke Spiellänge von Medien Elementen - + Add page break before each text item Einen Seitenumbruch nach jedem Text-Element einfügen - + Service Sheet Ablauf - + Print Drucken - + Title: Titel: - + Custom Footer Text: Ablaufnotizen: @@ -4763,257 +4714,257 @@ Dateiendung nicht unterstützt. OpenLP.ProjectorConstants - + OK OK - + General projector error Allgemeiner Projektor Fehler - + Not connected error Fehler: Nicht verbunden - + Lamp error Lampen Fehler - + Fan error Lüfter Fehler - + High temperature detected Übertemperatur festgestellt - + Cover open detected Gehäuse offen festgestellt - + Check filter Bitte Filter prüfen - + Authentication Error Authentifizierungsfehler - + Undefined Command Unbekanntes Kommando - + Invalid Parameter Ungültiger Parameter - + Projector Busy Projektor beschäftigt - + Projector/Display Error Projektor/Anzeige Fehler - + Invalid packet received Ungültiges Datenpaket empfangen - + Warning condition detected Alarmbedingung erkannt - + Error condition detected Fehlerbedingung erkannt - + PJLink class not supported Die PJLink-Klasse wird nicht unterstützt - + Invalid prefix character Ungültiger Prefix-Buchstabe - + The connection was refused by the peer (or timed out) Die Verbindung wurde vom Peer abgelehnt (oder sie wurde unterbrochen) - + The remote host closed the connection Die Verbindung wurde am anderen Rechner getrennt. - + The host address was not found Die Hostadresse wurde nicht gefunden - + The socket operation failed because the application lacked the required privileges Die Socketoperation konnte nicht ausgeführt werden, da die nötigen Rechte fehlen. - + The local system ran out of resources (e.g., too many sockets) Das lokale System hat nicht genügend Ressourcen (z.B. zu viele Sockets) - + The socket operation timed out Die Socket-Operation wurde unterbrochen - + The datagram was larger than the operating system's limit Das Datagramm war größer als das Limit des Betriebssystems - + An error occurred with the network (Possibly someone pulled the plug?) Ein Netzwerkfehler ist aufgetreten (vielleicht hat jemand den Stecker gezogen?) - + The address specified with socket.bind() is already in use and was set to be exclusive Die Adresse für socket.bind() ist bereits in Benutzung und ist nur exklusiv nutzbar - + The address specified to socket.bind() does not belong to the host Die Adresse für socket.bind() gehört nicht zu diesem Rechner - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) Die angeforderte Socket-Operation wird nicht vom Betriebssystem unterstützt (z.B. fehlende IPv6 Unterstützung) - + The socket is using a proxy, and the proxy requires authentication Der Socket benutzt einen Proxy, der eine Anmeldung erfordert - + The SSL/TLS handshake failed Der SSL/TLS-Handshake ist fehlgeschlagen - + The last operation attempted has not finished yet (still in progress in the background) Der letzte Vorgang ist noch nicht beendet (er läuft noch im Hintergrund) - + Could not contact the proxy server because the connection to that server was denied Konnte den Proxy Server nicht kontaktieren, da die Verbindung abgewiesen wurde - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) Die Verbindung zum Proxy-Server wurde unerwartet beendet (bevor die Verbindung zum Ziel-Server hergestellt war) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Die Verbindung zum Proxy-Server lief in einen Timeout oder der Proxy-Server antwortet nicht mehr während der Anmeldung - + The proxy address set with setProxy() was not found Die Proxy-Adresse bei setProxy() wurde nicht gefunden - + An unidentified error occurred Unbekannter Fehler - + Not connected Nicht verbunden - + Connecting Verbinde - + Connected Verbunden - + Getting status Status Abfrage - + Off Aus - + Initialize in progress Initialisierungsphase - + Power in standby Standby Modus - + Warmup in progress Aufwärmphase - + Power is on Eingeschaltet - + Cooldown in progress Abkühlphase - + Projector Information available Projektorinformation verfügbar - + Sending data Sende Daten - + Received data Daten Empfangen - + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood Der Verbindungsaufbau zum Proxy-Server ist fehlgeschlagen, da die Antwort des Proxy-Servers nicht verarbeitet werden konnte @@ -5021,17 +4972,17 @@ Dateiendung nicht unterstützt. OpenLP.ProjectorEdit - + Name Not Set Name nicht festgelegt - + You must enter a name for this entry.<br />Please enter a new name for this entry. Dieser Eintrag benötigt einen Namen.<br />Bitte einen Namen für diesen Eintrag eingeben. - + Duplicate Name Doppelter Name @@ -5039,52 +4990,52 @@ Dateiendung nicht unterstützt. OpenLP.ProjectorEditForm - + Add New Projector Neuen Projektor hinzufügen - + Edit Projector Projektor bearbeiten - + IP Address IP Adresse - + Port Number Port Nummer - + PIN PIN - + Name Name - + Location Ort - + Notes Notizen - + Database Error Datenbankfehler - + There was an error saving projector information. See the log for the error Es gab einen Fehler beim Speichern der Projektorinformation. Mehr Informationen zum Fehler gibt es in der Log-Datei @@ -5092,305 +5043,360 @@ Dateiendung nicht unterstützt. OpenLP.ProjectorManager - + Add Projector Projektor hinzufügen - - Add a new projector - Füge neuen Projektor hinzu - - - + Edit Projector Projektor bearbeiten - - Edit selected projector - Bearbeite den ausgewählten Projektor - - - + Delete Projector Projektor löschen - - Delete selected projector - Lösche den ausgewählten Projektor - - - + Select Input Source Eingangsquelle auswählen - - Choose input source on selected projector - Wähle die Eingangsquelle für ausgewählten Projektor - - - + View Projector Zeige Projektor - - View selected projector information - Zeige Informationen zum ausgewählten Projektor - - - - Connect to selected projector - Verbinde ausgewählten Projektor - - - + Connect to selected projectors Verbindung zu ausgewählten Projektoren herstellen - + Disconnect from selected projectors Verbindung zu ausgewählten Projektoren trennen - + Disconnect from selected projector Trenne ausgewählten Projektor - + Power on selected projector Schalte ausgewählten Projektor ein - + Standby selected projector Standby für ausgewählten Projektor - - Put selected projector in standby - Ausgewählten Projektor in Standy schalten - - - + Blank selected projector screen Ausgewählten Projektor abdunkeln - + Show selected projector screen Ausgewählten Projektor anzeigen - + &View Projector Information &V Projektorinformation anzeigen - + &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 - + &Blank Projector Screen &B Projektion abdunkeln - + &Show Projector Screen &S Projektion anzeigen - + &Delete Projector &Lösche Projektor - + Name Name - + IP IP - + Port Port - + Notes Notizen - + Projector information not available at this time. Derzeit keine Projektorinformation verfügbar. - + Projector Name Projektor Name - + Manufacturer Hersteller - + Model Modell - + Other info Andere Informationen - + Power status Stromversorgungsstatus - + Shutter is Rolladen - + Closed Geschlossen - + Current source input is Aktuell gewählter Eingang ist - + Lamp Lampe - - On - An - - - - Off - Aus - - - + Hours Stunden - + No current errors or warnings Keine aktuellen Fehler oder Warnungen - + Current errors/warnings Aktuelle Fehler/Warnungen - + Projector Information Projektorinformation - + No message Keine Meldung - + Not Implemented Yet Derzeit nicht implementiert - - Delete projector (%s) %s? - Projektor löschen (%s) %s? - - - + Are you sure you want to delete this projector? Soll dieser Projektor wirklich gelöscht werden? + + + Add a new projector. + Neuen Projektor hinzufügen + + + + Edit selected projector. + Bearbeite den ausgewählten Projektor. + + + + Delete selected projector. + Lösche den ausgewählten Projektor. + + + + Choose input source on selected projector. + Wähle die Eingangsquelle für den ausgewählten Projektor. + + + + View selected projector information. + Zeige Informationen zum ausgewählten Projektor. + + + + Connect to selected projector. + Verbinde ausgewählten Projektor. + + + + Connect to selected projectors. + Verbinde mit ausgewählten Projektoren. + + + + Disconnect from selected projector. + Trenne den ausgewählten Projektor. + + + + Disconnect from selected projectors. + Trenne die ausgewählte Projektoren. + + + + Power on selected projector. + Schalte ausgewählten Projektor ein. + + + + Power on selected projectors. + Schalte ausgewählte Projektoren ein. + + + + Put selected projector in standby. + Ausgewählten Projektor in Standby schalten. + + + + Put selected projectors in standby. + Ausgewählte Projektoren in Standby schalten. + + + + Blank selected projectors screen + Ausgewählte Projektoren abdunkeln + + + + Blank selected projectors screen. + Ausgewählte Projektoren abdunkeln. + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + eingeschaltet + + + + is off + ausgeschaltet + + + + Authentication Error + Authentifizierungsfehler + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Lüfter - + Lamp Lampe - + Temperature Temperatur - + Cover Deckblatt - + Filter Filter - + Other Anderes @@ -5436,17 +5442,17 @@ Dateiendung nicht unterstützt. OpenLP.ProjectorWizard - + Duplicate IP Address Doppelte IP-Adresse - + Invalid IP Address Ungültige IP Adresse - + Invalid Port Number Ungültige Port Nummer @@ -5459,27 +5465,27 @@ Dateiendung nicht unterstützt. Bildschirm - + primary Primär OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Anfang</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Spiellänge</strong>: %s - - [slide %d] - [Folie %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5543,52 +5549,52 @@ Dateiendung nicht unterstützt. Das ausgewählte Element aus dem Ablaufs entfernen. - + &Add New Item &Neues Element hinzufügen - + &Add to Selected Item &Zum gewählten Element hinzufügen - + &Edit Item Element &bearbeiten - + &Reorder Item &Aufnahmeelement - + &Notes &Notizen - + &Change Item Theme &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. @@ -5613,7 +5619,7 @@ Dateiendung nicht unterstützt. Alle Ablaufelemente einklappen. - + Open File Ablauf öffnen @@ -5643,22 +5649,22 @@ Dateiendung nicht unterstützt. Zeige das ausgewählte Element Live. - + &Start Time &Startzeit - + Show &Preview &Vorschau - + Modified Service Modifizierter Ablauf - + The current service has been modified. Would you like to save this service? Der momentane Ablauf wurde modifiziert. Möchten Sie ihn speichern? @@ -5678,27 +5684,27 @@ Dateiendung nicht unterstützt. Spiellänge: - + Untitled Service 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 @@ -5718,146 +5724,145 @@ 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. - + Service File(s) Missing Ablaufdatei(en) fehlen - + &Rename... &Umbenennen… - + Create New &Custom Slide Neue &Sonderfolie erstellen - + &Auto play slides &Folien automatisch abspielen - + Auto play slides &Loop Folien automatisch abspielen (mit &Wiederholung) - + Auto play slides &Once Folien automatisch abspielen (&einmalig) - + &Delay between slides &Pause zwischen Folien - + OpenLP Service Files (*.osz *.oszl) 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 - Folgender Fehler trat beim Schreiben der Service-Datei auf: %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Die folgende(n) Datei(en) fehlen im Ablauf: %s -Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren. + + + + + An error occurred while writing the service file: {error} + @@ -5889,15 +5894,10 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren.Tastenkürzel - + Duplicate Shortcut Belegtes Tastenkürzel - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Das Tastenkürzel »%s« ist bereits einer anderen Aktion zugeordnet. Bitte wählen Sie ein anderes Tastenkürzel. - Alternate @@ -5943,219 +5943,235 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren.Configure Shortcuts Konfiguriere Tastaturkürzel... + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Verbergen - + Go To Gehe zu - - - Blank Screen - Anzeige abdunkeln - - Blank to Theme - Design leeren - - - Show Desktop Desktop anzeigen - + Previous Service Vorheriges Element - + Next Service Nächstes Element - - Escape Item - Folie schließen - - - + Move to previous. Vorherige Folie anzeigen. - + Move to next. Vorherige Folie anzeigen. - + Play Slides Schleife - + Delay between slides in seconds. Verzögerung zwischen den Folien (in Sekunden) - + Move to live. Zur Live Ansicht verschieben. - + Add to Service. Füge zum Ablauf hinzu. - + Edit and reload song preview. Bearbeiten und Vorschau aktualisieren. - + Start playing media. Beginne Wiedergabe. - + Pause audio. Pausiere Musik. - + Pause playing media. Pausiere Wiedergabe. - + Stop playing media. Beende Wiedergabe. - + Video position. Videoposition - + Audio Volume. Lautstärke - + Go to "Verse" Gehe zu »Strophe« - + Go to "Chorus" Gehe zu »Refrain« - + Go to "Bridge" Gehe zu »Bridge« - + Go to "Pre-Chorus" Gehe zu »Überleitung« - + Go to "Intro" Gehe zu »Intro« - + Go to "Ending" Gehe zu »Ende« - + Go to "Other" Gehe zu »Anderes« - + Previous Slide Vorherige Folie - + Next Slide Nächste Folie - + Pause Audio Tonausgabe anhalten - + Background Audio Hintergrundton - + Go to next audio track. Zum nächsten Stück gehen. - + Tracks Stücke + + + Loop playing media. + + + + + Video timer. + Video-Timer. + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source Wähle Projektor Quelle - + Edit Projector Source Text Wähle Projektor Quelle - + Ignoring current changes and return to OpenLP Änderungen verwerfen und zu OpenLP zurückkehren - + Delete all user-defined text and revert to PJLink default text Lösche den benutzerdefinieren Text und stelle den Standardtext wieder her. - + Discard changes and reset to previous user-defined text Änderungen verwerfen und vorherigen benutzerdefinierten Text verwenden - + Save changes and return to OpenLP Änderungen speichern und zu OpenLP zurückkehren - + Delete entries for this projector Eingaben dieses Projektors löschen - + Are you sure you want to delete ALL user-defined source input text for this projector? Sind Sie sicher, dass sie ALLE benutzerdefinieren Quellen für diesen Projektor löschen wollen? @@ -6163,17 +6179,17 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren. OpenLP.SpellTextEdit - + Spelling Suggestions Rechtschreibvorschläge - + Formatting Tags Formatvorlagen - + Language: Sprache: @@ -6252,7 +6268,7 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren. OpenLP.ThemeForm - + (approximately %d lines per slide) (ungefähr %d Zeilen pro Folie) @@ -6260,523 +6276,531 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren. OpenLP.ThemeManager - + Create a new theme. Erstelle ein neues Design. - + Edit Theme Bearbeite Design - + Edit a theme. Ein bestehendes Design bearbeiten. - + Delete Theme Lösche Design - + Delete a theme. Ein Design löschen. - + Import Theme Importiere Design - + Import a theme. Ein Design aus einer Datei importieren. - + Export Theme Exportiere Design - + Export a theme. Ein Design in eine Datei exportieren. - + &Edit Theme Design &bearbeiten - + &Delete Theme &Lösche Design - + Set As &Global Default Als &globalen Standard setzen - - %s (default) - %s (Standard) - - - + You must select a theme to edit. 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. - + 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 - + Select Theme Import File OpenLP Designdatei importieren - + File is not a valid theme. Diese Datei ist keine gültige OpenLP Designdatei. - + &Copy Theme Design &kopieren - + &Rename Theme Design &umbenennen - + &Export Theme Design &exportieren - + You must select a theme to rename. Es ist kein Design zur Umbenennung ausgewählt. - + Rename Confirmation Umbenennung bestätigen - + Rename %s theme? Soll das Design »%s« wirklich umbenennt werden? - + You must select a theme to delete. Es ist kein Design zum Löschen ausgewählt. - + Delete Confirmation Löschbestätigung - + Delete %s theme? 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. - - Copy of %s - Copy of <theme name> - 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 - Der Design-Export schlug fehl, weil dieser Fehler auftrat: %s - - - + OpenLP Themes (*.otz) OpenLP Designs (*.otz) - - %s time(s) by %s - %s Mal von %s - - - + Unable to delete theme Es ist nicht möglich das Design zu löschen + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Das Design wird momentan benutzt - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Designassistent - + Welcome to the Theme Wizard Willkommen beim Designassistenten - + Set Up Background Hintergrund einrichten - + Set up your theme's background according to the parameters below. Der Designhintergrund wird anhand der Parameter unten eingerichtet. - + Background type: Hintergrundart: - + Gradient Farbverlauf - + Gradient: Verlauf: - + Horizontal horizontal - + Vertical vertikal - + Circular radial - + Top Left - Bottom Right diagonal abwärts - + Bottom Left - Top Right diagonal aufwärts - + Main Area Font Details Schriftschnitt und -farbe - + Define the font and display characteristics for the Display text Die Schrift und die Anzeigeeigenschaften für die Hauptanzeigefläche einrichten - + Font: Schriftart: - + Size: Schriftgröße: - + Line Spacing: Zeilenabstand: - + &Outline: &Umrandung: - + &Shadow: S&chatten: - + Bold Fett - + Italic Kursiv - + Footer Area Font Details Fußzeile einrichten - + Define the font and display characteristics for the Footer text Die Schrift und die Anzeigeeigenschaften für die Fußzeile einrichten - + Text Formatting Details Weitere Formatierung - + Allows additional display formatting information to be defined Hier können zusätzliche Anzeigeeigenschaften eingerichtet werden. - + Horizontal Align: Horizontale Ausrichtung: - + Left links - + Right rechts - + Center zentriert - + Output Area Locations Anzeigeflächen - + &Main Area &Hauptanzeigefläche - + &Use default location &Automatisch positionieren - + X position: Von links: - + px px - + Y position: Von oben: - + Width: Breite: - + Height: Höhe: - + Use default location Automatisch positionieren - + Theme name: Designname: - - Edit Theme - %s - Bearbeite Design - %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. Dieser Assistent hilft Ihnen Designs zu erstellen oder zu bearbeiten. Klicken Sie auf »Weiter« um den Hintergrund einzurichten. - + Transitions: Übergänge: - + &Footer Area &Fußzeile - + Starting color: Startfarbe: - + Ending color: Endfarbe - + Background color: Hintergrundfarbe: - + Justify bündig - + Layout Preview Layout-Vorschau - + Transparent transparent - + Preview and Save Vorschau und Speichern - + Preview the theme and save it. Vorschau des Designs zeigen und speichern. - + Background Image Empty Hintergrundbild fehlt - + Select Image Bild auswählen - + Theme Name Missing Designname fehlt - + There is no name for this theme. Please enter one. Es wurde kein Designname angegeben. Bitte geben Sie eine an. - + Theme Name Invalid Designname ungültig - + Invalid theme name. Please enter one. Ungültiger Designname. Bitte geben Sie einen gültigen Namen ein. - + Solid color Einfache Farbe - + color: Farbe: - + Allows you to change and move the Main and Footer areas. Hier können Sie die Hauptanzeigefläche und die Fußzeile positionieren. - + You have not selected a background image. Please select one before continuing. Sie haben kein Hintergrundbild ausgewählt. Bitte wählen sie eins um fortzufahren. + + + Edit Theme - {name} + + + + + Select Video + Video auswählen + OpenLP.ThemesTab @@ -6859,73 +6883,73 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren.&Vertikale Ausrichtung: - + Finished import. Importvorgang abgeschlossen. - + Format: Format: - + Importing Importieren - + Importing "%s"... »%s« wird importiert... - + Select Import Source Importquelle auswählen - + Select the import format and the location to import from. Wählen Sie das Importformat und das Quellverzeichnis aus. - + Open %s File Öffne %s Datei - + %p% %p% - + Ready. Fertig. - + Starting import... Beginne Import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Sie müssen wenigstens eine %s-Datei zum Importieren auswählen. - + Welcome to the Bible Import Wizard Willkommen beim Bibel Importassistenten - + Welcome to the Song Export Wizard Willkommen beim Lied Exportassistenten - + Welcome to the Song Import Wizard Willkommen beim Lied Importassistenten @@ -6943,7 +6967,7 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren. - © + © Copyright symbol. © @@ -6975,39 +6999,34 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren.XML Syntax Fehler - - Welcome to the Bible Upgrade Wizard - Willkommen zum Aktualisierungsssistent - - - + Open %s Folder Öffne %s Ordner - + You need to specify one %s file to import from. A file type e.g. OpenSong Bitte wählen Sie eine %s Datei, welche importiert werden soll. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Bitte wählen Sie wenigstens einen %s Ordner der importiert werden soll. - + Importing Songs Lieder importieren - + Welcome to the Duplicate Song Removal Wizard Willkommen beim Assistenten zum Entfernen von Liedduplikaten - + Written by Geschrieben von @@ -7017,502 +7036,490 @@ Diese Dateien werden entfernt, wenn Sie mit dem Speichern fortfahren.Autor unbekannt - + About Über - + &Add &Hinzufügen - + Add group Gruppe hinzufügen - + Advanced Erweitert - + All Files Alle Dateien - + Automatic automatisch - + Background Color Hintergrundfarbe - + Bottom unten - + Browse... Durchsuchen... - + Cancel Abbruch - + CCLI number: CCLI-Nummer: - + Create a new service. Erstelle neuen Ablauf. - + Confirm Delete Löschbestätigung - + Continuous Fortlaufend - + Default Standard - + Default Color: Standardfarbe: - + 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. Ablauf %Y-%m-%d %H-%M - + &Delete &Löschen - + Display style: Versangabenformat: - + Duplicate Error Duplikate gefunden - + &Edit &Bearbeiten - + Empty Field Leeres Feld - + Error Fehler - + Export Export - + File Datei - + File Not Found Datei nicht gefunden - - File %s not found. -Please try selecting it individually. - Datei %s nicht gefunden. -Bitte wählen Sie die Dateien einzeln aus. - - - + pt Abbreviated font pointsize unit pt - + Help Hilfe - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Ungültiger Ordner gewählt - + Invalid File Selected Singular Ungültige Datei ausgewählt - + Invalid Files Selected Plural Ungültige Dateien gewählt - + Image Bild - + Import Import - + Layout style: Folienformat: - + Live Live - + Live Background Error Live-Hintergrund Fehler - + Live Toolbar Live-Ansicht - + Load Öffnen - + Manufacturer Singular Hersteller - + Manufacturers Plural Hersteller - + Model Singular Modell - + Models Plural Modelle - + m The abbreviated unit for minutes m - + Middle mittig - + New Neu - + New Service Neuer Ablauf - + New Theme Neues Design - + Next Track Nächstes Stück - + No Folder Selected Singular Kein Ordner ausgewählt - + No File Selected Singular Keine Datei ausgewählt - + No Files Selected Plural Keine Dateien ausgewählt - + No Item Selected Singular Kein Element ausgewählt - + No Items Selected Plural Keine Elemente ausgewählt. - + OpenLP is already running. Do you wish to continue? OpenLP läuft bereits. Möchten Sie trotzdem fortfahren? - + Open service. Öffne einen Ablauf. - + Play Slides in Loop Endlosschleife - + Play Slides to End Schleife bis zum Ende - + Preview 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: - + Preview Toolbar Vorschau-Werkzeugleiste - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Der Live-Hintergund kann nicht ersetzt werden wenn der WebKit-Player deaktiviert ist. @@ -7528,32 +7535,99 @@ Bitte wählen Sie die Dateien einzeln aus. Plural Liederbücher + + + Background color: + Hintergrundfarbe: + + + + Add group. + Gruppe hinzufügen. + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Keine Bibeln verfügbar + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Strophe + + + + Psalm + Psalm + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Kein Suchergebnis + + + + Please type more text to use 'Search As You Type' + + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s und %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, und %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7633,47 +7707,47 @@ Bitte wählen Sie die Dateien einzeln aus. Anzeigen mit: - + File Exists Datei existiert - + A presentation with that filename already exists. Eine Präsentation mit diesem Dateinamen existiert bereits. - + This type of presentation is not supported. Präsentationsdateien dieses Dateiformats werden nicht unterstützt. - - Presentations (%s) - 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. + + Presentations ({text}) + - - The presentation %s no longer exists. - Die Präsentation %s existiert nicht mehr. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + PresentationPlugin.PowerpointDocument - - An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - Ein Fehler in der Powerpoint Integration ist aufgetreten und die Präsentation wird nun gestoppt. Um die Präsentation zu zeigen, muss diese neu gestartet werden. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7683,11 +7757,6 @@ Bitte wählen Sie die Dateien einzeln aus. Available Controllers Verwendete Präsentationsprogramme - - - %s (unavailable) - %s (nicht verfügbar) - Allow presentation application to be overridden @@ -7704,12 +7773,12 @@ Bitte wählen Sie die Dateien einzeln aus. 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. @@ -7720,13 +7789,19 @@ Bitte wählen Sie die Dateien einzeln aus. - Clicking on a selected slide in the slidecontroller advances to next effect. - Ein Klick auf die ausgewählte Folie in der Folien-Leiste führt zum nächsten Effekt / der nächsten Aktion der Präsentation + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Lässt PowerPoint die Größe und Position des Präsentations-Fensters bestimmen (Übergangslösung für das Skalierungs-Problem in Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7768,127 +7843,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 - + Remote Fernsteuerung - + Stage View Bühnenansicht - + Live View Echtzeit-Anzeige @@ -7896,79 +7971,140 @@ Bitte wählen Sie die Dateien einzeln aus. RemotePlugin.RemoteTab - + Serve on IP address: Verfügbar über IP-Adresse: - + Port number: Port-Nummer: - + Server Settings Server-Einstellungen - + Remote URL: Fernsteuerung: - + Stage view URL: Bühnenmonitor: - + Display stage time in 12h format Nutze 12h Format für den Bühnenmonitor - + Android App Android App - + Live view URL: Liveansicht 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. Konnte kein SSL-Zertifikat finden. Der HTTPS-Server wird nicht verfügbar sein solange kein SSL-Zertifikat gefunden werden kann. Bitte lesen Sie das Benutzerhandbuch für mehr Informationen. - + User Authentication Benutzerauthentifizierung - + User id: Benutzername: - + Password: Passwort: - + Show thumbnails of non-text slides in remote and stage view. Vorschaubilder für Folien ohne Text in der Fernsteuerung und auf dem Bühnenmonitor anzeigen. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Scannen Sie den QR-Code oder <a href="%s">laden</a> Sie die Android-App von Google Play herunter. + + iOS App + iOS-App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Kein Zielverzeichnis angegeben + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Statistik Erstellung + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8009,50 +8145,50 @@ Bitte wählen Sie die Dateien einzeln aus. Setzt die Protokollierung aus. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Liedernutzungs-Protokollierungs-Erweiterung</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 @@ -8120,24 +8256,10 @@ Alle Daten, die vor diesem Datum aufgezeichnet wurden, werden permanent gelösch Zielverzeichnis - - usage_detail_%s_%s.txt - Aufrufprotokoll_%s_%s.txt - - - + Report Creation Statistik Erstellung - - - Report -%s -has been successfully created. - Bericht -%s -wurde erfolgreich erstellt. - Output Path Not Selected @@ -8151,14 +8273,26 @@ Please select an existing path on your computer. Bitte geben Sie einen gültigen Pfad an. - + Report Creation Failed Fehler beim Erstellen des Berichts - - An error occurred while creating the report: %s - Folgender Fehler trat beim Erstellen des Berichts auf: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8174,102 +8308,102 @@ Bitte geben Sie einen gültigen Pfad an. Lieder importieren. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Liedtext-Erweiterung</strong><br />Diese Erweiterung 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... - + Arabic (CP-1256) Arabisch (CP-1256) - + Baltic (CP-1257) Baltisch (CP-1257) - + Central European (CP-1250) Zentraleuropäisch (CP-1250) - + Cyrillic (CP-1251) Kyrillisch (CP-1251) - + Greek (CP-1253) Griechisch (CP-1253) - + Hebrew (CP-1255) Hebräisch (CP-1255) - + Japanese (CP-932) Japanisch (CP-932) - + Korean (CP-949) Koreanisch (CP-949) - + Simplified Chinese (CP-936) Chinesisch, vereinfacht (CP-936) - + Thai (CP-874) Thailändisch (CP-874) - + Traditional Chinese (CP-950) Chinesisch, traditionell (CP-950) - + Turkish (CP-1254) Türkisch (CP-1254) - + Vietnam (CP-1258) Vietnamesisch (CP-1258) - + Western European (CP-1252) Westeuropäisch (CP-1252) - + Character Encoding Zeichenkodierung - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8279,26 +8413,26 @@ Gewöhnlich ist die vorausgewählte Einstellung korrekt. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Bitte wählen sie die Zeichenkodierung. Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich. - + Song name singular Lied - + Songs name plural Lieder - + Songs container title Lieder @@ -8309,37 +8443,37 @@ Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich.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 @@ -8354,15 +8488,30 @@ Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich.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. + + + Songs + Lieder + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8448,62 +8597,66 @@ Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Verwaltet durch %s - - - - "%s" could not be imported. %s - „%s“ konnte nicht importiert werden. -%s - - - + Unexpected data formatting. Unerwartete Datenformatierung. - + No song text found. Kein Liedtext gefunden. - + [above are Song Tags with notes imported from EasyWorship] [Dies sind Tags und Notizen, die aus EasyWorship importiert wurden] - + This file does not exist. Diese Datei existiert nicht. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Konnte die Datei „Songs.MB“ nicht finden. Sie muss in dem selben Ordner wie die „Songs.DB“-Datei sein. - + This file is not a valid EasyWorship database. Diese Datei ist keine gültige EasyWorship Datenbank. - + Could not retrieve encoding. Konnte die Zeichenkodierung nicht feststellen. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Metadaten - + Custom Book Names Benutzerdefinierte Büchernamen @@ -8586,57 +8739,57 @@ Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich.Design, Copyright && Kommentare - + Add Author Autor hinzufügen - + This author does not exist, do you want to add them? Dieser Autor existiert nicht. Soll er zur Datenbank hinzugefügt werden? - + This author is already in the list. Dieser Autor ist bereits vorhanden. - + 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. Es wurde kein gültiger Autor ausgewählt. Bitte wählen Sie einen Autor aus der Liste oder geben Sie einen neuen Autor ein und drücken die Schaltfläche »Autor hinzufügen«. - + Add Topic Thema hinzufügen - + This topic does not exist, do you want to add it? Dieses Thema existiert nicht. Soll es zur Datenbank hinzugefügt werden? - + This topic is already in the list. Dieses Thema ist bereits vorhanden. - + 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. Es wurde kein gültiges Thema ausgewählt. Bitte wählen Sie ein Thema aus der Liste oder geben Sie ein neues Thema ein und drücken die Schaltfläche »Thema hinzufügen«. - + You need to type in a song title. Ein Liedtitel muss angegeben sein. - + You need to type in at least one verse. Mindestens ein Vers muss angegeben sein. - + You need to have an author for this song. Das Lied benötigt mindestens einen Autor. @@ -8661,7 +8814,7 @@ Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich.&Alle Entfernen - + Open File(s) Datei(en) öffnen @@ -8676,14 +8829,7 @@ Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich.<strong>Achtung:</strong> Sie haben keine Versfolge eingegeben. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Es gibt keinen Vers, der "%(invalid)s" entspricht. Gültige Eingaben sind %(valid)s. -Bitte geben Sie die Verse mit Leerzeichen getrennt ein. - - - + Invalid Verse Order Ungültige Versfolge @@ -8693,22 +8839,15 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. Autortyp &bearbeiten - + Edit Author Type Autortyp bearbeiten - + Choose type for this author Wählen Sie den Typ für diesen Autor - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Es gibt keine Verse, die "%(invalid)s" entsprechen. Gültige Eingaben sind %(valid)s. -Bitte geben Sie die Verse mit Leerzeichen getrennt ein. - &Manage Authors, Topics, Songbooks @@ -8730,45 +8869,71 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. Autoren, Themen && Liederbücher - + Add Songbook Zum Liederbuch hinzufügen - + This Songbook does not exist, do you want to add it? Dieses Liederbuch existiert nicht, möchten Sie es erstellen? - + This Songbook is already in the list. Dieses Liederbuch ist bereits in der Liste. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Es wurde kein gültiges Liederbuch ausgewählt. Bitte wählen Sie ein Liederbuch aus der Liste oder geben Sie ein neues Liederbuch ein und drücken die Schaltfläche »Liederbuch hinzufügen«. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Vers bearbeiten - + &Verse type: &Verstyp: - + &Insert &Einfügen - + Split a slide into two by inserting a verse splitter. Füge den Verstyp ein. @@ -8781,77 +8946,77 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. Lied Exportassistent - + Select Songs Lieder auswählen - + Check the songs you want to export. Wählen Sie die Lieder aus, die Sie exportieren wollen. - + Uncheck All Alle abwählen - + Check All Alle auswählen - + Select Directory Zielverzeichnis auswählen - + Directory: Verzeichnis: - + Exporting Exportiere - + Please wait while your songs are exported. Bitte warten Sie, während die Lieder exportiert werden. - + You need to add at least one Song to export. Sie müssen wenigstens ein Lied zum Exportieren auswählen. - + No Save Location specified Kein Zielverzeichnis angegeben - + Starting export... Beginne mit dem Export... - + You need to specify a directory. Sie müssen ein Verzeichnis angeben. - + Select Destination Folder Zielverzeichnis wählen - + Select the directory where you want the songs to be saved. Geben Sie das Zielverzeichnis an. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Mit diesem Assistenten können Sie Ihre Lieder in das offene <strong>OpenLyrics</strong>-Format exportieren. @@ -8859,7 +9024,7 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Ungültige Foilpresenter-Datei. Es wurden keine Verse gefunden. @@ -8867,7 +9032,7 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. SongsPlugin.GeneralTab - + Enable search as you type Während dem Tippen suchen @@ -8875,7 +9040,7 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Präsentationen/Textdokumente auswählen @@ -8885,238 +9050,253 @@ Bitte geben Sie die Verse mit Leerzeichen getrennt ein. Lied Importassistent - + 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. Dieser Assistent hilft Ihnen Liedtexte aus verschiedenen Formaten zu importieren. Klicken Sie auf »Weiter« um das Quellformat auszuwählen, aus dem Sie importieren möchten. - + Generic Document/Presentation Präsentation/Textdokument - + Add Files... Hinzufügen... - + Remove File(s) Entfernen - + Please wait while your songs are imported. Die Liedtexte werden importiert. Bitte warten. - + Words Of Worship Song Files »Words of Worship« Lieddateien - + Songs Of Fellowship Song Files Songs Of Fellowship Song Dateien - + SongBeamer Files SongBeamer Dateien - + SongShow Plus Song Files SongShow Plus Song Dateien - + Foilpresenter Song Files Foilpresenter Lied-Dateien - + Copy Kopieren - + Save to File In Datei speichern - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Der Songs of Fellowship importer wurde deaktiviert, weil OpenLP nicht OpenOffice oder LibreOffice öffnen konnte. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Der Präsentation/Textdokument importer wurde deaktiviert, weil OpenLP nicht OpenOffice oder LibreOffice öffnen konnte. - + OpenLyrics Files »OpenLyrics« Datei - + CCLI SongSelect Files CLI SongSelect Dateien - + EasySlides XML File EasySlides XML Datei - + EasyWorship Song Database EasyWorship Lieddatenbank - + DreamBeam Song Files DreamBeam Lied Dateien - + You need to specify a valid PowerSong 1.0 database folder. Bitte wählen sie einen gültigen PowerSong 1.0 Datenbank Ordner. - + 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>. Bitte konvertieren Sie zuerst die ZionWorx Datenbank in eine CSV Text Datei, wie beschrieben im <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. - + SundayPlus Song Files SundayPlus Lied Dateien - + This importer has been disabled. Dieser Import Typ wurde deaktiviert. - + MediaShout Database Media Shout Datenbestand - + 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. Der Import von MediaShout Datensätzen wird nur unter Windows unterstützt. Er wurde aufgrund fehlender Python Module deaktiviert. Wenn Sie diese Dateien importieren wollen, müssen sie das "pyodbc" Modul installieren. - + SongPro Text Files SongPro Text Dateien - + SongPro (Export File) SongPro (Export Datei) - + In SongPro, export your songs using the File -> Export menu Um in SongPro Dateien zu exportieren, nutzen Sie dort das Menü "Datei -> Export" - + EasyWorship Service File EasyWorship-Ablaufplan - + WorshipCenter Pro Song Files WorshipCenter Pro-Lieddateien - + 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. Der WorshipCenter Pro-Importer wird nur unter Windows standardmäßig unterstützt. Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importer benutzen möchten, installieren Sie das „pyodbc“-Modul. - + PowerPraise Song Files PowerPraise Lieddateien - + PresentationManager Song Files PresentationManager Lieddateien - - ProPresenter 4 Song Files - ProPresenter 4 Lied Dateien - - - + Worship Assistant Files Worship Assistant-Dateien - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. Exportiere die Datenbank in WorshipAssistant als CSV-Datei. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics oder OpenLP 2 exportierte Lieder - + OpenLP 2 Databases OpenLP 2 Datenbanken - + LyriX Files LyriX-Dateien - + LyriX (Exported TXT-files) LyriX (Exportierte TXT-Dateien) - + VideoPsalm Files VideoPsalm-Dateien - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Die VideoPsalm-Liederbücher befinden sich normalerweise in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Fehler: %s + File {name} + + + + + Error: {error} + Fehler: {error} @@ -9135,79 +9315,117 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe SongsPlugin.MediaItem - + Titles Titel - + Lyrics Liedtext - + CCLI License: CCLI-Lizenz: - + Entire Song Ganzes Lied - + Maintain the lists of authors, topics and books. Autoren, Themen und Bücher verwalten. - + copy For song cloning Kopie - + Search Titles... Suche Titel... - + Search Entire Song... Suche im ganzem Lied... - + Search Lyrics... Suche Liedtext... - + Search Authors... Suche Autoren... - - Are you sure you want to delete the "%d" selected song(s)? - Sollen die markierten %d Lieder wirklich gelöscht werden? - - - + Search Songbooks... Suche Liederbücher... + + + Search Topics... + + + + + Copyright + Urheberrecht + + + + Search Copyright... + + + + + CCLI number + CCLI-Nummer + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Der MediaShout Datensatz kann nicht geöffnet werden. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Keine gültige OpenLP 2 Liederdatenbank @@ -9215,9 +9433,9 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportiere »%s«... + + Exporting "{title}"... + @@ -9236,29 +9454,37 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe Keine Lieder zu importieren. - + Verses not found. Missing "PART" header. Es wurden keine Verse gefunden. "PART" Kopfzeile fehlt. - No %s files found. - Keine %s Dateien gefunden. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Ungültige %s Datei. Unerwarteter Inhalt. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Ungültige »%s« Datei. Die "TITLE" Eigenschaft fehlt. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Ungültige »%s« Datei. Die "COPYRIGHTLINE" Eigenschaft fehlt. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9287,19 +9513,19 @@ 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 - Der Liedexport schlug wegen des folgenden Fehlers fehl: %s + + Your song export failed because this error occurred: {error} + @@ -9315,17 +9541,17 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe Die folgenden Lieder konnten nicht importiert werden: - + Cannot access OpenOffice or LibreOffice Kann OpenOffice.org oder LibreOffice nicht öffnen - + Unable to open file Konnte Datei nicht öffnen - + File not found Datei nicht gefunden @@ -9333,109 +9559,109 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe SongsPlugin.SongMaintenanceForm - + Could not add your author. Der Autor konnte nicht hinzugefügt werden. - + This author already exists. Der Autor existiert bereits in der Datenbank. - + Could not add your topic. Das Thema konnte nicht hinzugefügt werden. - + This topic already exists. Das Thema existiert bereits in der Datenbank. - + Could not add your book. Das Liederbuch konnte nicht hinzugefügt werden. - + This book already exists. Das Liederbuch existiert bereits in der Datenbank. - + Could not save your changes. Die Änderungen konnten nicht gespeichert werden. - + Could not save your modified author, because the author already exists. Der geänderte Autor konnte nicht gespeichert werden, da es bereits in der Datenbank existiert. - + Could not save your modified topic, because it already exists. Das geänderte Thema konnte nicht gespeichert werden, da es bereits in der Datenbank existiert. - + Delete Author Autor löschen - + Are you sure you want to delete the selected author? Soll der ausgewählte Autor wirklich gelöscht werden? - + This author cannot be deleted, they are currently assigned to at least one song. Der Autor konnte nicht gelöscht werden, da er mindestens einem Lied zugeordnet ist. - + Delete Topic Thema löschen - + Are you sure you want to delete the selected topic? Soll das ausgewählte Thema wirklich gelöscht werden? - + This topic cannot be deleted, it is currently assigned to at least one song. Das Thema konnte nicht gelöscht werden, da es mindestens einem Lied zugeordnet ist. - + Delete Book Liederbuch löschen - + Are you sure you want to delete the selected book? Soll das ausgewählte Liederbuch wirklich gelöscht werden? - + This book cannot be deleted, it is currently assigned to at least one song. Das Liederbuch konnte nicht gelöscht werden, da es mindestens einem Lied zugeordnet ist. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Der Autor »%s« existiert bereits. Sollen Lieder von »%s« »%s« als Autor setzen? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Das Thema »%s« existiert bereits. Sollen Lieder zum Thema »%s« das Thema »%s« verwenden? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Das Liederbuch »%s« existiert bereits. Sollen Lieder aus »%s« dem Buch »%s« zugeordnet werden? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9481,52 +9707,47 @@ Er wurde wegen einem fehlenden Python-Modul deaktiviert. Wenn Sie diesen Importe Suche - - Found %s song(s) - %s Lied(er) gefunden - - - + Logout Abmeldung - + View Ansicht - + Title: Titel: - + Author(s): Autor(en) - + Copyright: Copyright: - + CCLI Number: CCLI Nummer: - + Lyrics: Text: - + Back Zurück - + Import Import @@ -9568,7 +9789,7 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Fehler beim Anmelden, bitte überprüfen Sie Ihren Benutzernamen und Ihr Passwort. - + Song Imported Lied importiert @@ -9583,7 +9804,7 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Die Informationen zu diesem Lied, beispielsweise der Liedtext, sind unvollständig und können deshalb nicht importiert werden. - + Your song has been imported, would you like to import more songs? Das Lied wurde importiert. Sollen weitere Lieder importiert werden? @@ -9592,6 +9813,11 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Stop Abbrechen + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9600,30 +9826,30 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Songs Mode Lieder-Einstellungen - - - Display verses on live tool bar - Versauswahl in der Live-Symbolleiste zeigen - Update service from song edit Lieder im Ablauf nach Bearbeitung aktualisieren - - - Import missing songs from service files - Neue Lieder aus Ablauf in die Datenbank importieren - Display songbook in footer Liederbuch in der Fußzeile anzeigen + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Das „%s“-Symbol vor den Copyright-Informationen anzeigen. + Display "{symbol}" symbol before copyright info + @@ -9647,37 +9873,37 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE SongsPlugin.VerseType - + Verse Strophe - + Chorus Refrain - + Bridge Bridge - + Pre-Chorus Überleitung - + Intro Intro - + Ending Ende - + Other Anderes @@ -9685,22 +9911,22 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE SongsPlugin.VideoPsalmImport - - Error: %s - Fehler: %s + + Error: {error} + Fehler: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Ungültige Words of Worship-Datei. Der „Wow-File\nSong-Words“-Header fehlt. + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Ungültige Words of Worship-Datei. Der "CSongDoc::CBlock"-Text wurde nicht gefunden. + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9711,30 +9937,30 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Fehler beim Lesen der CSV Datei. - - Line %d: %s - Zeile %d: %s - - - - Decoding error: %s - Dekodier Fehler: %s - - - + File not valid WorshipAssistant CSV format. Die Datei ist kein gültiges WorshipAssistant CSV Format. - - Record %d - Datensatz %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Konnte nicht mit der WorshipCenter Pro-Datenbank verbinden. @@ -9747,25 +9973,30 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Fehler beim Lesen der CSV Datei. - + File not valid ZionWorx CSV format. Die Datei hat kein gültiges ZionWorx CSV Format. - - Line %d: %s - Zeile %d: %s - - - - Decoding error: %s - Dekodier Fehler: %s - - - + Record %d Datensatz %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9775,39 +10006,960 @@ Bitte "JA" wählen um das Passwort trotzdem zu speichern oder "NE Assistent - + 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. Dieser Assistent hilft Ihnen, doppelte Lieder aus der Lieddatenbank zu entfernen. Sie können jedes potentielle Duplikat überprüfen bevor es gelöscht wird. Es werden also keine Lieder ohne Ihre Zustimmung gelöscht. - + Searching for duplicate songs. Suche nach Duplikaten. - + Please wait while your songs database is analyzed. Bitte warten Sie, während Ihre Lieddatenbank analysiert wird. - + Here you can decide which songs to remove and which ones to keep. Hier können Sie entscheiden, welche Lieder behalten und welche gelöscht werden sollen. - - Review duplicate songs (%s/%s) - Duplikate überprüfen (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. Es wurden keine Duplikate gefunden. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Deutsch + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + Deutsch + + + + Greek + Language code: el + Griechisch + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + Ungarisch + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + Indonesisch + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + Italienisch + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + Japanisch + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + Koreanisch + + + + Kurdish + Language code: ku + Kurdisch + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + Norwegisch + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + Persisch + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + Polnisch + + + + Portuguese + Language code: pt + Portugiesisch + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + Rumänisch + + + + Russian + Language code: ru + Russisch + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + Serbisch + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + Spanisch + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + Schwedisch + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + Türkisch + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + Vietnamesisch + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/el.ts b/resources/i18n/el.ts index bf0ad577b..e7f7c0a87 100644 --- a/resources/i18n/el.ts +++ b/resources/i18n/el.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -32,7 +33,7 @@ <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. - + @@ -96,16 +97,16 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Η ειδοποίηση δεν περιέχει '<>'. Θέλετε να συνεχίσετε οπωσδήποτε; - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. - + @@ -119,32 +120,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font Γραμματοσειρά - + Font name: Ονομασία γραμματοσειράς: - + Font color: Χρώμα γραμματοσειράς: - - Background color: - Χρώμα φόντου: - - - + Font size: Μέγεθος γραμματοσειράς: - + Alert timeout: Χρόνος αναμονής: @@ -152,88 +148,78 @@ 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. - Αναβάθμιση της βάσης δεδομένων Βίβλων στην τελευταία μορφή. - Genesis @@ -658,37 +644,37 @@ 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 - + @@ -700,19 +686,19 @@ Please type in some text before clicking New. , 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 - + @@ -738,161 +724,121 @@ Please type in some text before clicking New. Αυτή η Βίβλος υπάρχει ήδη. Παρακαλούμε εισάγετε μια διαφορετική Βίβλο ή πρώτα διαγράψτε την ήδη υπάρχουσα. - - 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" έχει εισαχθεί πάνω από μία φορές. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Σφάλμα Αναφοράς Βίβλου - - Web Bible cannot be used - Η Βίβλος Web δεν μπορεί να χρησιμοποιηθεί + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 ή είναι ακατάλληλη. Παρακαλώ επιβεβαιώστε ότι η παραπομπή σας συμμορφώνεται με ένα από τα παρακάτω πρότυπα ή συμβουλευτείτε το εγχειρίδιο χρήσης: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -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 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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. @@ -901,36 +847,82 @@ 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 - + + + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + @@ -987,70 +979,71 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - Εισαγωγή βιβλίων... %s + + Importing books... {book} + - - Importing verses... done. - Εισαγωγή εδαφίων... ολοκληρώθηκε. + + Importing verses from {book}... + Importing verses from <book name>... + 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 Αγγλικά @@ -1070,223 +1063,258 @@ 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. Υπήρξε πρόβλημα κατά την εξαγωγή των επιλεγμένων εδαφίων σας. Αν αυτό το σφάλμα επανεμφανιστεί σκεφτείτε να κάνετε μια αναφορά σφάλματος. + + + Importing {book}... + Importing <book name>... + + 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. - + + + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + @@ -1318,302 +1346,165 @@ It is not possible to customize the Book Names. 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? + + Search + Αναζήτηση + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Είστε σίγουροι ότι θέλετε να διαγράψετε την "%s" Βίβλο από το OpenLP; + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -Θα χρειαστεί να την κάνετε εισαγωγή εκ νέου για να την χρησιμοποιήσετε. - - - - Advanced - Για προχωρημένους - - - - 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... - +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - + - - Importing %(bookname)s %(chapter)s... - + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Επιλέξτε έναν Κατάλογο Αντιγράφων Ασφαλείας + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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. - Για αναβάθμιση των Βίβλων Web χρειάζεστε σύνδεση στο Internet. - - - - 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 - Αναβάθμιση Βίβλου(-ων): %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. - Δεν υπάρχουν Βίβλοι που χρειάζονται αναβάθμιση. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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... - + + Importing {book} {chapter}... + @@ -1679,7 +1570,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an 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. - + @@ -1697,7 +1588,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Import missing custom slides from service files - + @@ -1728,7 +1619,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Επεξεργασία όλων των διαφανειών ταυτόχρονα. - + Split a slide into two by inserting a slide splitter. Χωρίστε μια διαφάνεια σε δύο με εισαγωγή ενός διαχωριστή διαφανειών. @@ -1743,7 +1634,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Πιστώσεις: - + You need to type in a title. Πρέπει να δηλώσετε έναν τίτλο. @@ -1753,20 +1644,20 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Ε&πεξεργασία Όλων - + Insert Slide Εισαγωγή Διαφάνειας - + You need to add at least one slide. - + CustomPlugin.EditVerseForm - + Edit Slide Επεξεργασία Διαφάνειας @@ -1774,9 +1665,9 @@ 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 "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1804,11 +1695,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Εικόνες - - - Load a new image. - Φόρτωση νέας εικόνας. - Add a new image. @@ -1839,38 +1725,48 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Προβολή της επιλεγμένης εικόνας σε λειτουργία. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm Add group - + Parent group: - + Group name: - + You need to type in a group name. - - - - - Could not add the new group. - + + Could not add the new group. + + + + This group already exists. - + @@ -1878,33 +1774,33 @@ 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 - + Existing group - + New group - + ImagePlugin.ExceptionDialog - + Select Attachment Επιλογή Επισυναπτόμενου @@ -1912,67 +1808,66 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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? - + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Ορατό φόντο για εικόνες με διαφορετικές αναλογίες από την οθόνη. @@ -1980,88 +1875,88 @@ Do you want to add the other images anyway? Media.player - + 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. - + - + This media player uses your operating system to provide media capabilities. - + 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. Προσθήκη επιλεγμένων πολυμέσων σε λειτουργία. @@ -2071,32 +1966,32 @@ Do you want to add the other images anyway? Select Media Clip - + Source - + Media path: - + Select drive from list - + Load disc - + Track Details - + @@ -2106,52 +2001,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 - + @@ -2159,155 +2054,165 @@ 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 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 - + + + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + @@ -2319,94 +2224,93 @@ Do you want to add the other images anyway? - Start Live items automatically - - - - - OPenLP.MainWindow - - - &Projector Manager - + Start new Live media automatically + 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 - + + + + + Video Files + + + + + Data Directory Error + Σφάλμα Φακέλου Δεδομένων + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + 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 όπως αυτή έχει εκδοθεί από την 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. @@ -2423,168 +2327,157 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr Το OpenLP γράφεται και υποστηρίζεται από εθελοντές. Αν θα θέλατε να δείτε να γράφεται περισσότερο Χριστιανικό λογισμικό, παρακαλούμε σκεφτείτε να συνεισφέρετε εθελοντικά χρησιμοποιώντας το παρακάτω πλήκτρο. - + Volunteer Εθελοντική Προσφορά - - - Project Lead - - - - - Developers - - - - - Contributors - - - - - Packagers - - - - - Testers - - - Translators - + Project Lead + - Afrikaans (af) - + Developers + - Czech (cs) - + Contributors + - Danish (da) - + Packagers + - German (de) - + Testers + - Greek (el) - + Translators + - English, United Kingdom (en_GB) - + Afrikaans (af) + - English, South Africa (en_ZA) - + Czech (cs) + - Spanish (es) - + Danish (da) + - Estonian (et) - + German (de) + - Finnish (fi) - + Greek (el) + - French (fr) - + English, United Kingdom (en_GB) + - Hungarian (hu) - + English, South Africa (en_ZA) + - Indonesian (id) - + Spanish (es) + - Japanese (ja) - + Estonian (et) + - Norwegian Bokmål (nb) - + Finnish (fi) + - Dutch (nl) - + French (fr) + - Polish (pl) - + Hungarian (hu) + - Portuguese, Brazil (pt_BR) - + Indonesian (id) + - Russian (ru) - + Japanese (ja) + - Swedish (sv) - + Norwegian Bokmål (nb) + - Tamil(Sri-Lanka) (ta_LK) - + Dutch (nl) + - Chinese(China) (zh_CN) - + Polish (pl) + - Documentation - + Portuguese, Brazil (pt_BR) + - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - + Russian (ru) + - + + Swedish (sv) + + + + + Tamil(Sri-Lanka) (ta_LK) + + + + + Chinese(China) (zh_CN) + + + + + Documentation + + + + Final Credit "For God so loved the world that He gave His one and only Son, so that whoever @@ -2596,329 +2489,247 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + 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 - + 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 επιτρέποντάς σας να διορθώσετε το πρόβλημα. - -Κάντε κλικ στο "Ναι" για να επαναφέρετε τον φάκελο δεδομένων στην προκαθορισμένη τοποθεσία. - - - - 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. - Είστε σίγουροι ότι θέλετε να αλλάξετε την τοποθεσία του φακέλου δεδομένων στο: - -%s - -Ο φάκελος δεδομένων θα αλλαχτεί μόλις κλείσετε το OpenLP. - - - + Thursday - + - + Display Workarounds - + - + Use alternating row colours in lists - + - - 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. - + - + 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. @@ -2926,326 +2737,470 @@ This location will be used after OpenLP is closed. Η τοποθεσία αυτή θα χρησιμοποιηθεί αφού κλείσετε το OpenLP. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Αυτόματο + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + 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 - + RGB + - Video 5 - + Video + - Video 6 - + Digital + - Video 7 - + Storage + - Video 8 - - - - - Video 9 - - - - - Digital 1 - - - - - Digital 2 - + Network + - Digital 3 - + RGB 1 + - Digital 4 - + RGB 2 + - Digital 5 - + RGB 3 + - Digital 6 - + RGB 4 + - Digital 7 - + RGB 5 + - Digital 8 - + RGB 6 + - Digital 9 - + RGB 7 + - Storage 1 - + RGB 8 + - Storage 2 - + RGB 9 + - Storage 3 - + Video 1 + - Storage 4 - + Video 2 + - Storage 5 - + Video 3 + - Storage 6 - + Video 4 + - Storage 7 - + Video 5 + - Storage 8 - + Video 6 + - Storage 9 - + Video 7 + - Network 1 - + Video 8 + - Network 2 - + Video 9 + - Network 3 - + Digital 1 + - Network 4 - + Digital 2 + - Network 5 - + Digital 3 + - Network 6 - + Digital 4 + - Network 7 - + Digital 5 + - Network 8 - + 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 Παρουσιάστηκε Σφάλμα - + Send E-Mail Αποστολή E-Mail - + Save to File Αποθήκευση στο Αρχείο - + Attach File Επισύναψη Αρχείου - - - Description characters to enter : %s - Χαρακτήρες περιγραφής προς εισαγωγή: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - - 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. Also attach any files that triggered the problem. - + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Πλατφόρμα: %s - - - - + Save Crash Report Αποθήκευση Αναφοράς Σφάλματος - + Text files (*.txt *.log *.text) Αρχεία κειμένου (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3286,265 +3241,258 @@ This location will be used after OpenLP is closed. 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. - + + 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 + + + + + Unable to download some files + + + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + -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 - +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + @@ -3577,55 +3525,60 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Default Formatting - + Custom Formatting - + OpenLP.FormattingTagForm - + <HTML here> <HTML εδώ> - + Validation Error Σφάλμα Ελέγχου - + Description is missing - + - + Tag is missing - + - Tag %s already defined. - Η ετικέτα %s έχει ήδη οριστεί. + Tag {tag} already defined. + - Description %s already defined. - + Description {tag} already defined. + - - Start tag %s is not valid HTML - + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3714,170 +3667,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 &Μετακίνηση στην επόμενο/προηγούμενο στοιχείο λειτουργίας + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Αναζήτηση για αρχείο εικόνας προς προβολή. + + + + Revert to the default OpenLP logo. + Επαναφορά στο προκαθορισμένο λογότυπο του OpenLP. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Γλώσσα - + Please restart OpenLP to use your new language setting. Παρακαλούμε επανεκκινήστε το OpenLP για να ενεργοποιηθεί η νέα γλώσσα. @@ -3885,7 +3868,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Προβολή του OpenLP @@ -3893,352 +3876,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainWindow - + &File &Αρχείο - + &Import &Εισαγωγή - + &Export Εξα&γωγή - + &View &Προβολή - - M&ode - Λ&ειτουργία - - - + &Tools &Εργαλεία - + &Settings &Ρυθμίσεις - + &Language &Γλώσσα - + &Help &Βοήθεια - - Service Manager - Διαχειριστής Λειτουργίας - - - - Theme Manager - Διαχειριστής Θεμάτων - - - + Open an existing service. Άνοιγμα υπάρχουσας λειτουργίας. - + Save the current service to disk. Αποθήκευση τρέχουσας λειτουργίας στον δίσκο. - + 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. - Εναλλαγή εμφάνισης της οθόνης προβολής. - - - - List the Plugins - Λίστα των Πρόσθετων - - - - &User Guide - &Οδηγίες Χρήστη - - - + &About &Σχετικά - - More information about OpenLP - Περισσότερες πληροφορίες για το OpenLP - - - - &Online Help - &Online Βοήθεια - - - + &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... Ρύθμιση &Συντομεύσεων... - + 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. Εκτύπωση της τρέχουσας λειτουργίας. - - 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. @@ -4247,307 +4066,447 @@ 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. Εκκαθάριση της λίστας πρόσφατων αρχείων. - + 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. - + + &Recent Services + - - An error occurred while exporting the settings: %s - + + &New Service + + + + + &Open Service + - &Recent Services - - - - - &New Service - - - - - &Open Service - - - - &Save Service - + - + Save Service &As... - + - + &Manage Plugins - + - + Exit OpenLP - + - + Are you sure you want to exit OpenLP? - + - + &Exit OpenLP - + + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Λειτουργία + + + + Themes + Θέματα + + + + Projectors + + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + 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 δεν μπορεί να φορτώσει την βάση δεδομένων σας. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Βάση Δεδομένων: %s +Database: {db_name} + 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. Κατά την εισαγωγή των αρχείων βρέθηκαν διπλά αρχεία που αγνοήθηκαν. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Η ετικέτα <lyrics> απουσιάζει. - + <verse> tag is missing. Η ετικέτα <verse> απουσιάζει. @@ -4555,112 +4514,107 @@ Suffix not supported 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 (μη διαθέσιμο) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + OpenLP.PluginForm - + Plugin Details Λεπτομέρειες Πρόσθετου - + Status: Κατάσταση: - + Active Ενεργό - - Inactive - Ανενεργό - - - - %s (Inactive) - %s (Ανενεργό) - - - - %s (Active) - %s (Ενεργό) + + Manage Plugins + - %s (Disabled) - %s (Απενεργοποιημένο) + {name} (Disabled) + - - Manage Plugins - + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Πλάτος Σελίδας - + Fit Width Πλάτος Κειμένου @@ -4668,712 +4622,767 @@ Suffix not supported 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 - + OK + - Undefined Command - + General projector error + - Invalid Parameter - + Not connected error + - Projector Busy - + Lamp error + - Projector/Display Error - + Fan error + - Invalid packet received - + High temperature detected + - Warning condition detected - + Cover open detected + - Error condition detected - + Check filter + - PJLink class not supported - + Authentication Error + - Invalid prefix character - + Undefined Command + - The connection was refused by the peer (or timed out) - + Invalid Parameter + + + + + Projector Busy + - The remote host closed the connection - + Projector/Display Error + + + + + Invalid packet received + - The host address was not found - + Warning condition detected + - The socket operation failed because the application lacked the required privileges - + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + - The local system ran out of resources (e.g., too many sockets) - + The connection was refused by the peer (or timed out) + - The socket operation timed out - + The remote host closed the connection + - The datagram was larger than the operating system's limit - + The host address was not found + - - An error occurred with the network (Possibly someone pulled the plug?) - + + The socket operation failed because the application lacked the required privileges + - The address specified with socket.bind() is already in use and was set to be exclusive - + The local system ran out of resources (e.g., too many sockets) + - - The address specified to socket.bind() does not belong to the host - + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + - The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) - + An error occurred with the network (Possibly someone pulled the plug?) + - - The socket is using a proxy, and the proxy requires authentication - + + The address specified with socket.bind() is already in use and was set to be exclusive + - - The SSL/TLS handshake failed - + + The address specified to socket.bind() does not belong to the host + - The last operation attempted has not finished yet (still in progress in the background) - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + - Could not contact the proxy server because the connection to that server was denied - + The socket is using a proxy, and the proxy requires authentication + - The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) - + The SSL/TLS handshake failed + - - The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. - + + The last operation attempted has not finished yet (still in progress in the background) + - - 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 - + + 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 + - Edit Projector - + IP Address + - - IP Address - + + Port Number + - Port Number - + PIN + - PIN - + Name + - Name - + Location + - 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 - + + Name + + + + + IP + + + + Port Θύρα - + Notes Σημειώσεις - + Projector information not available at this time. - + - + Projector Name - - - - - Manufacturer - - - - - Model - + - Other info - + Manufacturer + - Power status - + Model + - Shutter is - - - - - Closed - + 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 - + - - Delete projector (%s) %s? - - - - + Are you sure you want to delete this projector? - + + + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + + + + + No Authentication Error + OpenLP.ProjectorPJLink - + Fan - + - + Lamp - + - + Temperature - + - + Cover - + - + Filter - + - + Other Άλλο @@ -5383,55 +5392,55 @@ Suffix not supported 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 - + @@ -5442,27 +5451,27 @@ Suffix not supported Οθόνη - + primary Πρωτεύων OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Έναρξη</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Διάρκεια</strong>: %s - - [slide %d] - + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5526,52 +5535,52 @@ Suffix not supported Διαγραφή του επιλεγμένου αντικειμένου από την λειτουργία. - + &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 Το αντικείμενό σας δεν μπορεί να προβληθεί αφού το πρόσθετο που απαιτείται για την προβολή απουσιάζει ή είναι ανενεργό @@ -5596,7 +5605,7 @@ Suffix not supported Σύμπτυξη όλων των αντικειμένων λειτουργίας. - + Open File Άνοιγμα Αρχείου @@ -5626,22 +5635,22 @@ Suffix not supported Προβολή του επιλεγμένου αντικειμένου. - + &Start Time Ώρα &Έναρξης - + Show &Preview Προβολή &Προεπισκόπησης - + Modified Service Τροποποιημένη Λειτουργία - + The current service has been modified. Would you like to save this service? Η τρέχουσα λειτουργία έχει τροποποιηθεί. Θέλετε να αποθηκεύσετε ετούτη την λειτουργία; @@ -5661,27 +5670,27 @@ Suffix not supported Χρόνος Αναπαραγωγής: - + Untitled Service Ανώνυμη Λειτουργία - + File could not be opened because it is corrupt. Το αρχείο δεν ανοίχθηκε επειδή είναι φθαρμένο. - + Empty File Κενό Αρχείο - + This service file does not contain any data. Ετούτο το αρχείο λειτουργίας δεν περιέχει δεδομένα. - + Corrupt File Φθαρμένο Αρχείο @@ -5701,143 +5710,143 @@ Suffix not supported Επιλέξτε ένα θέμα για την λειτουργία. - + 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - + + + + + An error occurred while writing the service file: {error} + @@ -5869,15 +5878,10 @@ These files will be removed if you continue to save. Συντόμευση - + Duplicate Shortcut Αντίγραφο Συντόμευσης - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Η συντόμευση "%s" έχει ήδη ανατεθεί σε άλλη ενέργεια, παρακαλούμε χρησιμοποιήστε διαφορετική συντόμευση. - Alternate @@ -5923,237 +5927,253 @@ These files will be removed if you continue to save. Configure Shortcuts Ρύθμιση Συντομεύσεων + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + 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. Θέση Video. - + 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 Κομμάτια + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source - + - + 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 - + - + 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: Γλώσσα: @@ -6232,7 +6252,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (περίπου %d γραμμές ανά διαφάνεια) @@ -6240,521 +6260,531 @@ These files will be removed if you continue to save. 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. Δεν μπορείτε να διαγράψετε το προκαθορισμένο θέμα. - + 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) - + - - %s time(s) by %s - - - - + Unable to delete theme - + + + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - +{text} + 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. Δεν έχετε επιλέξει εικόνα για το φόντο. Επιλέξτε μία πριν συνεχίσετε. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6806,12 +6836,12 @@ These files will be removed if you continue to save. Universal Settings - + &Wrap footer text - + @@ -6837,73 +6867,73 @@ These files will be removed if you continue to save. &Κάθετη Ευθυγράμμιση: - + 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 Καλωσορίσατε στον Οδηγό Εισαγωγής Ύμνου @@ -6921,7 +6951,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6953,584 +6983,635 @@ These files will be removed if you continue to save. Συντακτικό λάθος 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 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: - + - + Preview Toolbar - + - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + Χρώμα φόντου: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Βίβλοι Μη Διαθέσιμοι + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Εδάφιο + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Κανένα Αποτέλεσμα Αναζήτησης + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - + + {one} and {two} + - - %s, and %s - Locale list separator: end - - - - - %s, %s - Locale list separator: middle - - - - - %s, %s - Locale list separator: start - + + {first} and {last} + @@ -7538,7 +7619,7 @@ Please try selecting it individually. Source select dialog interface - + @@ -7610,47 +7691,47 @@ Please try selecting it individually. Παρουσίαση με χρήση: - + 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 είναι ατελής, παρακαλούμε φορτώστε την ξανά. + + Presentations ({text}) + - - The presentation %s no longer exists. - Η παρουσίαση %s δεν υπάρχει πλέον. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + @@ -7660,11 +7741,6 @@ Please try selecting it individually. Available Controllers Διαθέσιμοι Ελεγκτές - - - %s (unavailable) - %s (μη διαθέσιμο) - Allow presentation application to be overridden @@ -7673,37 +7749,43 @@ Please try selecting it individually. 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. - + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7734,218 +7816,279 @@ Please try selecting it individually. 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 Ρυθμίσεις - + Remote Τηλεχειρισμός - + Stage View - + - + 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 Εφαρμογή Android - + 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. - + - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Δεν Επιλέχθηκε Τοποθεσία Εξαγωγής + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Δημιουργία Αναφοράς + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -7986,50 +8129,50 @@ Please try selecting it individually. Εναλλαγή της παρακολούθησης της χρήσης ύμνων. - + <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 εκτυπώθηκε @@ -8060,12 +8203,12 @@ Please try selecting it individually. 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. - + @@ -8096,24 +8239,10 @@ All data recorded before this date will be permanently deleted. Τοποθεσία Εξαγωγής Αρχείου - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation Δημιουργία Αναφοράς - - - Report -%s -has been successfully created. - Η Αναφορα -%s -έχει δημιουργηθεί επιτυχώς. - Output Path Not Selected @@ -8123,17 +8252,29 @@ has been successfully created. 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 - + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8149,102 +8290,102 @@ Please select an existing path on your computer. Εισαγωγή ύμνων με χρηση του οδηγού εισαγωγής. - + <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. @@ -8253,26 +8394,26 @@ 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 Ύμνοι @@ -8283,59 +8424,74 @@ The encoding is responsible for the correct character representation. Εξαγωγή ύμνων με χρήση του οδηγού εξαγωγής. - + 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. - + + + + + Songs + Ύμνοι + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + @@ -8344,25 +8500,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 - + @@ -8416,67 +8572,72 @@ The encoding is responsible for the correct character representation. 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. - + + 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. - + + + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Παραμετροποιημένα Ονόματα Βιβλίων @@ -8559,57 +8720,57 @@ The encoding is responsible for the correct character representation. Θέμα, Πληροφορίες Πνευματικών Δικαιωμάτων && Σχόλια - + 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. Πρέπει να πληκτρολογήσετε τουλάχιστον ένα εδάφιο. - + You need to have an author for this song. Πρέπει να έχετε έναν συγγραφέα για αυτόν τον ύμνο. @@ -8634,7 +8795,7 @@ The encoding is responsible for the correct character representation. &Αφαίρεση Όλων - + Open File(s) Άνοιγμα Αρχείου(-ων) @@ -8646,100 +8807,114 @@ The encoding is responsible for the correct character representation. <strong>Warning:</strong> You have not entered a verse order. - + - - 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 - - - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - + &Manage Authors, Topics, Songbooks - + Add &to Song - + Re&move - + Authors, Topics && Songbooks - + - + Add Songbook - + - + This Songbook does not exist, do you want to add it? - + - + This Songbook is already in the list. - + - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse Επεξεργασία Εδαφίου - + &Verse type: &Τύπος Στροφής: - + &Insert &Εισαγωγή - + Split a slide into two by inserting a verse splitter. Διαχωρισμός μιας διαφάνειας σε δύο με εισαγωγή ενός διαχωριστή στροφών. @@ -8752,93 +8927,93 @@ Please enter the verses separated by spaces. Οδηγός Εξαγωγής Ύμνων - + 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.GeneralTab - + Enable search as you type Ενεργοποίηση αναζήτησης κατά την πληκτρολόγηση @@ -8846,7 +9021,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Επιλέξτε Αρχεία Εγγράφων/Παρουσιάσεων @@ -8856,237 +9031,252 @@ Please enter the verses separated by spaces. Οδηγός Εισαγωγής Ύμνων - + 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. Παρακαλούμε περιμένετε όσο οι ύμνοι σας εισάγονται. - + 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 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">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. Έχει απενεργοποιηθεί λόγω μιας απούσας προσθήκης του Python. Αν θέλετε να χρησιμοποιήσετε το πρόγραμμα εισαγωγής θα χρειαστεί να εγκαταστήσετε το πρόσθετο "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 + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + OpenLyrics or OpenLP 2 Exported Song + + + + + OpenLP 2 Databases + + + + + LyriX Files + + + + + LyriX (Exported TXT-files) + + + + + VideoPsalm Files + + + + + VideoPsalm + + + + + OPS Pro database + - PresentationManager Song Files - + The OPS 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. + - - ProPresenter 4 Song Files - + + ProPresenter Song Files + - - Worship Assistant Files - - - - - Worship Assistant (CSV) - - - - - In Worship Assistant, export your Database to a CSV file. - - - - - OpenLyrics or OpenLP 2 Exported Song - - - - - OpenLP 2 Databases - - - - - LyriX Files - - - - - LyriX (Exported TXT-files) - - - - - VideoPsalm Files - - - - - VideoPsalm - - - - - The VideoPsalm songbooks are normally located in %s - + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - + File {name} + + + + + Error: {error} + @@ -9105,89 +9295,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Τίτλοι - + Lyrics Στίχοι - + CCLI License: Άδεια CCLI: - + Entire Song Ολόκληρος Ύμνος - + Maintain the lists of authors, topics and books. Διατήρηση της λίστας συγγραφέων, θεμάτων και βιβλίων. - + copy For song cloning αντιγραφή - + Search Titles... Αναζήτηση Τίτλων... - + Search Entire Song... Αναζήτηση Ολόκληρου Ύμνου... - + Search Lyrics... Αναζήτηση Στίχων... - + Search Authors... Αναζήτηση Συγγραφέων... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + - - Search Songbooks... - + + Search Topics... + + + + + Copyright + Πνευματικά δικαιώματα + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Δεν ήταν δυνατό να ανοιχτή η βάση δεδομένων MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Εξαγωγή "%s"... + + Exporting "{title}"... + @@ -9195,7 +9423,7 @@ Please enter the verses separated by spaces. Invalid OpenSong song file. Missing song tag. - + @@ -9206,29 +9434,37 @@ Please enter the verses separated by spaces. Κανένας ύμνος προς εισαγωγή. - + Verses not found. Missing "PART" header. Δεν βρέθηκαν εδάφια. Απουσιάζει η κεφαλίδα "PART". - No %s files found. - Δεν βρέθηκαν αρχεία %s. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Μη έγκυρο αρχείο %s. Μη αναμενόμενη τιμή byte. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Μη έγκυρο αρχείο %s. Απουσία κεφαλίδας "TITLE". + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Μη έγκυρο αρχείο %s. Απουσία κεφαλίδας "COPYRIGHTLINE". + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9251,25 +9487,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + 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 - + + Your song export failed because this error occurred: {error} + @@ -9285,17 +9521,17 @@ Please enter the verses separated by spaces. Τα ακόλουθα τραγούδια δεν εισήχθηκαν: - + Cannot access OpenOffice or LibreOffice Δεν είναι δυνατή η πρόσβαση στο OpenOffice ή το LibreOffice - + Unable to open file Αδύνατο το άνοιγμα του αρχείου - + File not found Το αρχείο δεν βρέθηκε @@ -9303,109 +9539,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Η κατηγορία %s υπάρχει ήδη. Θέλετε να κάνετε τους ύμνους με κατηγορία %s να χρησιμοποιούν την υπάρχουσα κατηγορία %s; + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Το βιβλίο %s υπάρχει ήδη. Θέλετε να κάνετε τους ύμνους με το βιβλίο %s να χρησιμοποιούν το υπάρχον βιβλίο %s; + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9413,12 +9649,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + @@ -9433,132 +9669,132 @@ Please enter the verses separated by spaces. Save username and password - + Login - + Search Text: - + Search Αναζήτηση - - - Found %s song(s) - - - - - Logout - - + Logout + + + + View Προβολή - + Title: Τίτλος: - + Author(s): - + - + Copyright: Πνευματικά Δικαιώματα: - - - CCLI Number: - - - Lyrics: - + 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? - + Stop - + + + + + Found {count:d} song(s) + @@ -9568,30 +9804,30 @@ Please enter the verses separated by spaces. Songs Mode Λειτουργία Ύμνων - - - Display verses on live tool bar - Προβολή των εδαφίων στην εργαλειοθήκη προβολής - Update service from song edit Ενημέρωση λειτουργίας από την επεξεργασία ύμνων - - - Import missing songs from service files - Εισαγωγή απόντων ύμνων από αρχεία λειτουργίας - Display songbook in footer - + + + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + - Display "%s" symbol before copyright info - + Display "{symbol}" symbol before copyright info + @@ -9615,37 +9851,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Εδάφιο - + Chorus Ρεφραίν - + Bridge Γέφυρα - + Pre-Chorus Προ-Ρεφραίν - + Intro Εισαγωγή - + Ending Τέλος - + Other Άλλο @@ -9653,22 +9889,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9678,33 +9914,33 @@ Please enter the verses separated by spaces. Error reading CSV file. Σφάλμα κατά την ανάγνωση του αρχείου CSV. + + + File not valid WorshipAssistant CSV format. + + - Line %d: %s - Γραμμή %d: %s + Line {number:d}: {error} + + + + + Record {count:d} + - Decoding error: %s - Σφάλμα αποκωδικοποίησης: %s - - - - File not valid WorshipAssistant CSV format. - - - - - Record %d - Εγγραφή %d + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. - + @@ -9715,67 +9951,993 @@ Please enter the verses separated by spaces. Σφάλμα κατά την ανάγνωση του αρχείου CSV. - + File not valid ZionWorx CSV format. Το αρχείο δεν έχει την κατάλληλη μορφή του ZionWorx CSV. - - Line %d: %s - Γραμμή %d: %s - - - - Decoding error: %s - Σφάλμα αποκωδικοποίησης: %s - - - + Record %d Εγγραφή %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + 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. - + + 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. - + + + + + Review duplicate songs ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Αγγλικά + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/en.ts b/resources/i18n/en.ts index f77eab94c..253827f44 100644 --- a/resources/i18n/en.ts +++ b/resources/i18n/en.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? The alert text does not contain '<>'. Do you want to continue anyway? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. You haven't specified any text for your alert. Please type in some text before clicking New. @@ -120,32 +121,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font Font - + Font name: Font name: - + Font color: Font color: - - Background color: - Background color: - - - + Font size: Font size: - + Alert timeout: Alert timeout: @@ -153,88 +149,78 @@ 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. - Genesis @@ -739,161 +725,130 @@ Please type in some text before clicking New. 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 Duplicate Book Name - - The Book Name "%s" has been entered more than once. - The Book Name "%s" has been entered more than once. + + You need to specify a book name for "{text}". + You need to specify a book name for "{text}". + + + + The book name "{name}" 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 "{name}" 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 "{name}" has been entered more than once. + The Book Name "{name}" has been entered more than once. + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - - Web Bible cannot be used - Web Bible cannot be used + + Web Bible cannot be used in Text Search + Web Bible cannot be used in Text Search - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -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 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. + +This means that the currently used Bible +or Second Bible is installed as Web Bible. + +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + Nothing found + Nothing found BiblesPlugin.BiblesTab - + Verse Display Verse Display - + Only show new chapter numbers Only show new chapter numbers - + Bible theme: Bible theme: - + No Brackets No Brackets - + ( And ) ( And ) - + { And } { And } - + [ And ] [ And ] - - Note: -Changes do not affect verses already in the service. - Note: -Changes do not affect verses already in the service. - - - + Display second Bible verses Display second Bible verses - + Custom Scripture References Custom Scripture References - - Verse Separator: - Verse Separator: - - - - Range Separator: - Range Separator: - - - - List Separator: - List Separator: - - - - End Mark: - 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. @@ -902,37 +857,84 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English English - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Bible Language Bible Language - + Application Language Application Language - + Show verse numbers Show verse numbers + + + Note: Changes do not affect verses in the Service + Note: Changes do not affect verses in the Service + + + + Verse separator: + Verse separator: + + + + Range separator: + Range separator: + + + + List separator: + List separator: + + + + End mark: + End mark: + + + + Quick Search Settings + Quick Search Settings + + + + Reset search type to "Text or Scripture Reference" on startup + Reset search type to "Text or Scripture Reference" on startup + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Don't show error if nothing is found in "Text or Scripture Reference" + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + BiblesPlugin.BookNameDialog @@ -988,70 +990,71 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - Importing books... %s + + Importing books... {book} + Importing books... {book} - - Importing verses... done. - Importing verses... done. + + Importing verses from {book}... + Importing verses from <book name>... + Importing verses from {book}... BiblesPlugin.EditBibleForm - + Bible Editor Bible Editor - + License Details License Details - + Version name: Version name: - + Copyright: Copyright: - + Permissions: Permissions: - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Global Settings Global Settings - + Bible Language Bible Language - + Application Language Application Language - + English English @@ -1071,224 +1074,259 @@ 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. + + + Importing {book}... + Importing <book name>... + Importing {book}... + 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. + + + Bibles: + Bibles: + + + + SWORD data folder: + SWORD data folder: + + + + SWORD zip-file: + SWORD zip-file: + + + + Defaults to the standard SWORD data folder + Defaults to the standard SWORD data folder + + + + Import from folder + Import from folder + + + + Import from Zip-file + Import from Zip-file + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + BiblesPlugin.LanguageDialog @@ -1319,293 +1357,161 @@ It is not possible to customize the Book Names. BiblesPlugin.MediaItem - - Quick - Quick - - - + Find: Find: - + Book: Book: - + Chapter: Chapter: - + Verse: Verse: - + From: From: - + To: To: - + Text Search Text Search - + 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. Bible not fully loaded. - + Information 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. - 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 Scripture Reference... - + Search Text... Search Text... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Search + + + + Select + Select + + + + Clear the search results. + Clear the search results. + + + + Text or Reference + Text or Reference + + + + Text or Reference... + Text or Reference... + + + + Are you sure you want to completely delete "{bible}" 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? + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - - Advanced - Advanced - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - 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. - 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... + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count: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. + +{count:d} verses have not been included in the results. 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... + + Importing {book} {chapter}... + Importing {book} {chapter}... - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Select a Backup Directory + + Importing {name}... + Importing {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - 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. - 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 - Select Backup Directory - - - - Please select a backup directory for your Bibles - 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>. - 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 Directory: - - - - There is no need to backup my Bibles - There is no need to backup my Bibles - - - - Select Bibles - Select Bibles - - - - Please select the Bibles to upgrade - Please select the Bibles to upgrade - - - - Upgrading - Upgrading - - - - Please wait while your Bibles are upgraded. - 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. - 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" -Failed - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Upgrading Bible %s of %s: "%s" -Upgrading ... - - - - Download Error - Download Error - - - - To upgrade your Web Bibles an Internet connection is required. - To upgrade your Web Bibles an Internet connection is required. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Upgrading Bible %s of %s: "%s" -Complete - - - - , %s failed - , %s failed - - - - Upgrading Bible(s): %s successful%s - Upgrading Bible(s): %s successful%s - - - - Upgrade failed. - Upgrade failed. - - - - You need to specify a backup directory for your Bibles. - You need to specify a backup directory for your Bibles. - - - - Starting upgrade... - Starting upgrade... - - - - There are no Bibles that need to be upgraded. - There are no Bibles that need to be upgraded. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} 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. @@ -1613,9 +1519,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importing %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importing {book} {chapter}... @@ -1730,7 +1636,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. - + Split a slide into two by inserting a slide splitter. Split a slide into two by inserting a slide splitter. @@ -1745,7 +1651,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Credits: - + You need to type in a title. You need to type in a title. @@ -1755,12 +1661,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Ed&it All - + Insert Slide Insert Slide - + You need to add at least one slide. You need to add at least one slide. @@ -1768,7 +1674,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Edit Slide @@ -1776,9 +1682,9 @@ 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 "%d" selected custom slide(s)? - Are you sure you want to delete the "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1806,11 +1712,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Images - - - Load a new image. - Load a new image. - Add a new image. @@ -1841,6 +1742,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Add the selected image to the service. + + + Add new image(s). + Add new image(s). + + + + Add new image(s) + Add new image(s) + ImagePlugin.AddGroupForm @@ -1865,12 +1776,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. @@ -1906,7 +1817,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Select Attachment @@ -1914,39 +1825,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1956,25 +1850,42 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + Are you sure you want to remove "{name}" and everything in it? + + + + The following image(s) no longer exist: {names} + The following image(s) no longer exist: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + There was a problem replacing your background, the image file "{name}" no longer exists. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Visible background for images with aspect ratio different to screen. @@ -1982,27 +1893,27 @@ Do you want to add the other images anyway? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. This media player uses your operating system to provide media capabilities. @@ -2010,60 +1921,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. @@ -2179,47 +2090,47 @@ Do you want to add the other images anyway? 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 ":" @@ -2227,90 +2138,100 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File 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 + + + File %s not supported using player %s + File %s not supported using player %s + + + + Unsupported Media File + Unsupported Media File + + + + CD/DVD playback is only supported if VLC is installed and enabled. + CD/DVD playback is only supported if VLC is installed and enabled. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + The optical disc {name} is no longer available. + The optical disc {name} is no longer available. + + + + The file {name} no longer exists. + The file {name} no longer exists. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Videos ({video});;Audio ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2321,94 +2242,93 @@ Do you want to add the other images anyway? - Start Live items automatically - Start Live items automatically - - - - OPenLP.MainWindow - - - &Projector Manager - &Projector Manager + Start new Live media automatically + Start new Live media automatically OpenLP - + Image Files Image Files - - Information - Information - - - - 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 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 + + + Video Files + Video Files + + + + Data Directory Error + Data Directory Error + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Credits - + License License - - 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. @@ -2425,174 +2345,157 @@ 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 Project Lead - + Developers Developers - + Contributors Contributors - + Packagers Packagers - + Testers Testers - + Translators Translators - + Afrikaans (af) Afrikaans (af) - + Czech (cs) Czech (cs) - + Danish (da) Danish (da) - + German (de) German (de) - + Greek (el) Greek (el) - + English, United Kingdom (en_GB) English, United Kingdom (en_GB) - + English, South Africa (en_ZA) English, South Africa (en_ZA) - + Spanish (es) Spanish (es) - + Estonian (et) Estonian (et) - + Finnish (fi) Finnish (fi) - + French (fr) French (fr) - + Hungarian (hu) Hungarian (hu) - + Indonesian (id) Indonesian (id) - + Japanese (ja) Japanese (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norwegian Bokmål (nb) - + Dutch (nl) Dutch (nl) - + Polish (pl) Polish (pl) - + Portuguese, Brazil (pt_BR) Portuguese, Brazil (pt_BR) - + Russian (ru) Russian (ru) - + Swedish (sv) Swedish (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamil(Sri-Lanka) (ta_LK) - + Chinese(China) (zh_CN) Chinese(China) (zh_CN) - + Documentation Documentation - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: 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 @@ -2617,333 +2520,244 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr He has set us free. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + build {version} + build {version} + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings UI Settings - - - Number of recent files to display: - Number of recent files to display: - - Remember active media manager tab on startup - Remember active media manager tab on startup - - - - Double-click to send items straight to live - Double-click to send items straight to live - - - Expand new service items on creation Expand new service items on creation - + Enable application exit confirmation Enable application exit confirmation - + Mouse Cursor Mouse Cursor - + Hide mouse cursor when over display window Hide mouse cursor when over display window - - Default Image - Default Image - - - - Background color: - Background color: - - - - Image file: - Image file: - - - + Open File Open File - + Advanced Advanced - - - Preview items when clicked in Media Manager - Preview items when clicked in Media Manager - - Browse for an image file to display. - Browse for an image file to display. - - - - Revert to the default OpenLP logo. - Revert to the default OpenLP logo. - - - Default Service Name Default Service Name - + Enable default service name Enable default service name - + Date and Time: Date and Time: - + Monday Monday - + Tuesday Tuesday - + Wednesday Wednesday - + Friday Friday - + Saturday Saturday - + Sunday Sunday - + Now Now - + Time when usual service starts. Time when usual service starts. - + Name: Name: - + Consult the OpenLP manual for usage. Consult the OpenLP manual for usage. - - Revert to the default service name "%s". - Revert to the default service name "%s". - - - + Example: Example: - + Bypass X11 Window Manager Bypass X11 Window Manager - + Syntax error. Syntax error. - + Data Location Data Location - + Current path: Current path: - + Custom path: Custom path: - + Browse for new data file location. Browse for new data file location. - + Set the data location to the default. Set the data location to the default. - + Cancel Cancel - + Cancel OpenLP data directory location change. Cancel OpenLP data directory location change. - + Copy data to new location. Copy data to new location. - + Copy the OpenLP data files to the 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 - Data Directory Error - - - + Select Data Directory Location Select Data Directory Location - + Confirm Data Directory Change Confirm Data Directory Change - + Reset Data Directory Reset Data Directory - + Overwrite Existing Data 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 Thursday - + Display Workarounds Display Workarounds - + Use alternating row colours in lists Use alternating row colours in lists - - 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? - 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 Restart Required - + This change will only take effect once OpenLP has been restarted. This change will only take effect once OpenLP has been restarted. - + 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. @@ -2951,11 +2765,153 @@ This location will be used after OpenLP is closed. This location will be used after OpenLP is closed. + + + Max height for non-text slides +in slide controller: + Max height for non-text slides +in slide controller: + + + + Disabled + Disabled + + + + When changing slides: + When changing slides: + + + + Do not auto-scroll + Do not auto-scroll + + + + Auto-scroll the previous slide into view + Auto-scroll the previous slide into view + + + + Auto-scroll the previous slide to top + Auto-scroll the previous slide to top + + + + Auto-scroll the previous slide to middle + Auto-scroll the previous slide to middle + + + + Auto-scroll the current slide into view + Auto-scroll the current slide into view + + + + Auto-scroll the current slide to top + Auto-scroll the current slide to top + + + + Auto-scroll the current slide to middle + Auto-scroll the current slide to middle + + + + Auto-scroll the current slide to bottom + Auto-scroll the current slide to bottom + + + + Auto-scroll the next slide into view + Auto-scroll the next slide into view + + + + Auto-scroll the next slide to top + Auto-scroll the next slide to top + + + + Auto-scroll the next slide to middle + Auto-scroll the next slide to middle + + + + Auto-scroll the next slide to bottom + Auto-scroll the next slide to bottom + + + + Number of recent service files to display: + Number of recent service files to display: + + + + Open the last used Library tab on startup + Open the last used Library tab on startup + + + + Double-click to send items straight to Live + Double-click to send items straight to Live + + + + Preview items when clicked in Library + Preview items when clicked in Library + + + + Preview items when clicked in Service + Preview items when clicked in Service + + + + Automatic + Automatic + + + + Revert to the default service name "{name}". + Revert to the default service name "{name}". + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + OpenLP.ColorButton - + Click to select a color. Click to select a color. @@ -2963,252 +2919,252 @@ This location will be used after OpenLP is closed. OpenLP.DB - + RGB RGB - + Video 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 - + 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 @@ -3216,62 +3172,75 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred Error Occurred - + Send E-Mail Send E-Mail - + Save to File Save to File - + Attach File Attach File - - - Description characters to enter : %s - Description characters to enter : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - 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. Also attach any files that triggered the problem. - 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. Also attach any files that triggered the problem. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + <strong>Thank you for your description!</strong> + <strong>Thank you for your description!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Tell us what you were doing when this happened.</strong> + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Save Crash Report - + Text files (*.txt *.log *.text) Text files (*.txt *.log *.text) + + + Platform: {platform} + + Platform: {platform} + + OpenLP.FileRenameForm @@ -3312,268 +3281,263 @@ This location will be used after OpenLP is closed. 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. - 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. 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 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 + + + Select parts of the program you wish to use + Select parts of the program you wish to use + + + + You can also change these settings after the Wizard. + You can also change these settings after the Wizard. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + Bibles – Import and show Bibles + Bibles – Import and show Bibles + + + + Images – Show images or replace background with them + Images – Show images or replace background with them + + + + Presentations – Show .ppt, .odp and .pdf files + Presentations – Show .ppt, .odp and .pdf files + + + + Media – Playback of Audio and Video files + Media – Playback of Audio and Video files + + + + Remote – Control OpenLP via browser or smartphone app + Remote – Control OpenLP via browser or smartphone app + + + + Song Usage Monitor + Song Usage Monitor + + + + Alerts – Display informative messages while showing other slides + Alerts – Display informative messages while showing other slides + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + Downloading {name}... + Downloading {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Download complete. Click the {button} button to return to OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Download complete. Click the {button} button to start OpenLP. + + + + Click the {button} button to return to OpenLP. + Click the {button} button to return to OpenLP. + + + + Click the {button} button to start OpenLP. + Click the {button} button to start OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + 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 {button} 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 {button} 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. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + OpenLP.FormattingTagDialog @@ -3616,44 +3580,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error Validation Error - + Description is missing Description is missing - + Tag is missing Tag is missing - Tag %s already defined. - Tag %s already defined. + Tag {tag} already defined. + Tag {tag} already defined. - Description %s already defined. - Description %s already defined. + Description {tag} already defined. + Description {tag} already defined. - - Start tag %s is not valid HTML - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML + Start tag {tag} is not valid HTML - - End tag %(end)s does not match end tag for start tag %(start)s - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + End tag {end} does not match end tag for start tag {start} + + + + New Tag {row:d} + New Tag {row:d} @@ -3742,170 +3711,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General General - + Monitors Monitors - + Select monitor for output display: Select monitor for output display: - + Display if a single screen Display if a single screen - + Application Startup Application Startup - + Show blank screen warning Show blank screen warning - - Automatically open the last service - Automatically open the last service - - - + Show the splash screen Show the splash screen - + Application Settings Application Settings - + Prompt to save before starting a new service Prompt to save before starting a new service - - Automatically preview next item in service - Automatically preview next item in service - - - + sec sec - + CCLI Details CCLI Details - + SongSelect username: SongSelect username: - + SongSelect password: SongSelect password: - + X X - + Y Y - + Height Height - + Width Width - + Check for updates to OpenLP Check for updates to OpenLP - - Unblank display when adding new live item - Unblank display when adding new live item - - - + Timed slide interval: Timed slide interval: - + Background Audio Background Audio - + Start background audio paused Start background audio paused - + Service Item Slide Limits Service Item Slide Limits - + Override display position: Override display position: - + Repeat track list Repeat track list - + Behavior of next/previous on the last/first slide: Behavior of next/previous on the last/first slide: - + &Remain on Slide &Remain on Slide - + &Wrap around &Wrap around - + &Move to next/previous service item &Move to next/previous service item + + + Logo + Logo + + + + Logo file: + Logo file: + + + + Browse for an image file to display. + Browse for an image file to display. + + + + Revert to the default OpenLP logo. + Revert to the default OpenLP logo. + + + + Don't show logo on startup + Don't show logo on startup + + + + Automatically open the previous service file + Automatically open the previous service file + + + + Unblank display when changing slide in Live + Unblank display when changing slide in Live + + + + Unblank display when sending items to Live + Unblank display when sending items to Live + + + + Automatically preview the next item in service + Automatically preview the next item in service + OpenLP.LanguageManager - + Language Language - + Please restart OpenLP to use your new language setting. Please restart OpenLP to use your new language setting. @@ -3913,7 +3912,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -3921,352 +3920,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainWindow - + &File &File - + &Import &Import - + &Export &Export - + &View &View - - M&ode - M&ode - - - + &Tools &Tools - + &Settings &Settings - + &Language &Language - + &Help &Help - - Service Manager - Service Manager - - - - Theme Manager - Theme Manager - - - + Open an existing service. Open an existing service. - + Save the current service to disk. Save the current service to disk. - + Save Service As Save Service As - + Save the current service under a new name. Save the current service under a new name. - + E&xit E&xit - - Quit OpenLP - Quit OpenLP - - - + &Theme &Theme - + &Configure OpenLP... &Configure OpenLP... - - &Media Manager - &Media Manager - - - - Toggle Media Manager - Toggle Media Manager - - - - Toggle the visibility of the media manager. - Toggle the visibility of the media manager. - - - - &Theme Manager - &Theme Manager - - - - Toggle Theme Manager - Toggle Theme Manager - - - - Toggle the visibility of the theme manager. - Toggle the visibility of the theme manager. - - - - &Service Manager - &Service Manager - - - - Toggle Service Manager - Toggle Service Manager - - - - Toggle the visibility of the service manager. - Toggle the visibility of the service manager. - - - - &Preview Panel - &Preview Panel - - - - Toggle Preview Panel - Toggle Preview Panel - - - - Toggle the visibility of the preview panel. - Toggle the visibility of the preview panel. - - - - &Live Panel - &Live Panel - - - - Toggle Live Panel - Toggle Live Panel - - - - Toggle the visibility of the live panel. - Toggle the visibility of the live panel. - - - - List the Plugins - List the Plugins - - - - &User Guide - &User Guide - - - + &About &About - - More information about OpenLP - More information about OpenLP - - - - &Online Help - &Online Help - - - + &Web Site &Web Site - + Use the system language, if available. Use the system language, if available. - - Set the interface language to %s - Set the interface language to %s - - - + Add &Tool... Add &Tool... - + Add an application to the list of tools. Add an application to the list of tools. - - &Default - &Default - - - - Set the view mode back to the default. - Set the view mode back to the default. - - - + &Setup &Setup - - Set the view mode to Setup. - Set the view mode to Setup. - - - + &Live &Live - - Set the view mode to 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/. - 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 OpenLP Main Display Blanked - + The Main Display has been blanked out The Main Display has been blanked out - - Default Theme: %s - Default Theme: %s - - - + English Please add the name of your language here English - + Configure &Shortcuts... Configure &Shortcuts... - + Open &Data Folder... Open &Data Folder... - + Open the folder where songs, bibles and other data resides. Open the folder where songs, bibles and other data resides. - + &Autodetect &Autodetect - + Update Theme Images Update Theme Images - + Update the preview images for all themes. Update the preview images for all themes. - + Print the current service. Print the current service. - - L&ock Panels - L&ock Panels - - - - Prevent the panels being moved. - Prevent the panels being moved. - - - + Re-run First Time Wizard Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? 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. @@ -4275,107 +4110,68 @@ 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. - + Configure &Formatting Tags... Configure &Formatting Tags... - - Export OpenLP settings to a specified *.config file - Export OpenLP settings to a specified *.config file - - - + Settings Settings - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Import OpenLP settings from a specified *.config file previously exported on this or another machine - - - + Import settings? Import settings? - - Open File - Open File - - - - OpenLP Export Settings Files (*.conf) - OpenLP Export Settings Files (*.conf) - - - + Import settings Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File Export Settings File - - OpenLP Export Settings File (*.conf) - 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 - OpenLP Data directory copy failed - -%s - - - + General General - + Library Library - + Jump to the search box of the current active plugin. 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. @@ -4388,7 +4184,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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. @@ -4397,191 +4193,379 @@ Processing has terminated and no changes have been made. 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 - - - + &Recent Services &Recent Services - + &New Service &New Service - + &Open Service &Open Service - + &Save Service &Save Service - + Save Service &As... Save Service &As... - + &Manage Plugins &Manage Plugins - + Exit OpenLP Exit OpenLP - + Are you sure you want to exit OpenLP? Are you sure you want to exit OpenLP? - + &Exit OpenLP &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + The key "{key}" does not have a default value so it will be skipped in this export. + + + + An error occurred while exporting the settings: {err} + An error occurred while exporting the settings: {err} + + + + Default Theme: {theme} + Default Theme: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + OpenLP Data directory copy failed + +{err} + OpenLP Data directory copy failed + +{err} + + + + &Layout Presets + &Layout Presets + + + + Service + Service + + + + Themes + Themes + + + + Projectors + Projectors + + + + Close OpenLP - Shut down the program. + Close OpenLP - Shut down the program. + + + + Export settings to a *.config file. + Export settings to a *.config file. + + + + Import settings from a *.config file previously exported from this or another machine. + Import settings from a *.config file previously exported from this or another machine. + + + + &Projectors + &Projectors + + + + Hide or show Projectors. + Hide or show Projectors. + + + + Toggle visibility of the Projectors. + Toggle visibility of the Projectors. + + + + L&ibrary + L&ibrary + + + + Hide or show the Library. + Hide or show the Library. + + + + Toggle the visibility of the Library. + Toggle the visibility of the Library. + + + + &Themes + &Themes + + + + Hide or show themes + Hide or show themes + + + + Toggle visibility of the Themes. + Toggle visibility of the Themes. + + + + &Service + &Service + + + + Hide or show Service. + Hide or show Service. + + + + Toggle visibility of the Service. + Toggle visibility of the Service. + + + + &Preview + &Preview + + + + Hide or show Preview. + Hide or show Preview. + + + + Toggle visibility of the Preview. + Toggle visibility of the Preview. + + + + Li&ve + Li&ve + + + + Hide or show Live + Hide or show Live + + + + L&ock visibility of the panels + L&ock visibility of the panels + + + + Lock visibility of the panels. + Lock visibility of the panels. + + + + Toggle visibility of the Live. + Toggle visibility of the Live. + + + + You can enable and disable plugins from here. + You can enable and disable plugins from here. + + + + More information about OpenLP. + More information about OpenLP. + + + + Set the interface language to {name} + Set the interface language to {name} + + + + &Show all + &Show all + + + + Reset the interface back to the default layout and show all the panels. + Reset the interface back to the default layout and show all the panels. + + + + Use layout that focuses on setting up the Service. + Use layout that focuses on setting up the Service. + + + + Use layout that focuses on Live. + Use layout that focuses on Live. + + + + OpenLP Settings (*.conf) + OpenLP Settings (*.conf) + + + + &User Manual + + 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 +Database: {db} OpenLP cannot load your database. -Database: %s +Database: {db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} OpenLP.MediaManagerItem - + No Items Selected No Items Selected - + &Add to selected Service Item &Add to selected Service Item - + You must select one or more items to preview. 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 to send live. - + You must select one or more items. You must select one or more items. - + You must select an existing service item to add to. You must select an existing service item to add to. - + Invalid Service Item Invalid Service Item - - You must select a %s service item. - You must select a %s service item. - - - + You must select one or more items to add. You must select one or more items to add. - - No Search Results - No Search Results - - - + Invalid File Type Invalid File Type - - Invalid File %s. -Suffix not supported - Invalid File %s. -Suffix not supported - - - + &Clone &Clone - + Duplicate files were found on import and were ignored. Duplicate files were found on import and were ignored. + + + Invalid File {name}. +Suffix not supported + Invalid File {name}. +Suffix not supported + + + + You must select a {title} service item. + You must select a {title} service item. + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag is missing. - + <verse> tag is missing. <verse> tag is missing. @@ -4589,22 +4573,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status Unknown status - + No message No message - + Error while sending data to projector Error while sending data to projector - + Undefined command: Undefined command: @@ -4612,32 +4596,32 @@ Suffix not supported OpenLP.PlayerTab - + Players Players - + Available Media Players Available Media Players - + Player Search Order Player Search Order - + Visible background for videos with aspect ratio different to screen. Visible background for videos with aspect ratio different to screen. - + %s (unavailable) %s (unavailable) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" NOTE: To use VLC you must install the %s version @@ -4646,55 +4630,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details Plugin Details - + Status: Status: - + Active Active - - Inactive - Inactive - - - - %s (Inactive) - %s (Inactive) - - - - %s (Active) - %s (Active) + + Manage Plugins + Manage Plugins - %s (Disabled) - %s (Disabled) + {name} (Disabled) + {name} (Disabled) - - Manage Plugins - Manage Plugins + + {name} (Active) + {name} (Active) + + + + {name} (Inactive) + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page Fit Page - + Fit Width Fit Width @@ -4702,77 +4681,77 @@ Suffix not supported OpenLP.PrintServiceForm - + Options Options - + Copy Copy - + Copy as HTML Copy as HTML - + Zoom In Zoom In - + Zoom Out Zoom Out - + Zoom Original Zoom Original - + Other Options Other Options - + Include slide text if available Include slide text if available - + Include service item notes Include service item notes - + Include play length of media items Include play length of media items - + Add page break before each text item Add page break before each text item - + Service Sheet Service Sheet - + Print Print - + Title: Title: - + Custom Footer Text: Custom Footer Text: @@ -4780,257 +4759,257 @@ Suffix not supported OpenLP.ProjectorConstants - + 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 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 Initialize 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 @@ -5038,17 +5017,17 @@ Suffix not supported OpenLP.ProjectorEdit - + 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 @@ -5056,52 +5035,52 @@ Suffix not supported OpenLP.ProjectorEditForm - + Add New Projector Add New Projector - + Edit Projector Edit Projector - + IP Address IP Address - + Port Number Port Number - + PIN PIN - + Name Name - + Location Location - + Notes Notes - + Database Error Database Error - + 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 @@ -5109,305 +5088,360 @@ Suffix not supported OpenLP.ProjectorManager - + 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 - + Port Port - + Notes Notes - + 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 - - Delete projector (%s) %s? - Delete projector (%s) %s? - - - + Are you sure you want to delete this projector? Are you sure you want to delete this projector? + + + Add a new projector. + Add a new projector. + + + + Edit selected projector. + Edit selected projector. + + + + Delete selected projector. + Delete selected projector. + + + + Choose input source on selected projector. + Choose input source on selected 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 projector. + Disconnect from selected projector. + + + + Disconnect from selected projectors. + Disconnect from selected projectors. + + + + Power on selected projector. + Power on selected projector. + + + + Power on selected projectors. + Power on selected projectors. + + + + Put selected projector in standby. + Put selected projector in standby. + + + + Put selected projectors in standby. + Put selected projectors in standby. + + + + Blank selected projectors screen + Blank selected projectors screen + + + + Blank selected projectors screen. + Blank selected projectors screen. + + + + Show selected projector screen. + Show selected projector screen. + + + + Show selected projectors screen. + Show selected projectors screen. + + + + is on + is on + + + + is off + is off + + + + Authentication Error + Authentication Error + + + + No Authentication Error + No Authentication Error + OpenLP.ProjectorPJLink - + Fan Fan - + Lamp Lamp - + Temperature Temperature - + Cover Cover - + Filter Filter - + Other Other @@ -5453,17 +5487,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address Duplicate IP Address - + Invalid IP Address Invalid IP Address - + Invalid Port Number Invalid Port Number @@ -5476,27 +5510,27 @@ Suffix not supported Screen - + primary primary OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Length</strong>: %s - - [slide %d] - [slide %d] + [slide {frame:d}] + [slide {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Start</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Length</strong>: {length} @@ -5560,52 +5594,52 @@ Suffix not supported Delete the selected item from the service. - + &Add New Item &Add New Item - + &Add to Selected Item &Add to Selected Item - + &Edit Item &Edit Item - + &Reorder Item &Reorder Item - + &Notes &Notes - + &Change Item Theme &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 @@ -5630,7 +5664,7 @@ Suffix not supported Collapse all the service items. - + Open File Open File @@ -5660,22 +5694,22 @@ Suffix not supported Send the selected item to Live. - + &Start Time &Start Time - + Show &Preview Show &Preview - + Modified Service Modified Service - + The current service has been modified. Would you like to save this service? The current service has been modified. Would you like to save this service? @@ -5695,27 +5729,27 @@ Suffix not supported Playing time: - + Untitled Service 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 @@ -5735,148 +5769,148 @@ 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. - + Service File(s) Missing Service File(s) Missing - + &Rename... &Rename... - + Create New &Custom Slide Create New &Custom Slide - + &Auto play slides &Auto play slides - + Auto play slides &Loop Auto play slides &Loop - + Auto play slides &Once Auto play slides &Once - + &Delay between slides &Delay between slides - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - The following file(s) in the service are missing: %s + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. + + + An error occurred while writing the service file: {error} + An error occurred while writing the service file: {error} + OpenLP.ServiceNoteForm @@ -5907,15 +5941,10 @@ These files will be removed if you continue to save. Shortcut - + Duplicate Shortcut Duplicate Shortcut - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Alternate @@ -5961,219 +5990,235 @@ These files will be removed if you continue to save. Configure Shortcuts Configure Shortcuts + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Hide - + Go To Go To - - - Blank Screen - Blank Screen - - Blank to Theme - Blank to Theme - - - Show Desktop Show Desktop - + Previous Service Previous Service - + Next Service Next Service - - Escape Item - Escape Item - - - + Move to previous. Move to previous. - + Move to next. Move to next. - + Play Slides Play Slides - + Delay between slides in seconds. Delay between slides in seconds. - + Move to live. Move to live. - + Add to Service. Add to Service. - + Edit and reload song preview. Edit and reload song preview. - + Start playing media. Start playing media. - + Pause audio. Pause audio. - + Pause playing media. Pause playing media. - + Stop playing media. Stop playing media. - + Video position. Video position. - + Audio Volume. Audio Volume. - + Go to "Verse" Go to "Verse" - + Go to "Chorus" Go to "Chorus" - + Go to "Bridge" Go to "Bridge" - + Go to "Pre-Chorus" Go to "Pre-Chorus" - + Go to "Intro" Go to "Intro" - + Go to "Ending" Go to "Ending" - + Go to "Other" Go to "Other" - + Previous Slide Previous Slide - + Next Slide Next Slide - + Pause Audio Pause Audio - + Background Audio Background Audio - + Go to next audio track. Go to next audio track. - + Tracks Tracks + + + Loop playing media. + Loop playing media. + + + + Video timer. + Video timer. + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + 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 - + 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? @@ -6181,17 +6226,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling Suggestions - + Formatting Tags Formatting Tags - + Language: Language: @@ -6270,7 +6315,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (approximately %d lines per slide) @@ -6278,523 +6323,533 @@ These files will be removed if you continue to save. OpenLP.ThemeManager - + Create a new theme. Create a new theme. - + Edit Theme Edit Theme - + Edit a theme. Edit a theme. - + Delete Theme Delete Theme - + Delete a theme. Delete a theme. - + Import Theme Import Theme - + Import a theme. Import a theme. - + Export Theme Export Theme - + Export a theme. Export a theme. - + &Edit Theme &Edit Theme - + &Delete Theme &Delete Theme - + Set As &Global Default Set As &Global Default - - %s (default) - %s (default) - - - + You must select a theme to edit. You must select a theme to edit. - + You are unable to delete the default theme. You are unable to delete the default theme. - + 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 - + Select Theme Import File Select Theme Import File - + File is not a valid theme. File is not a valid theme. - + &Copy Theme &Copy Theme - + &Rename Theme &Rename Theme - + &Export Theme &Export Theme - + You must select a theme to rename. You must select a theme to rename. - + Rename Confirmation Rename Confirmation - + Rename %s theme? Rename %s theme? - + You must select a theme to delete. You must select a theme to delete. - + Delete Confirmation Delete Confirmation - + Delete %s theme? Delete %s theme? - + Validation Error Validation Error - + A theme with this name already exists. A theme with this name already exists. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s time(s) by %s - - - + Unable to delete theme Unable to delete theme + + + {text} (default) + {text} (default) + + + + Copy of {name} + Copy of <theme name> + Copy of {name} + + + + Save Theme - ({name}) + Save Theme - ({name}) + + + + The theme export failed because this error occurred: {err} + The theme export failed because this error occurred: {err} + + + + {name} (default) + {name} (default) + + + + Theme {name} already exists. Do you want to replace it? + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + {count} time(s) by {plugin} + + + Theme is currently used -%s +{text} Theme is currently used -%s +{text} OpenLP.ThemeWizard - + Theme Wizard Theme Wizard - + Welcome to the Theme Wizard Welcome to the Theme Wizard - + Set Up Background Set Up Background - + Set up your theme's background according to the parameters below. Set up your theme's background according to the parameters below. - + Background type: Background type: - + Gradient Gradient - + Gradient: Gradient: - + Horizontal Horizontal - + Vertical Vertical - + Circular Circular - + Top Left - Bottom Right Top Left - Bottom Right - + Bottom Left - Top Right Bottom Left - Top Right - + Main Area Font Details Main Area Font Details - + Define the font and display characteristics for the Display text Define the font and display characteristics for the Display text - + Font: Font: - + Size: Size: - + Line Spacing: Line Spacing: - + &Outline: &Outline: - + &Shadow: &Shadow: - + Bold Bold - + Italic Italic - + Footer Area Font Details Footer Area Font Details - + Define the font and display characteristics for the Footer text Define the font and display characteristics for the Footer text - + Text Formatting Details Text Formatting Details - + Allows additional display formatting information to be defined Allows additional display formatting information to be defined - + Horizontal Align: Horizontal Align: - + Left Left - + Right Right - + Center Center - + Output Area Locations Output Area Locations - + &Main Area &Main Area - + &Use default location &Use default location - + X position: X position: - + px px - + Y position: Y position: - + Width: Width: - + Height: Height: - + Use default location Use default location - + Theme name: Theme name: - - Edit Theme - %s - 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. 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: Transitions: - + &Footer Area &Footer Area - + Starting color: Starting color: - + Ending color: Ending color: - + Background color: Background color: - + Justify Justify - + Layout Preview Layout Preview - + Transparent Transparent - + Preview and Save Preview and Save - + Preview the theme and save it. Preview the theme and save it. - + Background Image Empty Background Image Empty - + Select Image Select Image - + Theme Name Missing Theme Name Missing - + There is no name for this theme. Please enter one. There is no name for this theme. Please enter one. - + Theme Name Invalid Theme Name Invalid - + Invalid theme name. Please enter one. Invalid theme name. Please enter one. - + Solid color Solid color - + color: color: - + Allows you to change and move the Main and Footer areas. Allows you to change and move the Main and Footer areas. - + You have not selected a background image. Please select one before continuing. You have not selected a background image. Please select one before continuing. + + + Edit Theme - {name} + Edit Theme - {name} + + + + Select Video + Select Video + OpenLP.ThemesTab @@ -6877,73 +6932,73 @@ These files will be removed if you continue to save. &Vertical Align: - + Finished import. Finished import. - + Format: Format: - + Importing Importing - + Importing "%s"... Importing "%s"... - + Select Import Source 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 Open %s File - + %p% %p% - + Ready. Ready. - + Starting import... Starting import... - + 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 @@ -6961,7 +7016,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6993,39 +7048,34 @@ These files will be removed if you continue to save. XML syntax error - - Welcome to the Bible Upgrade Wizard - Welcome to the Bible Upgrade Wizard - - - + Open %s Folder 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 file to import from. - + You need to specify one %s folder to import from. A song format e.g. PowerSong You need to specify one %s folder to import from. - + Importing Songs Importing Songs - + Welcome to the Duplicate Song Removal Wizard Welcome to the Duplicate Song Removal Wizard - + Written by Written by @@ -7035,502 +7085,490 @@ These files will be removed if you continue to save. Author Unknown - + About About - + &Add &Add - + Add group Add group - + Advanced Advanced - + All Files All Files - + Automatic Automatic - + Background Color Background Color - + Bottom Bottom - + Browse... Browse... - + Cancel Cancel - + CCLI number: CCLI number: - + Create a new service. Create a new service. - + Confirm Delete Confirm Delete - + Continuous Continuous - + Default Default - + Default Color: 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. Service %Y-%m-%d %H-%M - + &Delete &Delete - + Display style: Display style: - + Duplicate Error Duplicate Error - + &Edit &Edit - + Empty Field Empty Field - + Error Error - + Export Export - + File File - + File Not Found File Not Found - - File %s not found. -Please try selecting it individually. - File %s not found. -Please try selecting it individually. - - - + pt Abbreviated font pointsize unit pt - + Help Help - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Invalid Folder Selected - + Invalid File Selected Singular Invalid File Selected - + Invalid Files Selected Plural Invalid Files Selected - + Image Image - + Import Import - + Layout style: Layout style: - + Live Live - + Live Background Error Live Background Error - + Live Toolbar Live Toolbar - + Load Load - + Manufacturer Singular Manufacturer - + Manufacturers Plural Manufacturers - + Model Singular Model - + Models Plural Models - + m The abbreviated unit for minutes m - + Middle Middle - + New New - + New Service New Service - + New Theme New Theme - + Next Track Next Track - + No Folder Selected Singular No Folder Selected - + No File Selected Singular No File Selected - + No Files Selected Plural No Files Selected - + No Item Selected Singular No Item Selected - + No Items Selected Plural No Items Selected - + OpenLP is already running. Do you wish to continue? OpenLP is already running. Do you wish to continue? - + Open service. Open service. - + Play Slides in Loop Play Slides in Loop - + Play Slides to End Play Slides to End - + Preview 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 - + CCLI song number: CCLI song number: - + Preview Toolbar Preview Toolbar - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Replace live background is not available when the WebKit player is disabled. @@ -7546,32 +7584,100 @@ Please try selecting it individually. Plural Songbooks + + + Background color: + Background color: + + + + Add group. + Add group. + + + + File {name} not found. +Please try selecting it individually. + File {name} not found. +Please try selecting it individually. + + + + Start {code} + Start {code} + + + + Video + Video + + + + Search is Empty or too Short + Search is Empty or too Short + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + No Bibles Available + No Bibles Available + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + Book Chapter + Book Chapter + + + + Chapter + Chapter + + + + Verse + Verse + + + + Psalm + Psalm + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + No Search Results + No Search Results + + + + Please type more text to use 'Search As You Type' + + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s and %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, and %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7651,47 +7757,47 @@ Please try selecting it individually. Present using: - + File Exists File Exists - + A presentation with that filename already exists. A presentation with that filename already exists. - + This type of presentation is not supported. This type of presentation is not supported. - - Presentations (%s) - Presentations (%s) - - - + Missing Presentation Missing Presentation - - The presentation %s is incomplete, please reload. - The presentation %s is incomplete, please reload. + + Presentations ({text}) + Presentations ({text}) - - The presentation %s no longer exists. - The presentation %s no longer exists. + + The presentation {name} no longer exists. + The presentation {name} no longer exists. + + + + The presentation {name} is incomplete, please reload. + The presentation {name} is incomplete, please reload. 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. + + 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. @@ -7701,11 +7807,6 @@ Please try selecting it individually. Available Controllers Available Controllers - - - %s (unavailable) - %s (unavailable) - Allow presentation application to be overridden @@ -7722,12 +7823,12 @@ Please try selecting it individually. 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. @@ -7738,13 +7839,20 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect + Clicking on the current slide advances to the next effect - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + {name} (unavailable) + {name} (unavailable) @@ -7786,127 +7894,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 - + Remote Remote - + Stage View Stage View - + Live View Live View @@ -7914,79 +8022,142 @@ Please try selecting it individually. 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 Display stage time in 12h format - + Android App Android App - + Live view URL: Live view 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. 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 Authentication - + User id: User id: - + Password: Password: - + Show thumbnails of non-text slides in remote and stage view. Show thumbnails of non-text slides in remote and stage view. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + iOS App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Output Path Not Selected + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Report Creation + + + + Report +{name} +has been successfully created. + Report +{name} +has been successfully created. + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8027,50 +8198,50 @@ Please try selecting it individually. 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 @@ -8138,24 +8309,10 @@ 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 Creation - - - Report -%s -has been successfully created. - Report -%s -has been successfully created. - Output Path Not Selected @@ -8169,14 +8326,28 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + usage_detail_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + Report +{name} +has been successfully created. + + + + An error occurred while creating the report: {error} + An error occurred while creating the report: {error} @@ -8192,102 +8363,102 @@ Please select an existing path on your computer. 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... - + 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. @@ -8296,26 +8467,26 @@ 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 Song - + Songs name plural Songs - + Songs container title Songs @@ -8326,37 +8497,37 @@ The encoding is responsible for the correct character representation.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 @@ -8371,15 +8542,30 @@ The encoding is responsible for the correct character representation.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. + + + Songs + Songs + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8465,62 +8651,67 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administered by %s - - - - "%s" could not be imported. %s - "%s" could not be imported. %s - - - + Unexpected data formatting. Unexpected data formatting. - + No song text found. No song text found. - + [above are Song Tags with notes imported from EasyWorship] [above are Song Tags with notes imported from EasyWorship] - + 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. + + + Administered by {admin} + Administered by {admin} + + + + "{title}" could not be imported. {entry} + "{title}" could not be imported. {entry} + + + + "{title}" could not be imported. {error} + "{title}" could not be imported. {error} + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Custom Book Names @@ -8603,57 +8794,57 @@ The encoding is responsible for the correct character representation.Theme, Copyright Info && Comments - + Add Author Add Author - + This author does not exist, do you want to add them? This author does not exist, do you want to add them? - + This author is already in the list. 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. 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 Add Topic - + This topic does not exist, do you want to add it? This topic does not exist, do you want to add it? - + This topic is already in the list. 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 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 a song title. - + You need to type in at least one verse. You need to type in at least one verse. - + You need to have an author for this song. You need to have an author for this song. @@ -8678,7 +8869,7 @@ The encoding is responsible for the correct character representation.Remove &All - + Open File(s) Open File(s) @@ -8693,14 +8884,7 @@ The encoding is responsible for the correct character representation.<strong>Warning:</strong> You have not entered a verse order. - - There is no verse 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 Invalid Verse Order @@ -8710,22 +8894,15 @@ Please enter the verses separated by spaces. &Edit Author Type - + Edit Author Type Edit Author Type - + Choose type for this author Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - &Manage Authors, Topics, Songbooks @@ -8747,45 +8924,77 @@ Please enter the verses separated by spaces. Authors, Topics && Songbooks - + Add Songbook Add Songbook - + This Songbook does not exist, do you want to add it? This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse Edit Verse - + &Verse type: &Verse type: - + &Insert &Insert - + Split a slide into two by inserting a verse splitter. Split a slide into two by inserting a verse splitter. @@ -8798,77 +9007,77 @@ Please enter the verses separated by spaces. Song Export Wizard - + Select Songs Select Songs - + Check the songs you want to export. Check the songs you want to export. - + Uncheck All Uncheck All - + Check All Check All - + Select Directory Select Directory - + Directory: Directory: - + Exporting Exporting - + Please wait while your songs are exported. Please wait while your songs are exported. - + You need to add at least one Song to export. You need to add at least one Song to export. - + No Save Location specified No Save Location specified - + Starting export... Starting export... - + You need to specify a directory. You need to specify a directory. - + Select Destination Folder Select Destination Folder - + Select the directory where you want the songs to be saved. 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. This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. @@ -8876,7 +9085,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Invalid Foilpresenter song file. No verses found. @@ -8884,7 +9093,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Enable search as you type @@ -8892,7 +9101,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Select Document/Presentation Files @@ -8902,237 +9111,252 @@ Please enter the verses separated by spaces. 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 Generic Document/Presentation - + Add Files... Add Files... - + Remove File(s) Remove File(s) - + Please wait while your songs are imported. Please wait while your songs are imported. - + Words Of Worship Song Files Words Of Worship Song Files - + Songs Of Fellowship Song Files Songs Of Fellowship Song Files - + SongBeamer Files SongBeamer Files - + SongShow Plus Song Files SongShow Plus Song Files - + Foilpresenter Song Files Foilpresenter Song Files - + Copy Copy - + Save to File 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 Files OpenLyrics Files - + CCLI SongSelect Files CCLI SongSelect Files - + EasySlides XML File EasySlides XML File - + EasyWorship Song Database EasyWorship Song Database - + DreamBeam Song Files DreamBeam Song Files - + You need to specify a valid PowerSong 1.0 database folder. You need to specify a valid PowerSong 1.0 database folder. - + 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>. 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 SundayPlus Song Files - + This importer has been disabled. 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. 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 EasyWorship Service File - + WorshipCenter Pro Song Files 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. 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 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. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases OpenLP 2 Databases - + LyriX Files LyriX Files - + LyriX (Exported TXT-files) LyriX (Exported TXT-files) - + VideoPsalm Files VideoPsalm Files - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + OPS Pro database + + + + The OPS 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. + The OPS 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. + + + + ProPresenter Song Files + ProPresenter Song Files + + + + The VideoPsalm songbooks are normally located in {path} + The VideoPsalm songbooks are normally located in {path} SongsPlugin.LyrixImport - Error: %s - Error: %s + File {name} + File {name} + + + + Error: {error} + Error: {error} @@ -9151,79 +9375,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Titles - + Lyrics Lyrics - + CCLI License: CCLI License: - + Entire Song Entire Song - + Maintain the lists of authors, topics and books. Maintain the lists of authors, topics and books. - + copy For song cloning copy - + Search Titles... Search Titles... - + Search Entire Song... Search Entire Song... - + Search Lyrics... Search Lyrics... - + Search Authors... Search Authors... - - Are you sure you want to delete the "%d" selected song(s)? - Are you sure you want to delete the "%d" selected song(s)? - - - + Search Songbooks... Search Songbooks... + + + Search Topics... + Search Topics... + + + + Copyright + Copyright + + + + Search Copyright... + Search Copyright... + + + + CCLI number + CCLI number + + + + Search CCLI number... + Search CCLI number... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Unable to open the MediaShout database. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Unable to connect the OPS Pro database. + + + + "{title}" could not be imported. {error} + "{title}" could not be imported. {error} + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Not a valid OpenLP 2 song database. @@ -9231,9 +9493,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exporting "%s"... + + Exporting "{title}"... + Exporting "{title}"... @@ -9252,29 +9514,37 @@ Please enter the verses separated by spaces. No songs to import. - + Verses not found. Missing "PART" header. Verses not found. Missing "PART" header. - No %s files found. - No %s files found. + No {text} files found. + No {text} files found. - Invalid %s file. Unexpected byte value. - Invalid %s file. Unexpected byte value. + Invalid {text} file. Unexpected byte value. + Invalid {text} file. Unexpected byte value. - Invalid %s file. Missing "TITLE" header. - Invalid %s file. Missing "TITLE" header. + Invalid {text} file. Missing "TITLE" header. + Invalid {text} file. Missing "TITLE" header. - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Invalid %s file. Missing "COPYRIGHTLINE" header. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + File is not in XML-format, which is the only format supported. @@ -9303,19 +9573,19 @@ 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 + + Your song export failed because this error occurred: {error} + Your song export failed because this error occurred: {error} @@ -9331,17 +9601,17 @@ Please enter the verses separated by spaces. The following songs could not be imported: - + Cannot access OpenOffice or LibreOffice Cannot access OpenOffice or LibreOffice - + Unable to open file Unable to open file - + File not found File not found @@ -9349,109 +9619,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Could not add your author. - + This author already exists. This author already exists. - + Could not add your topic. Could not add your topic. - + This topic already exists. This topic already exists. - + Could not add your book. Could not add your book. - + This book already exists. This book already exists. - + Could not save your changes. Could not save your changes. - + Could not save your modified author, because the author already exists. Could not save your modified author, because the author already exists. - + Could not save your modified topic, because it already exists. Could not save your modified topic, because it already exists. - + Delete Author Delete Author - + Are you sure you want to delete the selected 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. This author cannot be deleted, they are currently assigned to at least one song. - + Delete Topic Delete Topic - + Are you sure you want to delete the selected 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. This topic cannot be deleted, it is currently assigned to at least one song. - + Delete Book Delete Book - + Are you sure you want to delete the selected 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. 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 author %s already exists. Would you like to make songs with author %s use the existing author %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? @@ -9497,52 +9767,47 @@ Please enter the verses separated by spaces. Search - - Found %s song(s) - Found %s song(s) - - - + Logout Logout - + View View - + Title: Title: - + Author(s): Author(s): - + Copyright: Copyright: - + CCLI Number: CCLI Number: - + Lyrics: Lyrics: - + Back Back - + Import Import @@ -9582,7 +9847,7 @@ Please enter the verses separated by spaces. There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported Song Imported @@ -9597,7 +9862,7 @@ Please enter the verses separated by spaces. 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? Your song has been imported, would you like to import more songs? @@ -9606,6 +9871,11 @@ Please enter the verses separated by spaces. Stop Stop + + + Found {count:d} song(s) + Found {count:d} song(s) + SongsPlugin.SongsTab @@ -9614,30 +9884,30 @@ Please enter the verses separated by spaces. Songs Mode Songs Mode - - - Display verses on live tool bar - Display verses on live tool bar - Update service from song edit Update service from song edit - - - Import missing songs from service files - Import missing songs from service files - Display songbook in footer Display songbook in footer + + + Enable "Go to verse" button in Live panel + Enable "Go to verse" button in Live panel + + + + Import missing songs from Service files + Import missing songs from Service files + - Display "%s" symbol before copyright info - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info + Display "{symbol}" symbol before copyright info @@ -9661,37 +9931,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Verse - + Chorus Chorus - + Bridge Bridge - + Pre-Chorus Pre-Chorus - + Intro Intro - + Ending Ending - + Other Other @@ -9699,22 +9969,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - Error: %s + + Error: {error} + Error: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + Invalid Words of Worship song file. Missing "{text}" string. @@ -9725,30 +9995,30 @@ Please enter the verses separated by spaces. Error reading CSV file. - - Line %d: %s - Line %d: %s - - - - Decoding error: %s - Decoding error: %s - - - + File not valid WorshipAssistant CSV format. File not valid WorshipAssistant CSV format. - - Record %d - Record %d + + Line {number:d}: {error} + Line {number:d}: {error} + + + + Record {count:d} + Record {count:d} + + + + Decoding error: {error} + Decoding error: {error} SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Unable to connect the WorshipCenter Pro database. @@ -9761,25 +10031,30 @@ Please enter the verses separated by spaces. Error reading CSV file. - + File not valid ZionWorx CSV format. File not valid ZionWorx CSV format. - - Line %d: %s - Line %d: %s - - - - Decoding error: %s - Decoding error: %s - - - + Record %d Record %d + + + Line {number:d}: {error} + Line {number:d}: {error} + + + + Record {index} + Record {index} + + + + Decoding error: {error} + Decoding error: {error} + Wizard @@ -9789,39 +10064,960 @@ 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. 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. Searching for duplicate songs. - + Please wait while your songs database is analyzed. Please wait while your songs database is analyzed. - + Here you can decide which songs to remove and which ones to keep. Here you can decide which songs to remove and which ones to keep. - - Review duplicate songs (%s/%s) - Review duplicate songs (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. No duplicate songs have been found in the database. + + + Review duplicate songs ({current}/{total}) + Review duplicate songs ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + (Afan) Oromo + + + + Abkhazian + Language code: ab + Abkhazian + + + + Afar + Language code: aa + Afar + + + + Afrikaans + Language code: af + Afrikaans + + + + Albanian + Language code: sq + Albanian + + + + Amharic + Language code: am + Amharic + + + + Amuzgo + Language code: amu + Amuzgo + + + + Ancient Greek + Language code: grc + Ancient Greek + + + + Arabic + Language code: ar + Arabic + + + + Armenian + Language code: hy + Armenian + + + + Assamese + Language code: as + Assamese + + + + Aymara + Language code: ay + Aymara + + + + Azerbaijani + Language code: az + Azerbaijani + + + + Bashkir + Language code: ba + Bashkir + + + + Basque + Language code: eu + Basque + + + + Bengali + Language code: bn + Bengali + + + + Bhutani + Language code: dz + Bhutani + + + + Bihari + Language code: bh + Bihari + + + + Bislama + Language code: bi + Bislama + + + + Breton + Language code: br + Breton + + + + Bulgarian + Language code: bg + Bulgarian + + + + Burmese + Language code: my + Burmese + + + + Byelorussian + Language code: be + Byelorussian + + + + Cakchiquel + Language code: cak + Cakchiquel + + + + Cambodian + Language code: km + Cambodian + + + + Catalan + Language code: ca + Catalan + + + + Chinese + Language code: zh + Chinese + + + + Comaltepec Chinantec + Language code: cco + Comaltepec Chinantec + + + + Corsican + Language code: co + Corsican + + + + Croatian + Language code: hr + Croatian + + + + Czech + Language code: cs + Czech + + + + Danish + Language code: da + Danish + + + + Dutch + Language code: nl + Dutch + + + + English + Language code: en + English + + + + Esperanto + Language code: eo + Esperanto + + + + Estonian + Language code: et + Estonian + + + + Faeroese + Language code: fo + Faeroese + + + + Fiji + Language code: fj + Fiji + + + + Finnish + Language code: fi + Finnish + + + + French + Language code: fr + French + + + + Frisian + Language code: fy + Frisian + + + + Galician + Language code: gl + Galician + + + + Georgian + Language code: ka + Georgian + + + + German + Language code: de + German + + + + Greek + Language code: el + Greek + + + + Greenlandic + Language code: kl + Greenlandic + + + + Guarani + Language code: gn + Guarani + + + + Gujarati + Language code: gu + Gujarati + + + + Haitian Creole + Language code: ht + Haitian Creole + + + + Hausa + Language code: ha + Hausa + + + + Hebrew (former iw) + Language code: he + Hebrew (former iw) + + + + Hiligaynon + Language code: hil + Hiligaynon + + + + Hindi + Language code: hi + Hindi + + + + Hungarian + Language code: hu + Hungarian + + + + Icelandic + Language code: is + Icelandic + + + + Indonesian (former in) + Language code: id + Indonesian (former in) + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Interlingue + + + + Inuktitut (Eskimo) + Language code: iu + Inuktitut (Eskimo) + + + + Inupiak + Language code: ik + Inupiak + + + + Irish + Language code: ga + Irish + + + + Italian + Language code: it + Italian + + + + Jakalteko + Language code: jac + Jakalteko + + + + Japanese + Language code: ja + Japanese + + + + Javanese + Language code: jw + Javanese + + + + K'iche' + Language code: quc + K'iche' + + + + Kannada + Language code: kn + Kannada + + + + Kashmiri + Language code: ks + Kashmiri + + + + Kazakh + Language code: kk + Kazakh + + + + Kekchí + Language code: kek + Kekchí + + + + Kinyarwanda + Language code: rw + Kinyarwanda + + + + Kirghiz + Language code: ky + Kirghiz + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Korean + + + + Kurdish + Language code: ku + Kurdish + + + + Laothian + Language code: lo + Laothian + + + + Latin + Language code: la + Latin + + + + Latvian, Lettish + Language code: lv + Latvian, Lettish + + + + Lingala + Language code: ln + Lingala + + + + Lithuanian + Language code: lt + Lithuanian + + + + Macedonian + Language code: mk + Macedonian + + + + Malagasy + Language code: mg + Malagasy + + + + Malay + Language code: ms + Malay + + + + Malayalam + Language code: ml + Malayalam + + + + Maltese + Language code: mt + Maltese + + + + Mam + Language code: mam + Mam + + + + Maori + Language code: mi + Maori + + + + Maori + Language code: mri + Maori + + + + Marathi + Language code: mr + Marathi + + + + Moldavian + Language code: mo + Moldavian + + + + Mongolian + Language code: mn + Mongolian + + + + Nahuatl + Language code: nah + Nahuatl + + + + Nauru + Language code: na + Nauru + + + + Nepali + Language code: ne + Nepali + + + + Norwegian + Language code: no + Norwegian + + + + Occitan + Language code: oc + Occitan + + + + Oriya + Language code: or + Oriya + + + + Pashto, Pushto + Language code: ps + Pashto, Pushto + + + + Persian + Language code: fa + Persian + + + + Plautdietsch + Language code: pdt + Plautdietsch + + + + Polish + Language code: pl + Polish + + + + Portuguese + Language code: pt + Portuguese + + + + Punjabi + Language code: pa + Punjabi + + + + Quechua + Language code: qu + Quechua + + + + Rhaeto-Romance + Language code: rm + Rhaeto-Romance + + + + Romanian + Language code: ro + Romanian + + + + Russian + Language code: ru + Russian + + + + Samoan + Language code: sm + Samoan + + + + Sangro + Language code: sg + Sangro + + + + Sanskrit + Language code: sa + Sanskrit + + + + Scots Gaelic + Language code: gd + Scots Gaelic + + + + Serbian + Language code: sr + Serbian + + + + Serbo-Croatian + Language code: sh + Serbo-Croatian + + + + Sesotho + Language code: st + Sesotho + + + + Setswana + Language code: tn + Setswana + + + + Shona + Language code: sn + Shona + + + + Sindhi + Language code: sd + Sindhi + + + + Singhalese + Language code: si + Singhalese + + + + Siswati + Language code: ss + Siswati + + + + Slovak + Language code: sk + Slovak + + + + Slovenian + Language code: sl + Slovenian + + + + Somali + Language code: so + Somali + + + + Spanish + Language code: es + Spanish + + + + Sudanese + Language code: su + Sudanese + + + + Swahili + Language code: sw + Swahili + + + + Swedish + Language code: sv + Swedish + + + + Tagalog + Language code: tl + Tagalog + + + + Tajik + Language code: tg + Tajik + + + + Tamil + Language code: ta + Tamil + + + + Tatar + Language code: tt + Tatar + + + + Tegulu + Language code: te + Tegulu + + + + Thai + Language code: th + Thai + + + + Tibetan + Language code: bo + Tibetan + + + + Tigrinya + Language code: ti + Tigrinya + + + + Tonga + Language code: to + Tonga + + + + Tsonga + Language code: ts + Tsonga + + + + Turkish + Language code: tr + Turkish + + + + Turkmen + Language code: tk + Turkmen + + + + Twi + Language code: tw + Twi + + + + Uigur + Language code: ug + Uigur + + + + Ukrainian + Language code: uk + Ukrainian + + + + Urdu + Language code: ur + Urdu + + + + Uspanteco + Language code: usp + Uspanteco + + + + Uzbek + Language code: uz + Uzbek + + + + Vietnamese + Language code: vi + Vietnamese + + + + Volapuk + Language code: vo + Volapuk + + + + Welch + Language code: cy + Welch + + + + Wolof + Language code: wo + Wolof + + + + Xhosa + Language code: xh + Xhosa + + + + Yiddish (former ji) + Language code: yi + Yiddish (former ji) + + + + Yoruba + Language code: yo + Yoruba + + + + Zhuang + Language code: za + Zhuang + + + + Zulu + Language code: zu + Zulu + + + diff --git a/resources/i18n/en_GB.ts b/resources/i18n/en_GB.ts index 41ccb0a6f..7afd7b386 100644 --- a/resources/i18n/en_GB.ts +++ b/resources/i18n/en_GB.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? The alert text does not contain '<>'. Do you want to continue anyway? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. You haven't specified any text for your alert. Please type in some text before clicking New. @@ -120,32 +121,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font Font - + Font name: Font name: - + Font color: Font color: - - Background color: - Background color: - - - + Font size: Font size: - + Alert timeout: Alert timeout: @@ -153,88 +149,78 @@ 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. - Genesis @@ -739,161 +725,130 @@ Please type in some text before clicking New. 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 Duplicate Book Name - - The Book Name "%s" has been entered more than once. - The Book Name "%s" has been entered more than once. + + You need to specify a book name for "{text}". + You need to specify a book name for "{text}". + + + + The book name "{name}" 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 "{name}" 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 "{name}" has been entered more than once. + The Book Name "{name}" has been entered more than once. + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - - Web Bible cannot be used - Web Bible cannot be used + + Web Bible cannot be used in Text Search + Web Bible cannot be used in Text Search - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -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 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. + +This means that the currently used Bible +or Second Bible is installed as Web Bible. + +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + Nothing found + Nothing found BiblesPlugin.BiblesTab - + Verse Display Verse Display - + Only show new chapter numbers Only show new chapter numbers - + Bible theme: Bible theme: - + No Brackets No Brackets - + ( And ) ( And ) - + { And } { And } - + [ And ] [ And ] - - Note: -Changes do not affect verses already in the service. - Note: -Changes do not affect verses already in the service. - - - + Display second Bible verses Display second Bible verses - + Custom Scripture References Custom Scripture References - - Verse Separator: - Verse Separator: - - - - Range Separator: - Range Separator: - - - - List Separator: - List Separator: - - - - End Mark: - 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. @@ -902,37 +857,84 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English English - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Bible Language Bible Language - + Application Language Application Language - + Show verse numbers Show verse numbers + + + Note: Changes do not affect verses in the Service + Note: Changes do not affect verses in the Service + + + + Verse separator: + Verse separator: + + + + Range separator: + Range separator: + + + + List separator: + List separator: + + + + End mark: + End mark: + + + + Quick Search Settings + Quick Search Settings + + + + Reset search type to "Text or Scripture Reference" on startup + Reset search type to "Text or Scripture Reference" on startup + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Don't show error if nothing is found in "Text or Scripture Reference" + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + BiblesPlugin.BookNameDialog @@ -988,70 +990,71 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - Importing books... %s + + Importing books... {book} + Importing books... {book} - - Importing verses... done. - Importing verses... done. + + Importing verses from {book}... + Importing verses from <book name>... + Importing verses from {book}... BiblesPlugin.EditBibleForm - + Bible Editor Bible Editor - + License Details Licence Details - + Version name: Version name: - + Copyright: Copyright: - + Permissions: Permissions: - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Global Settings Global Settings - + Bible Language Bible Language - + Application Language Application Language - + English English @@ -1071,224 +1074,259 @@ 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. + + + Importing {book}... + Importing <book name>... + Importing {book}... + 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. + + + Bibles: + Bibles: + + + + SWORD data folder: + SWORD data folder: + + + + SWORD zip-file: + SWORD zip-file: + + + + Defaults to the standard SWORD data folder + Defaults to the standard SWORD data folder + + + + Import from folder + Import from folder + + + + Import from Zip-file + Import from Zip-file + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + BiblesPlugin.LanguageDialog @@ -1319,293 +1357,161 @@ It is not possible to customize the Book Names. BiblesPlugin.MediaItem - - Quick - Quick - - - + Find: Find: - + Book: Book: - + Chapter: Chapter: - + Verse: Verse: - + From: From: - + To: To: - + Text Search Text Search - + 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. Bible not fully loaded. - + Information 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. - 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 Scripture Reference... - + Search Text... Search Text... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Search + + + + Select + Select + + + + Clear the search results. + Clear the search results. + + + + Text or Reference + Text or Reference + + + + Text or Reference... + Text or Reference... + + + + Are you sure you want to completely delete "{bible}" 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? + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - - Advanced - Advanced - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - 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. - 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... + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count: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. + +{count:d} verses have not been included in the results. 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... + + Importing {book} {chapter}... + Importing {book} {chapter}... - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Select a Backup Directory + + Importing {name}... + Importing {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - 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. - 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 - Select Backup Directory - - - - Please select a backup directory for your Bibles - 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>. - 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 Directory: - - - - There is no need to backup my Bibles - There is no need to backup my Bibles - - - - Select Bibles - Select Bibles - - - - Please select the Bibles to upgrade - Please select the Bibles to upgrade - - - - Upgrading - Upgrading - - - - Please wait while your Bibles are upgraded. - 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. - 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" -Failed - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Upgrading Bible %s of %s: "%s" -Upgrading ... - - - - Download Error - Download Error - - - - To upgrade your Web Bibles an Internet connection is required. - To upgrade your Web Bibles an Internet connection is required. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Upgrading Bible %s of %s: "%s" -Complete - - - - , %s failed - , %s failed - - - - Upgrading Bible(s): %s successful%s - Upgrading Bible(s): %s successful%s - - - - Upgrade failed. - Upgrade failed. - - - - You need to specify a backup directory for your Bibles. - You need to specify a backup directory for your Bibles. - - - - Starting upgrade... - Starting upgrade... - - - - There are no Bibles that need to be upgraded. - There are no Bibles that need to be upgraded. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} 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. @@ -1613,9 +1519,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importing %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importing {book} {chapter}... @@ -1730,7 +1636,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. - + Split a slide into two by inserting a slide splitter. Split a slide into two by inserting a slide splitter. @@ -1745,7 +1651,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Credits: - + You need to type in a title. You need to type in a title. @@ -1755,12 +1661,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Ed&it All - + Insert Slide Insert Slide - + You need to add at least one slide. You need to add at least one slide. @@ -1768,7 +1674,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Edit Slide @@ -1776,9 +1682,9 @@ 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 "%d" selected custom slide(s)? - Are you sure you want to delete the %d selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Are you sure you want to delete the "{items:d}" selected custom slide(s)? @@ -1806,11 +1712,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Images - - - Load a new image. - Load a new image. - Add a new image. @@ -1841,6 +1742,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Add the selected image to the service. + + + Add new image(s). + Add new image(s). + + + + Add new image(s) + Add new image(s) + ImagePlugin.AddGroupForm @@ -1865,12 +1776,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. @@ -1906,7 +1817,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Select Attachment @@ -1914,39 +1825,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1956,25 +1850,42 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + Are you sure you want to remove "{name}" and everything in it? + + + + The following image(s) no longer exist: {names} + The following image(s) no longer exist: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + There was a problem replacing your background, the image file "{name}" no longer exists. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Visible background for images with aspect ratio different to screen. @@ -1982,27 +1893,27 @@ Do you want to add the other images anyway? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. This media player uses your operating system to provide media capabilities. @@ -2010,60 +1921,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. @@ -2179,47 +2090,47 @@ Do you want to add the other images anyway? 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 ":" @@ -2227,90 +2138,100 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File 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 + + + File %s not supported using player %s + File %s not supported using player %s + + + + Unsupported Media File + Unsupported Media File + + + + CD/DVD playback is only supported if VLC is installed and enabled. + CD/DVD playback is only supported if VLC is installed and enabled. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + The optical disc {name} is no longer available. + The optical disc {name} is no longer available. + + + + The file {name} no longer exists. + The file {name} no longer exists. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Videos ({video});;Audio ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2321,94 +2242,93 @@ Do you want to add the other images anyway? - Start Live items automatically - Start Live items automatically - - - - OPenLP.MainWindow - - - &Projector Manager - &Projector Manager + Start new Live media automatically + Start new Live media automatically OpenLP - + Image Files Image Files - - Information - Information - - - - 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 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 + + + Video Files + Video Files + + + + Data Directory Error + Data Directory Error + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Credits - + License License - - 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. @@ -2425,174 +2345,157 @@ 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 Project Lead - + Developers Developers - + Contributors Contributors - + Packagers Packagers - + Testers Testers - + Translators Translators - + Afrikaans (af) Afrikaans (af) - + Czech (cs) Czech (cs) - + Danish (da) Danish (da) - + German (de) German (de) - + Greek (el) Greek (el) - + English, United Kingdom (en_GB) English, United Kingdom (en_GB) - + English, South Africa (en_ZA) English, South Africa (en_ZA) - + Spanish (es) Spanish (es) - + Estonian (et) Estonian (et) - + Finnish (fi) Finnish (fi) - + French (fr) French (fr) - + Hungarian (hu) Hungarian (hu) - + Indonesian (id) Indonesian (id) - + Japanese (ja) Japanese (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norwegian Bokmål (nb) - + Dutch (nl) Dutch (nl) - + Polish (pl) Polish (pl) - + Portuguese, Brazil (pt_BR) Portuguese, Brazil (pt_BR) - + Russian (ru) Russian (ru) - + Swedish (sv) Swedish (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamil(Sri-Lanka) (ta_LK) - + Chinese(China) (zh_CN) Chinese(China) (zh_CN) - + Documentation Documentation - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: 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 @@ -2617,333 +2520,244 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr He has set us free. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + build {version} + build {version} + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings UI Settings - - - Number of recent files to display: - Number of recent files to display: - - Remember active media manager tab on startup - Remember active media manager tab on startup - - - - Double-click to send items straight to live - Double-click to send items straight to live - - - Expand new service items on creation Expand new service items on creation - + Enable application exit confirmation Enable application exit confirmation - + Mouse Cursor Mouse Cursor - + Hide mouse cursor when over display window Hide mouse cursor when over display window - - Default Image - Default Image - - - - Background color: - Background color: - - - - Image file: - Image file: - - - + Open File Open File - + Advanced Advanced - - - Preview items when clicked in Media Manager - Preview items when clicked in Media Manager - - Browse for an image file to display. - Browse for an image file to display. - - - - Revert to the default OpenLP logo. - Revert to the default OpenLP logo. - - - Default Service Name Default Service Name - + Enable default service name Enable default service name - + Date and Time: Date and Time: - + Monday Monday - + Tuesday Tuesday - + Wednesday Wednesday - + Friday Friday - + Saturday Saturday - + Sunday Sunday - + Now Now - + Time when usual service starts. Time when usual service starts. - + Name: Name: - + Consult the OpenLP manual for usage. Consult the OpenLP manual for usage. - - Revert to the default service name "%s". - Revert to the default service name "%s". - - - + Example: Example: - + Bypass X11 Window Manager Bypass X11 Window Manager - + Syntax error. Syntax error. - + Data Location Data Location - + Current path: Current path: - + Custom path: Custom path: - + Browse for new data file location. Browse for new data file location. - + Set the data location to the default. Set the data location to the default. - + Cancel Cancel - + Cancel OpenLP data directory location change. Cancel OpenLP data directory location change. - + Copy data to new location. Copy data to new location. - + Copy the OpenLP data files to the 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 - Data Directory Error - - - + Select Data Directory Location Select Data Directory Location - + Confirm Data Directory Change Confirm Data Directory Change - + Reset Data Directory Reset Data Directory - + Overwrite Existing Data 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 Thursday - + Display Workarounds Display Workarounds - + Use alternating row colours in lists Use alternating row colours in lists - - 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? - 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 Restart Required - + This change will only take effect once OpenLP has been restarted. This change will only take effect once OpenLP has been restarted. - + 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. @@ -2951,11 +2765,153 @@ This location will be used after OpenLP is closed. This location will be used after OpenLP is closed. + + + Max height for non-text slides +in slide controller: + Max height for non-text slides +in slide controller: + + + + Disabled + Disabled + + + + When changing slides: + When changing slides: + + + + Do not auto-scroll + Do not auto-scroll + + + + Auto-scroll the previous slide into view + Auto-scroll the previous slide into view + + + + Auto-scroll the previous slide to top + Auto-scroll the previous slide to top + + + + Auto-scroll the previous slide to middle + Auto-scroll the previous slide to middle + + + + Auto-scroll the current slide into view + Auto-scroll the current slide into view + + + + Auto-scroll the current slide to top + Auto-scroll the current slide to top + + + + Auto-scroll the current slide to middle + Auto-scroll the current slide to middle + + + + Auto-scroll the current slide to bottom + Auto-scroll the current slide to bottom + + + + Auto-scroll the next slide into view + Auto-scroll the next slide into view + + + + Auto-scroll the next slide to top + Auto-scroll the next slide to top + + + + Auto-scroll the next slide to middle + Auto-scroll the next slide to middle + + + + Auto-scroll the next slide to bottom + Auto-scroll the next slide to bottom + + + + Number of recent service files to display: + Number of recent service files to display: + + + + Open the last used Library tab on startup + Open the last used Library tab on startup + + + + Double-click to send items straight to Live + Double-click to send items straight to Live + + + + Preview items when clicked in Library + Preview items when clicked in Library + + + + Preview items when clicked in Service + Preview items when clicked in Service + + + + Automatic + Automatic + + + + Revert to the default service name "{name}". + Revert to the default service name "{name}". + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +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: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + OpenLP.ColorButton - + Click to select a color. Click to select a colour. @@ -2963,252 +2919,252 @@ This location will be used after OpenLP is closed. OpenLP.DB - + RGB RGB - + Video 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 - + 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 @@ -3216,62 +3172,75 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred Error Occurred - + Send E-Mail Send E-Mail - + Save to File Save to File - + Attach File Attach File - - - Description characters to enter : %s - Description characters to enter : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - 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. Also attach any files that triggered the problem. - 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. Also attach any files that triggered the problem. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + <strong>Thank you for your description!</strong> + <strong>Thank you for your description!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Tell us what you were doing when this happened.</strong> + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Save Crash Report - + Text files (*.txt *.log *.text) Text files (*.txt *.log *.text) + + + Platform: {platform} + + Platform: {platform} + + OpenLP.FileRenameForm @@ -3312,268 +3281,263 @@ This location will be used after OpenLP is closed. 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. - 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. 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 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 + + + Select parts of the program you wish to use + Select parts of the program you wish to use + + + + You can also change these settings after the Wizard. + You can also change these settings after the Wizard. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + Bibles – Import and show Bibles + Bibles – Import and show Bibles + + + + Images – Show images or replace background with them + Images – Show images or replace background with them + + + + Presentations – Show .ppt, .odp and .pdf files + Presentations – Show .ppt, .odp and .pdf files + + + + Media – Playback of Audio and Video files + Media – Playback of Audio and Video files + + + + Remote – Control OpenLP via browser or smartphone app + Remote – Control OpenLP via browser or smartphone app + + + + Song Usage Monitor + Song Usage Monitor + + + + Alerts – Display informative messages while showing other slides + Alerts – Display informative messages while showing other slides + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + Downloading {name}... + Downloading {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Download complete. Click the {button} button to return to OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Download complete. Click the {button} button to start OpenLP. + + + + Click the {button} button to return to OpenLP. + Click the {button} button to return to OpenLP. + + + + Click the {button} button to start OpenLP. + Click the {button} button to start OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + 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 {button} 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 {button} 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. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + OpenLP.FormattingTagDialog @@ -3616,44 +3580,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error Validation Error - + Description is missing Description is missing - + Tag is missing Tag is missing - Tag %s already defined. - Tag %s already defined. + Tag {tag} already defined. + Tag {tag} already defined. - Description %s already defined. - Description %s already defined. + Description {tag} already defined. + Description {tag} already defined. - - Start tag %s is not valid HTML - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML + Start tag {tag} is not valid HTML - - End tag %(end)s does not match end tag for start tag %(start)s - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + End tag {end} does not match end tag for start tag {start} + + + + New Tag {row:d} + New Tag {row:d} @@ -3742,170 +3711,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General General - + Monitors Monitors - + Select monitor for output display: Select monitor for output display: - + Display if a single screen Display if a single screen - + Application Startup Application Startup - + Show blank screen warning Show blank screen warning - - Automatically open the last service - Automatically open the last service - - - + Show the splash screen Show the splash screen - + Application Settings Application Settings - + Prompt to save before starting a new service Prompt to save before starting a new service - - Automatically preview next item in service - Automatically preview next item in service - - - + sec sec - + CCLI Details CCLI Details - + SongSelect username: SongSelect username: - + SongSelect password: SongSelect password: - + X X - + Y Y - + Height Height - + Width Width - + Check for updates to OpenLP Check for updates to OpenLP - - Unblank display when adding new live item - Unblank display when adding new live item - - - + Timed slide interval: Timed slide interval: - + Background Audio Background Audio - + Start background audio paused Start background audio paused - + Service Item Slide Limits Service Item Slide Limits - + Override display position: Override display position: - + Repeat track list Repeat track list - + Behavior of next/previous on the last/first slide: Behavior of next/previous on the last/first slide: - + &Remain on Slide &Remain on Slide - + &Wrap around &Wrap around - + &Move to next/previous service item &Move to next/previous service item + + + Logo + Logo + + + + Logo file: + Logo file: + + + + Browse for an image file to display. + Browse for an image file to display. + + + + Revert to the default OpenLP logo. + Revert to the default OpenLP logo. + + + + Don't show logo on startup + Don't show logo on startup + + + + Automatically open the previous service file + Automatically open the previous service file + + + + Unblank display when changing slide in Live + Unblank display when changing slide in Live + + + + Unblank display when sending items to Live + Unblank display when sending items to Live + + + + Automatically preview the next item in service + Automatically preview the next item in service + OpenLP.LanguageManager - + Language Language - + Please restart OpenLP to use your new language setting. Please restart OpenLP to use your new language setting. @@ -3913,7 +3912,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -3921,351 +3920,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainWindow - + &File &File - + &Import &Import - + &Export &Export - + &View &View - - M&ode - M&ode - - - + &Tools &Tools - + &Settings &Settings - + &Language &Language - + &Help &Help - - Service Manager - Service Manager - - - - Theme Manager - Theme Manager - - - + Open an existing service. Open an existing service. - + Save the current service to disk. Save the current service to disk. - + Save Service As Save Service As - + Save the current service under a new name. Save the current service under a new name. - + E&xit E&xit - - Quit OpenLP - Quit OpenLP - - - + &Theme &Theme - + &Configure OpenLP... &Configure OpenLP... - - &Media Manager - &Media Manager - - - - Toggle Media Manager - Toggle Media Manager - - - - Toggle the visibility of the media manager. - Toggle the visibility of the media manager. - - - - &Theme Manager - &Theme Manager - - - - Toggle Theme Manager - Toggle Theme Manager - - - - Toggle the visibility of the theme manager. - Toggle the visibility of the theme manager. - - - - &Service Manager - &Service Manager - - - - Toggle Service Manager - Toggle Service Manager - - - - Toggle the visibility of the service manager. - Toggle the visibility of the service manager. - - - - &Preview Panel - &Preview Panel - - - - Toggle Preview Panel - Toggle Preview Panel - - - - Toggle the visibility of the preview panel. - Toggle the visibility of the preview panel. - - - - &Live Panel - &Live Panel - - - - Toggle Live Panel - Toggle Live Panel - - - - Toggle the visibility of the live panel. - Toggle the visibility of the live panel. - - - - List the Plugins - List the Plugins - - - - &User Guide - &User Guide - - - + &About &About - - More information about OpenLP - More information about OpenLP - - - - &Online Help - &Online Help - - - + &Web Site &Web Site - + Use the system language, if available. Use the system language, if available. - - Set the interface language to %s - Set the interface language to %s - - - + Add &Tool... Add &Tool... - + Add an application to the list of tools. Add an application to the list of tools. - - &Default - &Default - - - - Set the view mode back to the default. - Set the view mode back to the default. - - - + &Setup &Setup - - Set the view mode to Setup. - Set the view mode to Setup. - - - + &Live &Live - - Set the view mode to 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/. - 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 OpenLP Main Display Blanked - + The Main Display has been blanked out The Main Display has been blanked out - - Default Theme: %s - Default Theme: %s - - - + English Please add the name of your language here English - + Configure &Shortcuts... Configure &Shortcuts... - + Open &Data Folder... Open &Data Folder... - + Open the folder where songs, bibles and other data resides. Open the folder where songs, Bibles and other data resides. - + &Autodetect &Autodetect - + Update Theme Images Update Theme Images - + Update the preview images for all themes. Update the preview images for all themes. - + Print the current service. Print the current service. - - L&ock Panels - L&ock Panels - - - - Prevent the panels being moved. - Prevent the panels being moved. - - - + Re-run First Time Wizard Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? 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. @@ -4274,107 +4110,68 @@ 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. - + Configure &Formatting Tags... Configure &Formatting Tags... - - Export OpenLP settings to a specified *.config file - Export OpenLP settings to a specified *.config file - - - + Settings Settings - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Import OpenLP settings from a specified *.config file previously exported on this or another machine - - - + Import settings? Import settings? - - Open File - Open File - - - - OpenLP Export Settings Files (*.conf) - OpenLP Export Settings Files (*.conf) - - - + Import settings Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File Export Settings File - - OpenLP Export Settings File (*.conf) - 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 - OpenLP Data directory copy failed - -%s - - - + General General - + Library Library - + Jump to the search box of the current active plugin. 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. @@ -4387,7 +4184,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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. @@ -4396,191 +4193,379 @@ Processing has terminated and no changes have been made. 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 - - - + &Recent Services &Recent Services - + &New Service &New Service - + &Open Service &Open Service - + &Save Service &Save Service - + Save Service &As... Save Service &As... - + &Manage Plugins &Manage Plugins - + Exit OpenLP Exit OpenLP - + Are you sure you want to exit OpenLP? Are you sure you want to exit OpenLP? - + &Exit OpenLP &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + The key "{key}" does not have a default value so it will be skipped in this export. + + + + An error occurred while exporting the settings: {err} + An error occurred while exporting the settings: {err} + + + + Default Theme: {theme} + Default Theme: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + OpenLP Data directory copy failed + +{err} + OpenLP Data directory copy failed + +{err} + + + + &Layout Presets + &Layout Presets + + + + Service + Service + + + + Themes + Themes + + + + Projectors + Projectors + + + + Close OpenLP - Shut down the program. + Close OpenLP - Shut down the program. + + + + Export settings to a *.config file. + Export settings to a *.config file. + + + + Import settings from a *.config file previously exported from this or another machine. + Import settings from a *.config file previously exported from this or another machine. + + + + &Projectors + &Projectors + + + + Hide or show Projectors. + Hide or show Projectors. + + + + Toggle visibility of the Projectors. + Toggle visibility of the Projectors. + + + + L&ibrary + L&ibrary + + + + Hide or show the Library. + Hide or show the Library. + + + + Toggle the visibility of the Library. + Toggle the visibility of the Library. + + + + &Themes + &Themes + + + + Hide or show themes + Hide or show themes + + + + Toggle visibility of the Themes. + Toggle visibility of the Themes. + + + + &Service + &Service + + + + Hide or show Service. + Hide or show Service. + + + + Toggle visibility of the Service. + Toggle visibility of the Service. + + + + &Preview + &Preview + + + + Hide or show Preview. + Hide or show Preview. + + + + Toggle visibility of the Preview. + Toggle visibility of the Preview. + + + + Li&ve + Li&ve + + + + Hide or show Live + Hide or show Live + + + + L&ock visibility of the panels + L&ock visibility of the panels + + + + Lock visibility of the panels. + Lock visibility of the panels. + + + + Toggle visibility of the Live. + Toggle visibility of the Live. + + + + You can enable and disable plugins from here. + You can enable and disable plugins from here. + + + + More information about OpenLP. + More information about OpenLP. + + + + Set the interface language to {name} + Set the interface language to {name} + + + + &Show all + &Show all + + + + Reset the interface back to the default layout and show all the panels. + Reset the interface back to the default layout and show all the panels. + + + + Use layout that focuses on setting up the Service. + Use layout that focuses on setting up the Service. + + + + Use layout that focuses on Live. + Use layout that focuses on Live. + + + + OpenLP Settings (*.conf) + OpenLP Settings (*.conf) + + + + &User Manual + + 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 +Database: {db} OpenLP cannot load your database. -Database: %s +Database: {db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} OpenLP.MediaManagerItem - + No Items Selected No Items Selected - + &Add to selected Service Item &Add to selected Service Item - + You must select one or more items to preview. 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 to send live. - + You must select one or more items. You must select one or more items. - + You must select an existing service item to add to. You must select an existing service item to add to. - + Invalid Service Item Invalid Service Item - - You must select a %s service item. - You must select a %s service item. - - - + You must select one or more items to add. You must select one or more items to add. - - No Search Results - No Search Results - - - + Invalid File Type Invalid File Type - - Invalid File %s. -Suffix not supported - Invalid File %s. -Suffix not supported - - - + &Clone &Clone - + Duplicate files were found on import and were ignored. Duplicate files were found on import and were ignored. + + + Invalid File {name}. +Suffix not supported + Invalid File {name}. +Suffix not supported + + + + You must select a {title} service item. + You must select a {title} service item. + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag is missing. - + <verse> tag is missing. <verse> tag is missing. @@ -4588,22 +4573,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status Unknown status - + No message No message - + Error while sending data to projector Error while sending data to projector - + Undefined command: Undefined command: @@ -4611,32 +4596,32 @@ Suffix not supported OpenLP.PlayerTab - + Players Players - + Available Media Players Available Media Players - + Player Search Order Player Search Order - + Visible background for videos with aspect ratio different to screen. Visible background for videos with aspect ratio different to screen. - + %s (unavailable) %s (unavailable) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" NOTE: To use VLC you must install the %s version @@ -4645,55 +4630,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details Plugin Details - + Status: Status: - + Active Active - - Inactive - Inactive - - - - %s (Inactive) - %s (Inactive) - - - - %s (Active) - %s (Active) + + Manage Plugins + Manage Plugins - %s (Disabled) - %s (Disabled) + {name} (Disabled) + {name} (Disabled) - - Manage Plugins - Manage Plugins + + {name} (Active) + {name} (Active) + + + + {name} (Inactive) + {name} (Inactive) OpenLP.PrintServiceDialog - + Fit Page Fit Page - + Fit Width Fit Width @@ -4701,77 +4681,77 @@ Suffix not supported OpenLP.PrintServiceForm - + Options Options - + Copy Copy - + Copy as HTML Copy as HTML - + Zoom In Zoom In - + Zoom Out Zoom Out - + Zoom Original Zoom Original - + Other Options Other Options - + Include slide text if available Include slide text if available - + Include service item notes Include service item notes - + Include play length of media items Include play length of media items - + Add page break before each text item Add page break before each text item - + Service Sheet Service Sheet - + Print Print - + Title: Title: - + Custom Footer Text: Custom Footer Text: @@ -4779,257 +4759,257 @@ Suffix not supported OpenLP.ProjectorConstants - + 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 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 Initialize 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 @@ -5037,17 +5017,17 @@ Suffix not supported OpenLP.ProjectorEdit - + 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 @@ -5055,52 +5035,52 @@ Suffix not supported OpenLP.ProjectorEditForm - + Add New Projector Add New Projector - + Edit Projector Edit Projector - + IP Address IP Address - + Port Number Port Number - + PIN PIN - + Name Name - + Location Location - + Notes Notes - + Database Error Database Error - + 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 @@ -5108,305 +5088,360 @@ Suffix not supported OpenLP.ProjectorManager - + 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 - + Port Port - + Notes Notes - + 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 - - Delete projector (%s) %s? - Delete projector (%s) %s? - - - + Are you sure you want to delete this projector? Are you sure you want to delete this projector? + + + Add a new projector. + Add a new projector. + + + + Edit selected projector. + Edit selected projector. + + + + Delete selected projector. + Delete selected projector. + + + + Choose input source on selected projector. + Choose input source on selected 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 projector. + Disconnect from selected projector. + + + + Disconnect from selected projectors. + Disconnect from selected projectors. + + + + Power on selected projector. + Power on selected projector. + + + + Power on selected projectors. + Power on selected projectors. + + + + Put selected projector in standby. + Put selected projector in standby. + + + + Put selected projectors in standby. + Put selected projectors in standby. + + + + Blank selected projectors screen + Blank selected projectors screen + + + + Blank selected projectors screen. + Blank selected projectors screen. + + + + Show selected projector screen. + Show selected projector screen. + + + + Show selected projectors screen. + Show selected projectors screen. + + + + is on + is on + + + + is off + is off + + + + Authentication Error + Authentication Error + + + + No Authentication Error + No Authentication Error + OpenLP.ProjectorPJLink - + Fan Fan - + Lamp Lamp - + Temperature Temperature - + Cover Cover - + Filter Filter - + Other Other @@ -5452,17 +5487,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address Duplicate IP Address - + Invalid IP Address Invalid IP Address - + Invalid Port Number Invalid Port Number @@ -5475,27 +5510,27 @@ Suffix not supported Screen - + primary primary OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Length</strong>: %s - - [slide %d] - [slide %d] + [slide {frame:d}] + [slide {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Start</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Length</strong>: {length} @@ -5559,52 +5594,52 @@ Suffix not supported Delete the selected item from the service. - + &Add New Item &Add New Item - + &Add to Selected Item &Add to Selected Item - + &Edit Item &Edit Item - + &Reorder Item &Reorder Item - + &Notes &Notes - + &Change Item Theme &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 @@ -5629,7 +5664,7 @@ Suffix not supported Collapse all the service items. - + Open File Open File @@ -5659,22 +5694,22 @@ Suffix not supported Send the selected item to Live. - + &Start Time &Start Time - + Show &Preview Show &Preview - + Modified Service Modified Service - + The current service has been modified. Would you like to save this service? The current service has been modified. Would you like to save this service? @@ -5694,27 +5729,27 @@ Suffix not supported Playing time: - + Untitled Service 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 @@ -5734,148 +5769,148 @@ 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. - + Service File(s) Missing Service File(s) Missing - + &Rename... &Rename... - + Create New &Custom Slide Create New &Custom Slide - + &Auto play slides &Auto play slides - + Auto play slides &Loop Auto play slides &Loop - + Auto play slides &Once Auto play slides &Once - + &Delay between slides &Delay between slides - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - The following file(s) in the service are missing: %s + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. + + + An error occurred while writing the service file: {error} + An error occurred while writing the service file: {error} + OpenLP.ServiceNoteForm @@ -5906,15 +5941,10 @@ These files will be removed if you continue to save. Shortcut - + Duplicate Shortcut Duplicate Shortcut - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Alternate @@ -5960,219 +5990,235 @@ These files will be removed if you continue to save. Configure Shortcuts Configure Shortcuts + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Hide - + Go To Go To - - - Blank Screen - Blank Screen - - Blank to Theme - Blank to Theme - - - Show Desktop Show Desktop - + Previous Service Previous Service - + Next Service Next Service - - Escape Item - Escape Item - - - + Move to previous. Move to previous. - + Move to next. Move to next. - + Play Slides Play Slides - + Delay between slides in seconds. Delay between slides in seconds. - + Move to live. Move to live. - + Add to Service. Add to Service. - + Edit and reload song preview. Edit and reload song preview. - + Start playing media. Start playing media. - + Pause audio. Pause audio. - + Pause playing media. Pause playing media. - + Stop playing media. Stop playing media. - + Video position. Video position. - + Audio Volume. Audio Volume. - + Go to "Verse" Go to "Verse" - + Go to "Chorus" Go to "Chorus" - + Go to "Bridge" Go to "Bridge" - + Go to "Pre-Chorus" Go to "Pre-Chorus" - + Go to "Intro" Go to "Intro" - + Go to "Ending" Go to "Ending" - + Go to "Other" Go to "Other" - + Previous Slide Previous Slide - + Next Slide Next Slide - + Pause Audio Pause Audio - + Background Audio Background Audio - + Go to next audio track. Go to next audio track. - + Tracks Tracks + + + Loop playing media. + Loop playing media. + + + + Video timer. + Video timer. + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + 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 - + 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? @@ -6180,17 +6226,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling Suggestions - + Formatting Tags Formatting Tags - + Language: Language: @@ -6269,7 +6315,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (approximately %d lines per slide) @@ -6277,523 +6323,533 @@ These files will be removed if you continue to save. OpenLP.ThemeManager - + Create a new theme. Create a new theme. - + Edit Theme Edit Theme - + Edit a theme. Edit a theme. - + Delete Theme Delete Theme - + Delete a theme. Delete a theme. - + Import Theme Import Theme - + Import a theme. Import a theme. - + Export Theme Export Theme - + Export a theme. Export a theme. - + &Edit Theme &Edit Theme - + &Delete Theme &Delete Theme - + Set As &Global Default Set As &Global Default - - %s (default) - %s (default) - - - + You must select a theme to edit. You must select a theme to edit. - + You are unable to delete the default theme. You are unable to delete the default theme. - + 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 - + Select Theme Import File Select Theme Import File - + File is not a valid theme. File is not a valid theme. - + &Copy Theme &Copy Theme - + &Rename Theme &Rename Theme - + &Export Theme &Export Theme - + You must select a theme to rename. You must select a theme to rename. - + Rename Confirmation Rename Confirmation - + Rename %s theme? Rename %s theme? - + You must select a theme to delete. You must select a theme to delete. - + Delete Confirmation Delete Confirmation - + Delete %s theme? Delete %s theme? - + Validation Error Validation Error - + A theme with this name already exists. A theme with this name already exists. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s time(s) by %s - - - + Unable to delete theme Unable to delete theme + + + {text} (default) + {text} (default) + + + + Copy of {name} + Copy of <theme name> + Copy of {name} + + + + Save Theme - ({name}) + Save Theme - ({name}) + + + + The theme export failed because this error occurred: {err} + The theme export failed because this error occurred: {err} + + + + {name} (default) + {name} (default) + + + + Theme {name} already exists. Do you want to replace it? + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + {count} time(s) by {plugin} + + + Theme is currently used -%s +{text} Theme is currently used -%s +{text} OpenLP.ThemeWizard - + Theme Wizard Theme Wizard - + Welcome to the Theme Wizard Welcome to the Theme Wizard - + Set Up Background Set Up Background - + Set up your theme's background according to the parameters below. Set up your theme's background according to the parameters below. - + Background type: Background type: - + Gradient Gradient - + Gradient: Gradient: - + Horizontal Horizontal - + Vertical Vertical - + Circular Circular - + Top Left - Bottom Right Top Left - Bottom Right - + Bottom Left - Top Right Bottom Left - Top Right - + Main Area Font Details Main Area Font Details - + Define the font and display characteristics for the Display text Define the font and display characteristics for the Display text - + Font: Font: - + Size: Size: - + Line Spacing: Line Spacing: - + &Outline: &Outline: - + &Shadow: &Shadow: - + Bold Bold - + Italic Italic - + Footer Area Font Details Footer Area Font Details - + Define the font and display characteristics for the Footer text Define the font and display characteristics for the Footer text - + Text Formatting Details Text Formatting Details - + Allows additional display formatting information to be defined Allows additional display formatting information to be defined - + Horizontal Align: Horizontal Align: - + Left Left - + Right Right - + Center Centre - + Output Area Locations Output Area Locations - + &Main Area &Main Area - + &Use default location &Use default location - + X position: X position: - + px px - + Y position: Y position: - + Width: Width: - + Height: Height: - + Use default location Use default location - + Theme name: Theme name: - - Edit Theme - %s - 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. 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: Transitions: - + &Footer Area &Footer Area - + Starting color: Starting color: - + Ending color: Ending color: - + Background color: Background color: - + Justify Justify - + Layout Preview Layout Preview - + Transparent Transparent - + Preview and Save Preview and Save - + Preview the theme and save it. Preview the theme and save it. - + Background Image Empty Background Image Empty - + Select Image Select Image - + Theme Name Missing Theme Name Missing - + There is no name for this theme. Please enter one. There is no name for this theme. Please enter one. - + Theme Name Invalid Theme Name Invalid - + Invalid theme name. Please enter one. Invalid theme name. Please enter one. - + Solid color Solid color - + color: color: - + Allows you to change and move the Main and Footer areas. Allows you to change and move the Main and Footer areas. - + You have not selected a background image. Please select one before continuing. You have not selected a background image. Please select one before continuing. + + + Edit Theme - {name} + Edit Theme - {name} + + + + Select Video + Select Video + OpenLP.ThemesTab @@ -6876,73 +6932,73 @@ These files will be removed if you continue to save. &Vertical Align: - + Finished import. Finished import. - + Format: Format: - + Importing Importing - + Importing "%s"... Importing "%s"... - + Select Import Source 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 Open %s File - + %p% %p% - + Ready. Ready. - + Starting import... Starting import... - + 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 @@ -6960,7 +7016,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6992,39 +7048,34 @@ These files will be removed if you continue to save. XML syntax error - - Welcome to the Bible Upgrade Wizard - Welcome to the Bible Upgrade Wizard - - - + Open %s Folder 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 file to import from. - + You need to specify one %s folder to import from. A song format e.g. PowerSong You need to specify one %s folder to import from. - + Importing Songs Importing Songs - + Welcome to the Duplicate Song Removal Wizard Welcome to the Duplicate Song Removal Wizard - + Written by Written by @@ -7034,502 +7085,490 @@ These files will be removed if you continue to save. Author Unknown - + About About - + &Add &Add - + Add group Add group - + Advanced Advanced - + All Files All Files - + Automatic Automatic - + Background Color Background Color - + Bottom Bottom - + Browse... Browse... - + Cancel Cancel - + CCLI number: CCLI number: - + Create a new service. Create a new service. - + Confirm Delete Confirm Delete - + Continuous Continuous - + Default Default - + Default Color: 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. Service %Y-%m-%d %H-%M - + &Delete &Delete - + Display style: Display style: - + Duplicate Error Duplicate Error - + &Edit &Edit - + Empty Field Empty Field - + Error Error - + Export Export - + File File - + File Not Found File Not Found - - File %s not found. -Please try selecting it individually. - File %s not found. -Please try selecting it individually. - - - + pt Abbreviated font pointsize unit pt - + Help Help - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Invalid Folder Selected - + Invalid File Selected Singular Invalid File Selected - + Invalid Files Selected Plural Invalid Files Selected - + Image Image - + Import Import - + Layout style: Layout style: - + Live Live - + Live Background Error Live Background Error - + Live Toolbar Live Toolbar - + Load Load - + Manufacturer Singular Manufacturer - + Manufacturers Plural Manufacturers - + Model Singular Model - + Models Plural Models - + m The abbreviated unit for minutes m - + Middle Middle - + New New - + New Service New Service - + New Theme New Theme - + Next Track Next Track - + No Folder Selected Singular No Folder Selected - + No File Selected Singular No File Selected - + No Files Selected Plural No Files Selected - + No Item Selected Singular No Item Selected - + No Items Selected Plural No Items Selected - + OpenLP is already running. Do you wish to continue? OpenLP is already running. Do you wish to continue? - + Open service. Open service. - + Play Slides in Loop Play Slides in Loop - + Play Slides to End Play Slides to End - + Preview 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 - + CCLI song number: CCLI song number: - + Preview Toolbar Preview Toolbar - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Replace live background is not available when the WebKit player is disabled. @@ -7545,32 +7584,100 @@ Please try selecting it individually. Plural Songbooks + + + Background color: + Background color: + + + + Add group. + Add group. + + + + File {name} not found. +Please try selecting it individually. + File {name} not found. +Please try selecting it individually. + + + + Start {code} + Start {code} + + + + Video + Video + + + + Search is Empty or too Short + Search is Empty or too Short + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + No Bibles Available + No Bibles Available + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + Book Chapter + Book Chapter + + + + Chapter + Chapter + + + + Verse + Verse + + + + Psalm + Psalm + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + No Search Results + No Search Results + + + + Please type more text to use 'Search As You Type' + + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s and %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, and %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7650,47 +7757,47 @@ Please try selecting it individually. Present using: - + File Exists File Exists - + A presentation with that filename already exists. A presentation with that filename already exists. - + This type of presentation is not supported. This type of presentation is not supported. - - Presentations (%s) - Presentations (%s) - - - + Missing Presentation Missing Presentation - - The presentation %s is incomplete, please reload. - The presentation %s is incomplete, please reload. + + Presentations ({text}) + Presentations ({text}) - - The presentation %s no longer exists. - The presentation %s no longer exists. + + The presentation {name} no longer exists. + The presentation {name} no longer exists. + + + + The presentation {name} is incomplete, please reload. + The presentation {name} is incomplete, please reload. 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. + + 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. @@ -7700,11 +7807,6 @@ Please try selecting it individually. Available Controllers Available Controllers - - - %s (unavailable) - %s (unavailable) - Allow presentation application to be overridden @@ -7721,12 +7823,12 @@ Please try selecting it individually. 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. @@ -7737,13 +7839,20 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect + Clicking on the current slide advances to the next effect - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + {name} (unavailable) + {name} (unavailable) @@ -7785,127 +7894,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 - + Remote Remote - + Stage View Stage View - + Live View Live View @@ -7913,79 +8022,142 @@ Please try selecting it individually. 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 Display stage time in 12h format - + Android App Android App - + Live view URL: Live view 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. 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 Authentication - + User id: User id: - + Password: Password: - + Show thumbnails of non-text slides in remote and stage view. Show thumbnails of non-text slides in remote and stage view. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + iOS App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Output Path Not Selected + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Report Creation + + + + Report +{name} +has been successfully created. + Report +{name} +has been successfully created. + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8026,50 +8198,50 @@ Please try selecting it individually. 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 @@ -8137,24 +8309,10 @@ 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 Creation - - - Report -%s -has been successfully created. - Report -%s -has been successfully created. - Output Path Not Selected @@ -8168,14 +8326,28 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + usage_detail_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + Report +{name} +has been successfully created. + + + + An error occurred while creating the report: {error} + An error occurred while creating the report: {error} @@ -8191,102 +8363,102 @@ Please select an existing path on your computer. 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... - + 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. @@ -8295,26 +8467,26 @@ 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 Song - + Songs name plural Songs - + Songs container title Songs @@ -8325,37 +8497,37 @@ The encoding is responsible for the correct character representation.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 @@ -8370,15 +8542,30 @@ The encoding is responsible for the correct character representation.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. + + + Songs + Songs + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8464,62 +8651,67 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administered by %s - - - - "%s" could not be imported. %s - "%s" could not be imported. %s - - - + Unexpected data formatting. Unexpected data formatting. - + No song text found. No song text found. - + [above are Song Tags with notes imported from EasyWorship] [above are Song Tags with notes imported from EasyWorship] - + 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. + + + Administered by {admin} + Administered by {admin} + + + + "{title}" could not be imported. {entry} + "{title}" could not be imported. {entry} + + + + "{title}" could not be imported. {error} + "{title}" could not be imported. {error} + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Custom Book Names @@ -8602,57 +8794,57 @@ The encoding is responsible for the correct character representation.Theme, Copyright Info && Comments - + Add Author Add Author - + This author does not exist, do you want to add them? This author does not exist, do you want to add them? - + This author is already in the list. 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. 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 Add Topic - + This topic does not exist, do you want to add it? This topic does not exist, do you want to add it? - + This topic is already in the list. 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 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 a song title. - + You need to type in at least one verse. You need to type in at least one verse. - + You need to have an author for this song. You need to have an author for this song. @@ -8677,7 +8869,7 @@ The encoding is responsible for the correct character representation.Remove &All - + Open File(s) Open File(s) @@ -8692,14 +8884,7 @@ The encoding is responsible for the correct character representation.<strong>Warning:</strong> You have not entered a verse order. - - There is no verse 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 Invalid Verse Order @@ -8709,22 +8894,15 @@ Please enter the verses separated by spaces. &Edit Author Type - + Edit Author Type Edit Author Type - + Choose type for this author Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - &Manage Authors, Topics, Songbooks @@ -8746,45 +8924,77 @@ Please enter the verses separated by spaces. Authors, Topics && Songbooks - + Add Songbook Add Songbook - + This Songbook does not exist, do you want to add it? This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse Edit Verse - + &Verse type: &Verse type: - + &Insert &Insert - + Split a slide into two by inserting a verse splitter. Split a slide into two by inserting a verse splitter. @@ -8797,77 +9007,77 @@ Please enter the verses separated by spaces. Song Export Wizard - + Select Songs Select Songs - + Check the songs you want to export. Check the songs you want to export. - + Uncheck All Uncheck All - + Check All Check All - + Select Directory Select Directory - + Directory: Directory: - + Exporting Exporting - + Please wait while your songs are exported. Please wait while your songs are exported. - + You need to add at least one Song to export. You need to add at least one Song to export. - + No Save Location specified No Save Location specified - + Starting export... Starting export... - + You need to specify a directory. You need to specify a directory. - + Select Destination Folder Select Destination Folder - + Select the directory where you want the songs to be saved. 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. This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. @@ -8875,7 +9085,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Invalid Foilpresenter song file. No verses found. @@ -8883,7 +9093,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Enable search as you type @@ -8891,7 +9101,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Select Document/Presentation Files @@ -8901,237 +9111,252 @@ Please enter the verses separated by spaces. 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 Generic Document/Presentation - + Add Files... Add Files... - + Remove File(s) Remove File(s) - + Please wait while your songs are imported. Please wait while your songs are imported. - + Words Of Worship Song Files Words Of Worship Song Files - + Songs Of Fellowship Song Files Songs Of Fellowship Song Files - + SongBeamer Files SongBeamer Files - + SongShow Plus Song Files SongShow Plus Song Files - + Foilpresenter Song Files Foilpresenter Song Files - + Copy Copy - + Save to File 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 Files OpenLyrics Files - + CCLI SongSelect Files CCLI SongSelect Files - + EasySlides XML File EasySlides XML File - + EasyWorship Song Database EasyWorship Song Database - + DreamBeam Song Files DreamBeam Song Files - + You need to specify a valid PowerSong 1.0 database folder. You need to specify a valid PowerSong 1.0 database folder. - + 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>. 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 SundayPlus Song Files - + This importer has been disabled. 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. 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 EasyWorship Service File - + WorshipCenter Pro Song Files 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. 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 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. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases OpenLP 2 Databases - + LyriX Files LyriX Files - + LyriX (Exported TXT-files) LyriX (Exported TXT-files) - + VideoPsalm Files VideoPsalm Files - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + OPS Pro database + + + + The OPS 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. + The OPS 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. + + + + ProPresenter Song Files + ProPresenter Song Files + + + + The VideoPsalm songbooks are normally located in {path} + The VideoPsalm songbooks are normally located in {path} SongsPlugin.LyrixImport - Error: %s - Error: %s + File {name} + File {name} + + + + Error: {error} + Error: {error} @@ -9150,79 +9375,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Titles - + Lyrics Lyrics - + CCLI License: CCLI Licence: - + Entire Song Entire Song - + Maintain the lists of authors, topics and books. Maintain the lists of authors, topics and books. - + copy For song cloning copy - + Search Titles... Search Titles... - + Search Entire Song... Search Entire Song... - + Search Lyrics... Search Lyrics... - + Search Authors... Search Authors... - - Are you sure you want to delete the "%d" selected song(s)? - Are you sure you want to delete the %d selected song(s)? - - - + Search Songbooks... Search Songbooks... + + + Search Topics... + Search Topics... + + + + Copyright + Copyright + + + + Search Copyright... + Search Copyright... + + + + CCLI number + CCLI number + + + + Search CCLI number... + Search CCLI number... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Unable to open the MediaShout database. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Unable to connect the OPS Pro database. + + + + "{title}" could not be imported. {error} + "{title}" could not be imported. {error} + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Not a valid OpenLP 2 song database. @@ -9230,9 +9493,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exporting "%s"... + + Exporting "{title}"... + Exporting "{title}"... @@ -9251,29 +9514,37 @@ Please enter the verses separated by spaces. No songs to import. - + Verses not found. Missing "PART" header. Verses not found. Missing "PART" header. - No %s files found. - No %s files found. + No {text} files found. + No {text} files found. - Invalid %s file. Unexpected byte value. - Invalid %s file. Unexpected byte value. + Invalid {text} file. Unexpected byte value. + Invalid {text} file. Unexpected byte value. - Invalid %s file. Missing "TITLE" header. - Invalid %s file. Missing "TITLE" header. + Invalid {text} file. Missing "TITLE" header. + Invalid {text} file. Missing "TITLE" header. - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Invalid %s file. Missing "COPYRIGHTLINE" header. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + File is not in XML-format, which is the only format supported. @@ -9302,19 +9573,19 @@ 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 + + Your song export failed because this error occurred: {error} + Your song export failed because this error occurred: {error} @@ -9330,17 +9601,17 @@ Please enter the verses separated by spaces. The following songs could not be imported: - + Cannot access OpenOffice or LibreOffice Cannot access OpenOffice or LibreOffice - + Unable to open file Unable to open file - + File not found File not found @@ -9348,109 +9619,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Could not add your author. - + This author already exists. This author already exists. - + Could not add your topic. Could not add your topic. - + This topic already exists. This topic already exists. - + Could not add your book. Could not add your book. - + This book already exists. This book already exists. - + Could not save your changes. Could not save your changes. - + Could not save your modified author, because the author already exists. Could not save your modified author, because the author already exists. - + Could not save your modified topic, because it already exists. Could not save your modified topic, because it already exists. - + Delete Author Delete Author - + Are you sure you want to delete the selected 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. This author cannot be deleted, they are currently assigned to at least one song. - + Delete Topic Delete Topic - + Are you sure you want to delete the selected 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. This topic cannot be deleted, it is currently assigned to at least one song. - + Delete Book Delete Book - + Are you sure you want to delete the selected 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. 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 author %s already exists. Would you like to make songs with author %s use the existing author %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? @@ -9496,52 +9767,47 @@ Please enter the verses separated by spaces. Search - - Found %s song(s) - Found %s song(s) - - - + Logout Logout - + View View - + Title: Title: - + Author(s): Author(s): - + Copyright: Copyright: - + CCLI Number: CCLI Number: - + Lyrics: Lyrics: - + Back Back - + Import Import @@ -9581,7 +9847,7 @@ Please enter the verses separated by spaces. There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported Song Imported @@ -9596,7 +9862,7 @@ Please enter the verses separated by spaces. 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? Your song has been imported, would you like to import more songs? @@ -9605,6 +9871,11 @@ Please enter the verses separated by spaces. Stop Stop + + + Found {count:d} song(s) + Found {count:d} song(s) + SongsPlugin.SongsTab @@ -9613,30 +9884,30 @@ Please enter the verses separated by spaces. Songs Mode Songs Mode - - - Display verses on live tool bar - Display verses on live tool bar - Update service from song edit Update service from song edit - - - Import missing songs from service files - Import missing songs from service files - Display songbook in footer Display songbook in footer + + + Enable "Go to verse" button in Live panel + Enable "Go to verse" button in Live panel + + + + Import missing songs from Service files + Import missing songs from Service files + - Display "%s" symbol before copyright info - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info + Display "{symbol}" symbol before copyright info @@ -9660,37 +9931,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Verse - + Chorus Chorus - + Bridge Bridge - + Pre-Chorus Pre-Chorus - + Intro Intro - + Ending Ending - + Other Other @@ -9698,22 +9969,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - Error: %s + + Error: {error} + Error: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + Invalid Words of Worship song file. Missing "{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + Invalid Words of Worship song file. Missing "{text}" string. @@ -9724,30 +9995,30 @@ Please enter the verses separated by spaces. Error reading CSV file. - - Line %d: %s - Line %d: %s - - - - Decoding error: %s - Decoding error: %s - - - + File not valid WorshipAssistant CSV format. File not valid WorshipAssistant CSV format. - - Record %d - Record %d + + Line {number:d}: {error} + Line {number:d}: {error} + + + + Record {count:d} + Record {count:d} + + + + Decoding error: {error} + Decoding error: {error} SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Unable to connect the WorshipCenter Pro database. @@ -9760,25 +10031,30 @@ Please enter the verses separated by spaces. Error reading CSV file. - + File not valid ZionWorx CSV format. File not valid ZionWorx CSV format. - - Line %d: %s - Line %d: %s - - - - Decoding error: %s - Decoding error: %s - - - + Record %d Record %d + + + Line {number:d}: {error} + Line {number:d}: {error} + + + + Record {index} + Record {index} + + + + Decoding error: {error} + Decoding error: {error} + Wizard @@ -9788,39 +10064,960 @@ 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. 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. Searching for duplicate songs. - + Please wait while your songs database is analyzed. Please wait while your songs database is analyzed. - + Here you can decide which songs to remove and which ones to keep. Here you can decide which songs to remove and which ones to keep. - - Review duplicate songs (%s/%s) - Review duplicate songs (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. No duplicate songs have been found in the database. + + + Review duplicate songs ({current}/{total}) + Review duplicate songs ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + (Afan) Oromo + + + + Abkhazian + Language code: ab + Abkhazian + + + + Afar + Language code: aa + Afar + + + + Afrikaans + Language code: af + Afrikaans + + + + Albanian + Language code: sq + Albanian + + + + Amharic + Language code: am + Amharic + + + + Amuzgo + Language code: amu + Amuzgo + + + + Ancient Greek + Language code: grc + Ancient Greek + + + + Arabic + Language code: ar + Arabic + + + + Armenian + Language code: hy + Armenian + + + + Assamese + Language code: as + Assamese + + + + Aymara + Language code: ay + Aymara + + + + Azerbaijani + Language code: az + Azerbaijani + + + + Bashkir + Language code: ba + Bashkir + + + + Basque + Language code: eu + Basque + + + + Bengali + Language code: bn + Bengali + + + + Bhutani + Language code: dz + Bhutani + + + + Bihari + Language code: bh + Bihari + + + + Bislama + Language code: bi + Bislama + + + + Breton + Language code: br + Breton + + + + Bulgarian + Language code: bg + Bulgarian + + + + Burmese + Language code: my + Burmese + + + + Byelorussian + Language code: be + Byelorussian + + + + Cakchiquel + Language code: cak + Cakchiquel + + + + Cambodian + Language code: km + Cambodian + + + + Catalan + Language code: ca + Catalan + + + + Chinese + Language code: zh + Chinese + + + + Comaltepec Chinantec + Language code: cco + Comaltepec Chinantec + + + + Corsican + Language code: co + Corsican + + + + Croatian + Language code: hr + Croatian + + + + Czech + Language code: cs + Czech + + + + Danish + Language code: da + Danish + + + + Dutch + Language code: nl + Dutch + + + + English + Language code: en + English + + + + Esperanto + Language code: eo + Esperanto + + + + Estonian + Language code: et + Estonian + + + + Faeroese + Language code: fo + Faeroese + + + + Fiji + Language code: fj + Fiji + + + + Finnish + Language code: fi + Finnish + + + + French + Language code: fr + French + + + + Frisian + Language code: fy + Frisian + + + + Galician + Language code: gl + Galician + + + + Georgian + Language code: ka + Georgian + + + + German + Language code: de + German + + + + Greek + Language code: el + Greek + + + + Greenlandic + Language code: kl + Greenlandic + + + + Guarani + Language code: gn + Guarani + + + + Gujarati + Language code: gu + Gujarati + + + + Haitian Creole + Language code: ht + Haitian Creole + + + + Hausa + Language code: ha + Hausa + + + + Hebrew (former iw) + Language code: he + Hebrew (former iw) + + + + Hiligaynon + Language code: hil + Hiligaynon + + + + Hindi + Language code: hi + Hindi + + + + Hungarian + Language code: hu + Hungarian + + + + Icelandic + Language code: is + Icelandic + + + + Indonesian (former in) + Language code: id + Indonesian (former in) + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Interlingue + + + + Inuktitut (Eskimo) + Language code: iu + Inuktitut (Eskimo) + + + + Inupiak + Language code: ik + Inupiak + + + + Irish + Language code: ga + Irish + + + + Italian + Language code: it + Italian + + + + Jakalteko + Language code: jac + Jakalteko + + + + Japanese + Language code: ja + Japanese + + + + Javanese + Language code: jw + Javanese + + + + K'iche' + Language code: quc + K'iche' + + + + Kannada + Language code: kn + Kannada + + + + Kashmiri + Language code: ks + Kashmiri + + + + Kazakh + Language code: kk + Kazakh + + + + Kekchí + Language code: kek + Kekchí + + + + Kinyarwanda + Language code: rw + Kinyarwanda + + + + Kirghiz + Language code: ky + Kirghiz + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Korean + + + + Kurdish + Language code: ku + Kurdish + + + + Laothian + Language code: lo + Laothian + + + + Latin + Language code: la + Latin + + + + Latvian, Lettish + Language code: lv + Latvian, Lettish + + + + Lingala + Language code: ln + Lingala + + + + Lithuanian + Language code: lt + Lithuanian + + + + Macedonian + Language code: mk + Macedonian + + + + Malagasy + Language code: mg + Malagasy + + + + Malay + Language code: ms + Malay + + + + Malayalam + Language code: ml + Malayalam + + + + Maltese + Language code: mt + Maltese + + + + Mam + Language code: mam + Mam + + + + Maori + Language code: mi + Maori + + + + Maori + Language code: mri + Maori + + + + Marathi + Language code: mr + Marathi + + + + Moldavian + Language code: mo + Moldavian + + + + Mongolian + Language code: mn + Mongolian + + + + Nahuatl + Language code: nah + Nahuatl + + + + Nauru + Language code: na + Nauru + + + + Nepali + Language code: ne + Nepali + + + + Norwegian + Language code: no + Norwegian + + + + Occitan + Language code: oc + Occitan + + + + Oriya + Language code: or + Oriya + + + + Pashto, Pushto + Language code: ps + Pashto, Pushto + + + + Persian + Language code: fa + Persian + + + + Plautdietsch + Language code: pdt + Plautdietsch + + + + Polish + Language code: pl + Polish + + + + Portuguese + Language code: pt + Portuguese + + + + Punjabi + Language code: pa + Punjabi + + + + Quechua + Language code: qu + Quechua + + + + Rhaeto-Romance + Language code: rm + Rhaeto-Romance + + + + Romanian + Language code: ro + Romanian + + + + Russian + Language code: ru + Russian + + + + Samoan + Language code: sm + Samoan + + + + Sangro + Language code: sg + Sangro + + + + Sanskrit + Language code: sa + Sanskrit + + + + Scots Gaelic + Language code: gd + Scots Gaelic + + + + Serbian + Language code: sr + Serbian + + + + Serbo-Croatian + Language code: sh + Serbo-Croatian + + + + Sesotho + Language code: st + Sesotho + + + + Setswana + Language code: tn + Setswana + + + + Shona + Language code: sn + Shona + + + + Sindhi + Language code: sd + Sindhi + + + + Singhalese + Language code: si + Singhalese + + + + Siswati + Language code: ss + Siswati + + + + Slovak + Language code: sk + Slovak + + + + Slovenian + Language code: sl + Slovenian + + + + Somali + Language code: so + Somali + + + + Spanish + Language code: es + Spanish + + + + Sudanese + Language code: su + Sudanese + + + + Swahili + Language code: sw + Swahili + + + + Swedish + Language code: sv + Swedish + + + + Tagalog + Language code: tl + Tagalog + + + + Tajik + Language code: tg + Tajik + + + + Tamil + Language code: ta + Tamil + + + + Tatar + Language code: tt + Tatar + + + + Tegulu + Language code: te + Tegulu + + + + Thai + Language code: th + Thai + + + + Tibetan + Language code: bo + Tibetan + + + + Tigrinya + Language code: ti + Tigrinya + + + + Tonga + Language code: to + Tonga + + + + Tsonga + Language code: ts + Tsonga + + + + Turkish + Language code: tr + Turkish + + + + Turkmen + Language code: tk + Turkmen + + + + Twi + Language code: tw + Twi + + + + Uigur + Language code: ug + Uigur + + + + Ukrainian + Language code: uk + Ukrainian + + + + Urdu + Language code: ur + Urdu + + + + Uspanteco + Language code: usp + Uspanteco + + + + Uzbek + Language code: uz + Uzbek + + + + Vietnamese + Language code: vi + Vietnamese + + + + Volapuk + Language code: vo + Volapuk + + + + Welch + Language code: cy + Welch + + + + Wolof + Language code: wo + Wolof + + + + Xhosa + Language code: xh + Xhosa + + + + Yiddish (former ji) + Language code: yi + Yiddish (former ji) + + + + Yoruba + Language code: yo + Yoruba + + + + Zhuang + Language code: za + Zhuang + + + + Zulu + Language code: zu + Zulu + + + diff --git a/resources/i18n/en_ZA.ts b/resources/i18n/en_ZA.ts index 1ab18207f..c236de381 100644 --- a/resources/i18n/en_ZA.ts +++ b/resources/i18n/en_ZA.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? The alert text does not contain '<>'. Do you want to continue anyway? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. You haven't specified any text for your alert. Please type in some text before clicking New. @@ -120,32 +121,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font Font - + Font name: Font name: - + Font color: Font color: - - Background color: - Background color: - - - + Font size: Font size: - + Alert timeout: Alert timeout: @@ -153,88 +149,78 @@ 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. - Genesis @@ -739,161 +725,121 @@ Please type in some text before clicking New. 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 Duplicate Book Name - - The Book Name "%s" has been entered more than once. - The Book Name "%s" has been entered more than once. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - - Web Bible cannot be used - Web Bible cannot be used + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -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 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Verse Display - + Only show new chapter numbers Only show new chapter numbers - + Bible theme: Bible theme: - + No Brackets No Brackets - + ( And ) ( And ) - + { And } { And } - + [ And ] [ And ] - - Note: -Changes do not affect verses already in the service. - Note: -Changes do not affect verses already in the service. - - - + Display second Bible verses Display second Bible verses - + Custom Scripture References Custom Scripture References - - Verse Separator: - Verse Separator: - - - - Range Separator: - Range Separator: - - - - List Separator: - List Separator: - - - - End Mark: - 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. @@ -902,37 +848,83 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English - English + English (ZA) - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Bible Language Bible Language - + Application Language Application Language - + Show verse numbers Show verse numbers + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,72 +980,73 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - Importing books... %s + + Importing books... {book} + - - Importing verses... done. - Importing verses... done. + + Importing verses from {book}... + Importing verses from <book name>... + BiblesPlugin.EditBibleForm - + Bible Editor Bible Editor - + License Details License Details - + Version name: Version name: - + Copyright: Copyright: - + Permissions: Permissions: - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Global Settings Global Settings - + Bible Language Bible Language - + Application Language Application Language - + English - English + English (ZA) @@ -1071,224 +1064,259 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1319,293 +1347,155 @@ It is not possible to customise the Book Names. BiblesPlugin.MediaItem - - Quick - Quick - - - + Find: Find: - + Book: Book: - + Chapter: Chapter: - + Verse: Verse: - + From: From: - + To: To: - + Text Search Text Search - + 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. Bible not fully loaded. - + Information 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. - 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 Scripture Reference... - + Search Text... Search Text... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Search + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" 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? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -You will need to re-import this Bible to use it again. - - - - Advanced - Advanced - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - 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. - 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... +{count:d} verses have not been included in the results. + 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... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Select a Backup Directory + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - 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. - 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 - Select Backup Directory - - - - Please select a backup directory for your Bibles - 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>. - 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 Directory: - - - - There is no need to backup my Bibles - There is no need to backup my Bibles - - - - Select Bibles - Select Bibles - - - - Please select the Bibles to upgrade - Please select the Bibles to upgrade - - - - Upgrading - Upgrading - - - - Please wait while your Bibles are upgraded. - 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. - 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" -Failed - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Upgrading Bible %s of %s: "%s" -Upgrading ... - - - - Download Error - Download Error - - - - To upgrade your Web Bibles an Internet connection is required. - To upgrade your Web Bibles an Internet connection is required. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Upgrading Bible %s of %s: "%s" -Complete - - - - , %s failed - , %s failed - - - - Upgrading Bible(s): %s successful%s - Upgrading Bible(s): %s successful%s - - - - Upgrade failed. - Upgrade failed. - - - - You need to specify a backup directory for your Bibles. - You need to specify a backup directory for your Bibles. - - - - Starting upgrade... - Starting upgrade... - - - - There are no Bibles that need to be upgraded. - There are no Bibles that need to be upgraded. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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. @@ -1613,9 +1503,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importing %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1730,7 +1620,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit all the slides at once. - + Split a slide into two by inserting a slide splitter. Split a slide into two by inserting a slide splitter. @@ -1745,7 +1635,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Credits: - + You need to type in a title. You need to type in a title. @@ -1755,12 +1645,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Ed&it All - + Insert Slide Insert Slide - + You need to add at least one slide. You need to add at least one slide. @@ -1768,7 +1658,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Edit Slide @@ -1776,9 +1666,9 @@ 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 "%d" selected custom slide(s)? - Are you sure you want to delete the "%d" selected custom slide(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1806,11 +1696,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Images - - - Load a new image. - Load a new image. - Add a new image. @@ -1841,6 +1726,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Add the selected image to the service. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1865,12 +1760,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. @@ -1906,7 +1801,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Select Attachment @@ -1914,39 +1809,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1956,25 +1834,41 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Visible background for images with aspect ratio different to screen. @@ -1982,27 +1876,27 @@ Do you want to add the other images anyway? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. This media player uses your operating system to provide media capabilities. @@ -2010,60 +1904,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. @@ -2179,47 +2073,47 @@ Do you want to add the other images anyway? 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 ":" @@ -2227,90 +2121,100 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File 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 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2321,94 +2225,93 @@ Do you want to add the other images anyway? - Start Live items automatically - Start Live items automatically - - - - OPenLP.MainWindow - - - &Projector Manager - &Projector Manager + Start new Live media automatically + OpenLP - + Image Files Image Files - - Information - Information - - - - 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 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 + + + Video Files + + + + + Data Directory Error + Data Directory Error + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Credits - + License License - - 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. @@ -2425,174 +2328,157 @@ 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 Project Lead - + Developers Developers - + Contributors Contributors - + Packagers Packagers - + Testers Testers - + Translators Translators - + Afrikaans (af) Afrikaans (af) - + Czech (cs) Czech (cs) - + Danish (da) Danish (da) - + German (de) German (de) - + Greek (el) Greek (el) - + English, United Kingdom (en_GB) English, United Kingdom (en_GB) - + English, South Africa (en_ZA) English, South Africa (en_ZA) - + Spanish (es) Spanish (es) - + Estonian (et) Estonian (et) - + Finnish (fi) Finnish (fi) - + French (fr) French (fr) - + Hungarian (hu) Hungarian (hu) - + Indonesian (id) Indonesian (id) - + Japanese (ja) Japanese (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norwegian Bokmål (nb) - + Dutch (nl) Dutch (nl) - + Polish (pl) Polish (pl) - + Portuguese, Brazil (pt_BR) Portuguese, Brazil (pt_BR) - + Russian (ru) Russian (ru) - + Swedish (sv) Swedish (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamil(Sri-Lanka) (ta_LK) - + Chinese(China) (zh_CN) Chinese(China) (zh_CN) - + Documentation Documentation - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: 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 @@ -2617,333 +2503,244 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr He has set us free. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings UI Settings - - - Number of recent files to display: - Number of recent files to display: - - Remember active media manager tab on startup - Remember active media manager tab on startup - - - - Double-click to send items straight to live - Double-click to send items straight to live - - - Expand new service items on creation Expand new service items on creation - + Enable application exit confirmation Enable application exit confirmation - + Mouse Cursor Mouse Cursor - + Hide mouse cursor when over display window Hide mouse cursor when over display window - - Default Image - Default Image - - - - Background color: - Background color: - - - - Image file: - Image file: - - - + Open File Open File - + Advanced Advanced - - - Preview items when clicked in Media Manager - Preview items when clicked in Media Manager - - Browse for an image file to display. - Browse for an image file to display. - - - - Revert to the default OpenLP logo. - Revert to the default OpenLP logo. - - - Default Service Name Default Service Name - + Enable default service name Enable default service name - + Date and Time: Date and Time: - + Monday Monday - + Tuesday Tuesday - + Wednesday Wednesday - + Friday Friday - + Saturday Saturday - + Sunday Sunday - + Now Now - + Time when usual service starts. Time when usual service starts. - + Name: Name: - + Consult the OpenLP manual for usage. Consult the OpenLP manual for usage. - - Revert to the default service name "%s". - Revert to the default service name "%s". - - - + Example: Example: - + Bypass X11 Window Manager Bypass X11 Window Manager - + Syntax error. Syntax error. - + Data Location Data Location - + Current path: Current path: - + Custom path: Custom path: - + Browse for new data file location. Browse for new data file location. - + Set the data location to the default. Set the data location to the default. - + Cancel Cancel - + Cancel OpenLP data directory location change. Cancel OpenLP data directory location change. - + Copy data to new location. Copy data to new location. - + Copy the OpenLP data files to the 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 - Data Directory Error - - - + Select Data Directory Location Select Data Directory Location - + Confirm Data Directory Change Confirm Data Directory Change - + Reset Data Directory Reset Data Directory - + Overwrite Existing Data 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 Thursday - + Display Workarounds Display Workarounds - + Use alternating row colours in lists Use alternating row colours in lists - - 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? - 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 Restart Required - + This change will only take effect once OpenLP has been restarted. This change will only take effect once OpenLP has been restarted. - + 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. @@ -2951,11 +2748,142 @@ This location will be used after OpenLP is closed. This location will be used after OpenLP is closed. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatic + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Click to select a colour. @@ -2963,252 +2891,252 @@ This location will be used after OpenLP is closed. OpenLP.DB - + RGB RGB - + Video 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 - + 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 @@ -3216,62 +3144,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred Error Occurred - + Send E-Mail Send E-Mail - + Save to File Save to File - + Attach File Attach File - - - Description characters to enter : %s - Description characters to enter : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - 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. Also attach any files that triggered the problem. - 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. Also attach any files that triggered the problem. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Save Crash Report - + Text files (*.txt *.log *.text) Text files (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3312,268 +3252,259 @@ This location will be used after OpenLP is closed. 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. - 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. 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 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 + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3616,44 +3547,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error Validation Error - + Description is missing Description is missing - + Tag is missing Tag is missing - Tag %s already defined. - Tag %s already defined. + Tag {tag} already defined. + - Description %s already defined. - Description %s already defined. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Start tag %s is not valid HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - End tag %(end)s does not match end tag for start tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3742,170 +3678,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General General - + Monitors Monitors - + Select monitor for output display: Select monitor for output display: - + Display if a single screen Display if a single screen - + Application Startup Application Startup - + Show blank screen warning Show blank screen warning - - Automatically open the last service - Automatically open the last service - - - + Show the splash screen Show the splash screen - + Application Settings Application Settings - + Prompt to save before starting a new service Prompt to save before starting a new service - - Automatically preview next item in service - Automatically preview next item in service - - - + sec sec - + CCLI Details CCLI Details - + SongSelect username: SongSelect username: - + SongSelect password: SongSelect password: - + X X - + Y Y - + Height Height - + Width Width - + Check for updates to OpenLP Check for updates to OpenLP - - Unblank display when adding new live item - Unblank display when adding new live item - - - + Timed slide interval: Timed slide interval: - + Background Audio Background Audio - + Start background audio paused Start background audio paused - + Service Item Slide Limits Service Item Slide Limits - + Override display position: Override display position: - + Repeat track list Repeat track list - + Behavior of next/previous on the last/first slide: Behaviour of next/previous on the last/first slide: - + &Remain on Slide &Remain on Slide - + &Wrap around &Wrap around - + &Move to next/previous service item &Move to next/previous service item + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Browse for an image file to display. + + + + Revert to the default OpenLP logo. + Revert to the default OpenLP logo. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Language - + Please restart OpenLP to use your new language setting. Please restart OpenLP to use your new language setting. @@ -3913,7 +3879,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -3921,352 +3887,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainWindow - + &File &File - + &Import &Import - + &Export &Export - + &View &View - - M&ode - M&ode - - - + &Tools &Tools - + &Settings &Settings - + &Language &Language - + &Help &Help - - Service Manager - Service Manager - - - - Theme Manager - Theme Manager - - - + Open an existing service. Open an existing service. - + Save the current service to disk. Save the current service to disk. - + Save Service As Save Service As - + Save the current service under a new name. Save the current service under a new name. - + E&xit E&xit - - Quit OpenLP - Quit OpenLP - - - + &Theme &Theme - + &Configure OpenLP... &Configure OpenLP... - - &Media Manager - &Media Manager - - - - Toggle Media Manager - Toggle Media Manager - - - - Toggle the visibility of the media manager. - Toggle the visibility of the media manager. - - - - &Theme Manager - &Theme Manager - - - - Toggle Theme Manager - Toggle Theme Manager - - - - Toggle the visibility of the theme manager. - Toggle the visibility of the theme manager. - - - - &Service Manager - &Service Manager - - - - Toggle Service Manager - Toggle Service Manager - - - - Toggle the visibility of the service manager. - Toggle the visibility of the service manager. - - - - &Preview Panel - &Preview Panel - - - - Toggle Preview Panel - Toggle Preview Panel - - - - Toggle the visibility of the preview panel. - Toggle the visibility of the preview panel. - - - - &Live Panel - &Live Panel - - - - Toggle Live Panel - Toggle Live Panel - - - - Toggle the visibility of the live panel. - Toggle the visibility of the live panel. - - - - List the Plugins - List the Plugins - - - - &User Guide - &User Guide - - - + &About &About - - More information about OpenLP - More information about OpenLP - - - - &Online Help - &Online Help - - - + &Web Site &Web Site - + Use the system language, if available. Use the system language, if available. - - Set the interface language to %s - Set the interface language to %s - - - + Add &Tool... Add &Tool... - + Add an application to the list of tools. Add an application to the list of tools. - - &Default - &Default - - - - Set the view mode back to the default. - Set the view mode back to the default. - - - + &Setup &Setup - - Set the view mode to Setup. - Set the view mode to Setup. - - - + &Live &Live - - Set the view mode to 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/. - 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 OpenLP Main Display Blanked - + The Main Display has been blanked out The Main Display has been blanked out - - Default Theme: %s - Default Theme: %s - - - + English Please add the name of your language here English (ZA) - + Configure &Shortcuts... Configure &Shortcuts... - + Open &Data Folder... Open &Data Folder... - + Open the folder where songs, bibles and other data resides. Open the folder where songs, Bibles and other data resides. - + &Autodetect &Autodetect - + Update Theme Images Update Theme Images - + Update the preview images for all themes. Update the preview images for all themes. - + Print the current service. Print the current service. - - L&ock Panels - L&ock Panels - - - - Prevent the panels being moved. - Prevent the panels being moved. - - - + Re-run First Time Wizard Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? 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. @@ -4275,107 +4077,68 @@ 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. - + Configure &Formatting Tags... Configure &Formatting Tags... - - Export OpenLP settings to a specified *.config file - Export OpenLP settings to a specified *.config file - - - + Settings Settings - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Import OpenLP settings from a specified *.config file previously exported on this or another machine - - - + Import settings? Import settings? - - Open File - Open File - - - - OpenLP Export Settings Files (*.conf) - OpenLP Export Settings Files (*.conf) - - - + Import settings Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File Export Settings File - - OpenLP Export Settings File (*.conf) - 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 - OpenLP Data directory copy failed - -%s - - - + General General - + Library Library - + Jump to the search box of the current active plugin. 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. @@ -4388,7 +4151,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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. @@ -4397,191 +4160,370 @@ Processing has terminated and no changes have been made. 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 - - - + &Recent Services &Recent Services - + &New Service &New Service - + &Open Service &Open Service - + &Save Service &Save Service - + Save Service &As... Save Service &As... - + &Manage Plugins &Manage Plugins - + Exit OpenLP Exit OpenLP - + Are you sure you want to exit OpenLP? Are you sure you want to exit OpenLP? - + &Exit OpenLP &Exit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Service + + + + Themes + Themes + + + + Projectors + Projectors + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + + 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: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Database: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected No Items Selected - + &Add to selected Service Item &Add to selected Service Item - + You must select one or more items to preview. 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 to send live. - + You must select one or more items. You must select one or more items. - + You must select an existing service item to add to. You must select an existing service item to add to. - + Invalid Service Item Invalid Service Item - - You must select a %s service item. - You must select a %s service item. - - - + You must select one or more items to add. You must select one or more items to add. - - No Search Results - No Search Results - - - + Invalid File Type Invalid File Type - - Invalid File %s. -Suffix not supported - Invalid File %s. -Suffix not supported - - - + &Clone &Clone - + Duplicate files were found on import and were ignored. Duplicate files were found on import and were ignored. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag is missing. - + <verse> tag is missing. <verse> tag is missing. @@ -4589,22 +4531,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status Unknown status - + No message No message - + Error while sending data to projector Error while sending data to projector - + Undefined command: Undefined command: @@ -4612,32 +4554,32 @@ Suffix not supported OpenLP.PlayerTab - + Players Players - + Available Media Players Available Media Players - + Player Search Order Player Search Order - + Visible background for videos with aspect ratio different to screen. Visible background for videos with aspect ratio different to screen. - + %s (unavailable) %s (unavailable) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" NOTE: To use VLC you must install the %s version @@ -4646,55 +4588,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details Plugin Details - + Status: Status: - + Active Active - - Inactive - Inactive - - - - %s (Inactive) - %s (Inactive) - - - - %s (Active) - %s (Active) + + Manage Plugins + Manage Plugins - %s (Disabled) - %s (Disabled) + {name} (Disabled) + - - Manage Plugins - Manage Plugins + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Fit Page - + Fit Width Fit Width @@ -4702,77 +4639,77 @@ Suffix not supported OpenLP.PrintServiceForm - + Options Options - + Copy Copy - + Copy as HTML Copy as HTML - + Zoom In Zoom In - + Zoom Out Zoom Out - + Zoom Original Zoom Original - + Other Options Other Options - + Include slide text if available Include slide text if available - + Include service item notes Include service item notes - + Include play length of media items Include play length of media items - + Add page break before each text item Add page break before each text item - + Service Sheet Service Sheet - + Print Print - + Title: Title: - + Custom Footer Text: Custom Footer Text: @@ -4780,257 +4717,257 @@ Suffix not supported OpenLP.ProjectorConstants - + 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 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 @@ -5038,17 +4975,17 @@ Suffix not supported OpenLP.ProjectorEdit - + 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 @@ -5056,52 +4993,52 @@ Suffix not supported OpenLP.ProjectorEditForm - + Add New Projector Add New Projector - + Edit Projector Edit Projector - + IP Address IP Address - + Port Number Port Number - + PIN PIN - + Name Name - + Location Location - + Notes Notes - + Database Error Database Error - + 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 @@ -5109,305 +5046,360 @@ Suffix not supported OpenLP.ProjectorManager - + 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 - + Port Port - + Notes Notes - + 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 - - Delete projector (%s) %s? - Delete projector (%s) %s? - - - + Are you sure you want to delete this projector? Are you sure you want to delete this projector? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Authentication Error + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Fan - + Lamp Lamp - + Temperature Temperature - + Cover Cover - + Filter Filter - + Other Other @@ -5453,17 +5445,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address Duplicate IP Address - + Invalid IP Address Invalid IP Address - + Invalid Port Number Invalid Port Number @@ -5476,27 +5468,27 @@ Suffix not supported Screen - + primary primary OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Length</strong>: %s - - [slide %d] - [slide %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5560,52 +5552,52 @@ Suffix not supported Delete the selected item from the service. - + &Add New Item &Add New Item - + &Add to Selected Item &Add to Selected Item - + &Edit Item &Edit Item - + &Reorder Item &Reorder Item - + &Notes &Notes - + &Change Item Theme &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 @@ -5630,7 +5622,7 @@ Suffix not supported Collapse all the service items. - + Open File Open File @@ -5660,22 +5652,22 @@ Suffix not supported Send the selected item to Live. - + &Start Time &Start Time - + Show &Preview Show &Preview - + Modified Service Modified Service - + The current service has been modified. Would you like to save this service? The current service has been modified. Would you like to save this service? @@ -5695,27 +5687,27 @@ Suffix not supported Playing time: - + Untitled Service 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 @@ -5735,147 +5727,145 @@ 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. - + Service File(s) Missing Service File(s) Missing - + &Rename... &Rename... - + Create New &Custom Slide Create New &Custom Slide - + &Auto play slides &Auto play slides - + Auto play slides &Loop Auto play slides &Loop - + Auto play slides &Once Auto play slides &Once - + &Delay between slides &Delay between slides - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} 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. + + + + + An error occurred while writing the service file: {error} + @@ -5907,15 +5897,10 @@ These files will be removed if you continue to save. Shortcut - + Duplicate Shortcut Duplicate Shortcut - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Alternate @@ -5961,219 +5946,235 @@ These files will be removed if you continue to save. Configure Shortcuts Configure Shortcuts + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Hide - + Go To Go To - - - Blank Screen - Blank Screen - - Blank to Theme - Blank to Theme - - - Show Desktop Show Desktop - + Previous Service Previous Service - + Next Service Next Service - - Escape Item - Escape Item - - - + Move to previous. Move to previous. - + Move to next. Move to next. - + Play Slides Play Slides - + Delay between slides in seconds. Delay between slides in seconds. - + Move to live. Move to live. - + Add to Service. Add to Service. - + Edit and reload song preview. Edit and reload song preview. - + Start playing media. Start playing media. - + Pause audio. Pause audio. - + Pause playing media. Pause playing media. - + Stop playing media. Stop playing media. - + Video position. Video position. - + Audio Volume. Audio Volume. - + Go to "Verse" Go to "Verse" - + Go to "Chorus" Go to "Chorus" - + Go to "Bridge" Go to "Bridge" - + Go to "Pre-Chorus" Go to "Pre-Chorus" - + Go to "Intro" Go to "Intro" - + Go to "Ending" Go to "Ending" - + Go to "Other" Go to "Other" - + Previous Slide Previous Slide - + Next Slide Next Slide - + Pause Audio Pause Audio - + Background Audio Background Audio - + Go to next audio track. Go to next audio track. - + Tracks Tracks + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + 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 - + 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? @@ -6181,17 +6182,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling Suggestions - + Formatting Tags Formatting Tags - + Language: Language: @@ -6270,7 +6271,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (approximately %d lines per slide) @@ -6278,523 +6279,531 @@ These files will be removed if you continue to save. OpenLP.ThemeManager - + Create a new theme. Create a new theme. - + Edit Theme Edit Theme - + Edit a theme. Edit a theme. - + Delete Theme Delete Theme - + Delete a theme. Delete a theme. - + Import Theme Import Theme - + Import a theme. Import a theme. - + Export Theme Export Theme - + Export a theme. Export a theme. - + &Edit Theme &Edit Theme - + &Delete Theme &Delete Theme - + Set As &Global Default Set As &Global Default - - %s (default) - %s (default) - - - + You must select a theme to edit. You must select a theme to edit. - + You are unable to delete the default theme. You are unable to delete the default theme. - + 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 - + Select Theme Import File Select Theme Import File - + File is not a valid theme. File is not a valid theme. - + &Copy Theme &Copy Theme - + &Rename Theme &Rename Theme - + &Export Theme &Export Theme - + You must select a theme to rename. You must select a theme to rename. - + Rename Confirmation Rename Confirmation - + Rename %s theme? Rename %s theme? - + You must select a theme to delete. You must select a theme to delete. - + Delete Confirmation Delete Confirmation - + Delete %s theme? Delete %s theme? - + Validation Error Validation Error - + A theme with this name already exists. A theme with this name already exists. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s time(s) by %s - - - + Unable to delete theme Unable to delete theme + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Theme is currently used - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Theme Wizard - + Welcome to the Theme Wizard Welcome to the Theme Wizard - + Set Up Background Set Up Background - + Set up your theme's background according to the parameters below. Set up your theme's background according to the parameters below. - + Background type: Background type: - + Gradient Gradient - + Gradient: Gradient: - + Horizontal Horizontal - + Vertical Vertical - + Circular Circular - + Top Left - Bottom Right Top Left - Bottom Right - + Bottom Left - Top Right Bottom Left - Top Right - + Main Area Font Details Main Area Font Details - + Define the font and display characteristics for the Display text Define the font and display characteristics for the Display text - + Font: Font: - + Size: Size: - + Line Spacing: Line Spacing: - + &Outline: &Outline: - + &Shadow: &Shadow: - + Bold Bold - + Italic Italic - + Footer Area Font Details Footer Area Font Details - + Define the font and display characteristics for the Footer text Define the font and display characteristics for the Footer text - + Text Formatting Details Text Formatting Details - + Allows additional display formatting information to be defined Allows additional display formatting information to be defined - + Horizontal Align: Horizontal Align: - + Left Left - + Right Right - + Center Centre - + Output Area Locations Output Area Locations - + &Main Area &Main Area - + &Use default location &Use default location - + X position: X position: - + px px - + Y position: Y position: - + Width: Width: - + Height: Height: - + Use default location Use default location - + Theme name: Theme name: - - Edit Theme - %s - 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. 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: Transitions: - + &Footer Area &Footer Area - + Starting color: Starting color: - + Ending color: Ending color: - + Background color: Background color: - + Justify Justify - + Layout Preview Layout Preview - + Transparent Transparent - + Preview and Save Preview and Save - + Preview the theme and save it. Preview the theme and save it. - + Background Image Empty Background Image Empty - + Select Image Select Image - + Theme Name Missing Theme Name Missing - + There is no name for this theme. Please enter one. There is no name for this theme. Please enter one. - + Theme Name Invalid Theme Name Invalid - + Invalid theme name. Please enter one. Invalid theme name. Please enter one. - + Solid color Solid colour - + color: colour: - + Allows you to change and move the Main and Footer areas. Allows you to change and move the Main and Footer areas. - + You have not selected a background image. Please select one before continuing. You have not selected a background image. Please select one before continuing. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6877,73 +6886,73 @@ These files will be removed if you continue to save. &Vertical Align: - + Finished import. Finished import. - + Format: Format: - + Importing Importing - + Importing "%s"... Importing "%s"... - + Select Import Source 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 Open %s File - + %p% %p% - + Ready. Ready. - + Starting import... Starting import... - + 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 @@ -6961,7 +6970,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6993,39 +7002,34 @@ These files will be removed if you continue to save. XML syntax error - - Welcome to the Bible Upgrade Wizard - Welcome to the Bible Upgrade Wizard - - - + Open %s Folder 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 file to import from. - + You need to specify one %s folder to import from. A song format e.g. PowerSong You need to specify one %s folder to import from. - + Importing Songs Importing Songs - + Welcome to the Duplicate Song Removal Wizard Welcome to the Duplicate Song Removal Wizard - + Written by Written by @@ -7035,502 +7039,490 @@ These files will be removed if you continue to save. Author Unknown - + About About - + &Add &Add - + Add group Add group - + Advanced Advanced - + All Files All Files - + Automatic Automatic - + Background Color Background Colour - + Bottom Bottom - + Browse... Browse... - + Cancel Cancel - + CCLI number: CCLI number: - + Create a new service. Create a new service. - + Confirm Delete Confirm Delete - + Continuous Continuous - + Default Default - + Default Color: Default Colour: - + 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. Service %Y-%m-%d %H-%M - + &Delete &Delete - + Display style: Display style: - + Duplicate Error Duplicate Error - + &Edit &Edit - + Empty Field Empty Field - + Error Error - + Export Export - + File File - + File Not Found File Not Found - - File %s not found. -Please try selecting it individually. - File %s not found. -Please try selecting it individually. - - - + pt Abbreviated font pointsize unit pt - + Help Help - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Invalid Folder Selected - + Invalid File Selected Singular Invalid File Selected - + Invalid Files Selected Plural Invalid Files Selected - + Image Image - + Import Import - + Layout style: Layout style: - + Live Live - + Live Background Error Live Background Error - + Live Toolbar Live Toolbar - + Load Load - + Manufacturer Singular Manufacturer - + Manufacturers Plural Manufacturers - + Model Singular Model - + Models Plural Models - + m The abbreviated unit for minutes m - + Middle Middle - + New New - + New Service New Service - + New Theme New Theme - + Next Track Next Track - + No Folder Selected Singular No Folder Selected - + No File Selected Singular No File Selected - + No Files Selected Plural No Files Selected - + No Item Selected Singular No Item Selected - + No Items Selected Plural No Items Selected - + OpenLP is already running. Do you wish to continue? OpenLP is already running. Do you wish to continue? - + Open service. Open service. - + Play Slides in Loop Play Slides in Loop - + Play Slides to End Play Slides to End - + Preview 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 - + CCLI song number: CCLI song number: - + Preview Toolbar Preview Toolbar - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Replace live background is not available when the WebKit player is disabled. @@ -7546,32 +7538,99 @@ Please try selecting it individually. Plural Songbooks + + + Background color: + Background color: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + No Bibles Available + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Verse + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + No Search Results + + + + Please type more text to use 'Search As You Type' + + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s and %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, and %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7651,47 +7710,47 @@ Please try selecting it individually. Present using: - + File Exists File Exists - + A presentation with that filename already exists. A presentation with that filename already exists. - + This type of presentation is not supported. This type of presentation is not supported. - - Presentations (%s) - Presentations (%s) - - - + Missing Presentation Missing Presentation - - The presentation %s is incomplete, please reload. - The presentation %s is incomplete, please reload. + + Presentations ({text}) + - - The presentation %s no longer exists. - The presentation %s no longer exists. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7701,11 +7760,6 @@ Please try selecting it individually. Available Controllers Available Controllers - - - %s (unavailable) - %s (unavailable) - Allow presentation application to be overridden @@ -7722,12 +7776,12 @@ Please try selecting it individually. 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. @@ -7738,13 +7792,19 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. - Clicking on a selected slide in the slidecontroller advances to next effect. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7786,127 +7846,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 - + Remote Remote - + Stage View Stage View - + Live View Live View @@ -7914,79 +7974,140 @@ Please try selecting it individually. 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 Display stage time in 12h format - + Android App Android App - + Live view URL: Live view 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. 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 Authentication - + User id: User id: - + Password: Password: - + Show thumbnails of non-text slides in remote and stage view. Show thumbnails of non-text slides in remote and stage view. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Output Path Not Selected + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Report Creation + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8027,50 +8148,50 @@ Please try selecting it individually. 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 @@ -8138,24 +8259,10 @@ 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 Creation - - - Report -%s -has been successfully created. - Report -%s -has been successfully created. - Output Path Not Selected @@ -8169,14 +8276,26 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8192,102 +8311,102 @@ Please select an existing path on your computer. 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... - + 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. @@ -8296,26 +8415,26 @@ 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 Song - + Songs name plural Songs - + Songs container title Songs @@ -8326,37 +8445,37 @@ The encoding is responsible for the correct character representation.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 @@ -8371,15 +8490,30 @@ The encoding is responsible for the correct character representation.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. + + + Songs + Songs + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8465,62 +8599,67 @@ The encoding is responsible for the correct character representation. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administered by %s - - - - "%s" could not be imported. %s - "%s" could not be imported. %s - - - + Unexpected data formatting. Unexpected data formatting. - + No song text found. No song text found. - + [above are Song Tags with notes imported from EasyWorship] [above are Song Tags with notes imported from EasyWorship] - + 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Custom Book Names @@ -8603,57 +8742,57 @@ The encoding is responsible for the correct character representation.Theme, Copyright Info && Comments - + Add Author Add Author - + This author does not exist, do you want to add them? This author does not exist, do you want to add them? - + This author is already in the list. 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. 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 Add Topic - + This topic does not exist, do you want to add it? This topic does not exist, do you want to add it? - + This topic is already in the list. 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 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 a song title. - + You need to type in at least one verse. You need to type in at least one verse. - + You need to have an author for this song. You need to have an author for this song. @@ -8678,7 +8817,7 @@ The encoding is responsible for the correct character representation.Remove &All - + Open File(s) Open File(s) @@ -8693,14 +8832,7 @@ The encoding is responsible for the correct character representation.<strong>Warning:</strong> You have not entered a verse order. - - There is no verse 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 Invalid Verse Order @@ -8710,22 +8842,15 @@ Please enter the verses separated by spaces. &Edit Author Type - + Edit Author Type Edit Author Type - + Choose type for this author Choose type for this author - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - &Manage Authors, Topics, Songbooks @@ -8747,45 +8872,71 @@ Please enter the verses separated by spaces. Authors, Topics && Songbooks - + Add Songbook Add Songbook - + This Songbook does not exist, do you want to add it? This Songbook does not exist, do you want to add it? - + This Songbook is already in the list. This Songbook is already in the list. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Edit Verse - + &Verse type: &Verse type: - + &Insert &Insert - + Split a slide into two by inserting a verse splitter. Split a slide into two by inserting a verse splitter. @@ -8798,77 +8949,77 @@ Please enter the verses separated by spaces. Song Export Wizard - + Select Songs Select Songs - + Check the songs you want to export. Check the songs you want to export. - + Uncheck All Uncheck All - + Check All Check All - + Select Directory Select Directory - + Directory: Directory: - + Exporting Exporting - + Please wait while your songs are exported. Please wait while your songs are exported. - + You need to add at least one Song to export. You need to add at least one Song to export. - + No Save Location specified No Save Location specified - + Starting export... Starting export... - + You need to specify a directory. You need to specify a directory. - + Select Destination Folder Select Destination Folder - + Select the directory where you want the songs to be saved. 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. This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. @@ -8876,7 +9027,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Invalid Foilpresenter song file. No verses found. @@ -8884,7 +9035,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Enable search as you type @@ -8892,7 +9043,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Select Document/Presentation Files @@ -8902,237 +9053,252 @@ Please enter the verses separated by spaces. 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 Generic Document/Presentation - + Add Files... Add Files... - + Remove File(s) Remove File(s) - + Please wait while your songs are imported. Please wait while your songs are imported. - + Words Of Worship Song Files Words Of Worship Song Files - + Songs Of Fellowship Song Files Songs Of Fellowship Song Files - + SongBeamer Files SongBeamer Files - + SongShow Plus Song Files SongShow Plus Song Files - + Foilpresenter Song Files Foilpresenter Song Files - + Copy Copy - + Save to File 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 Files OpenLyrics Files - + CCLI SongSelect Files CCLI SongSelect Files - + EasySlides XML File EasySlides XML File - + EasyWorship Song Database EasyWorship Song Database - + DreamBeam Song Files DreamBeam Song Files - + You need to specify a valid PowerSong 1.0 database folder. You need to specify a valid PowerSong 1.0 database folder. - + 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>. 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 SundayPlus Song Files - + This importer has been disabled. 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. 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 EasyWorship Service File - + WorshipCenter Pro Song Files 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. 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 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. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics or OpenLP 2 Exported Song - + OpenLP 2 Databases OpenLP 2 Databases - + LyriX Files LyriX Files - + LyriX (Exported TXT-files) LyriX (Exported TXT-files) - + VideoPsalm Files VideoPsalm Files - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - The VideoPsalm songbooks are normally located in %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Error: %s + File {name} + + + + + Error: {error} + @@ -9151,79 +9317,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Titles - + Lyrics Lyrics - + CCLI License: CCLI License: - + Entire Song Entire Song - + Maintain the lists of authors, topics and books. Maintain the lists of authors, topics and books. - + copy For song cloning copy - + Search Titles... Search Titles... - + Search Entire Song... Search Entire Song... - + Search Lyrics... Search Lyrics... - + Search Authors... Search Authors... - - Are you sure you want to delete the "%d" selected song(s)? - Are you sure you want to delete the "%d" selected song(s)? - - - + Search Songbooks... Search Songbooks... + + + Search Topics... + + + + + Copyright + Copyright + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Unable to open the MediaShout database. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Not a valid OpenLP 2 song database. @@ -9231,9 +9435,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exporting "%s"... + + Exporting "{title}"... + @@ -9252,29 +9456,37 @@ Please enter the verses separated by spaces. No songs to import. - + Verses not found. Missing "PART" header. Verses not found. Missing "PART" header. - No %s files found. - No %s files found. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Invalid %s file. Unexpected byte value. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Invalid %s file. Missing "TITLE" header. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Invalid %s file. Missing "COPYRIGHTLINE" header. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9303,19 +9515,19 @@ 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 + + Your song export failed because this error occurred: {error} + @@ -9331,17 +9543,17 @@ Please enter the verses separated by spaces. The following songs could not be imported: - + Cannot access OpenOffice or LibreOffice Cannot access OpenOffice or LibreOffice - + Unable to open file Unable to open file - + File not found File not found @@ -9349,109 +9561,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Could not add your author. - + This author already exists. This author already exists. - + Could not add your topic. Could not add your topic. - + This topic already exists. This topic already exists. - + Could not add your book. Could not add your book. - + This book already exists. This book already exists. - + Could not save your changes. Could not save your changes. - + Could not save your modified author, because the author already exists. Could not save your modified author, because the author already exists. - + Could not save your modified topic, because it already exists. Could not save your modified topic, because it already exists. - + Delete Author Delete Author - + Are you sure you want to delete the selected 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. This author cannot be deleted, they are currently assigned to at least one song. - + Delete Topic Delete Topic - + Are you sure you want to delete the selected 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. This topic cannot be deleted, it is currently assigned to at least one song. - + Delete Book Delete Book - + Are you sure you want to delete the selected 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. 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 author %s already exists. Would you like to make songs with author %s use the existing author %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9497,52 +9709,47 @@ Please enter the verses separated by spaces. Search - - Found %s song(s) - Found %s song(s) - - - + Logout Logout - + View View - + Title: Title: - + Author(s): Author(s): - + Copyright: Copyright: - + CCLI Number: CCLI Number: - + Lyrics: Lyrics: - + Back Back - + Import Import @@ -9582,7 +9789,7 @@ Please enter the verses separated by spaces. There was a problem logging in, perhaps your username or password is incorrect? - + Song Imported Song Imported @@ -9597,7 +9804,7 @@ Please enter the verses separated by spaces. 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? Your song has been imported, would you like to import more songs? @@ -9606,6 +9813,11 @@ Please enter the verses separated by spaces. Stop Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9614,30 +9826,30 @@ Please enter the verses separated by spaces. Songs Mode Songs Mode - - - Display verses on live tool bar - Display verses on live tool bar - Update service from song edit Update service from song edit - - - Import missing songs from service files - Import missing songs from service files - Display songbook in footer Display songbook in footer + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Display "%s" symbol before copyright info + Display "{symbol}" symbol before copyright info + @@ -9661,37 +9873,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Verse - + Chorus Chorus - + Bridge Bridge - + Pre-Chorus Pre-Chorus - + Intro Intro - + Ending Ending - + Other Other @@ -9699,22 +9911,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - Error: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9725,30 +9937,30 @@ Please enter the verses separated by spaces. Error reading CSV file. - - Line %d: %s - Line %d: %s - - - - Decoding error: %s - Decoding error: %s - - - + File not valid WorshipAssistant CSV format. File not valid WorshipAssistant CSV format. - - Record %d - Record %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Unable to connect the WorshipCenter Pro database. @@ -9761,25 +9973,30 @@ Please enter the verses separated by spaces. Error reading CSV file. - + File not valid ZionWorx CSV format. File not valid ZionWorx CSV format. - - Line %d: %s - Line %d: %s - - - - Decoding error: %s - Decoding error: %s - - - + Record %d Record %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9789,39 +10006,960 @@ 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. 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. Searching for duplicate songs. - + Please wait while your songs database is analyzed. Please wait while your songs database is analysed. - + Here you can decide which songs to remove and which ones to keep. Here you can decide which songs to remove and which ones to keep. - - Review duplicate songs (%s/%s) - Review duplicate songs (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. No duplicate songs have been found in the database. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + English (ZA) + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/es.ts b/resources/i18n/es.ts index 912dab23d..e58b29a7a 100644 --- a/resources/i18n/es.ts +++ b/resources/i18n/es.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? El texto del Aviso contiene '< >'. ¿Desea continuar de todos modos? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. No ha especificado ningún texto para su Aviso. Por favor, escriba algún texto antes de hacer clic en Nuevo. @@ -120,32 +121,27 @@ Por favor, escriba algún texto antes de hacer clic en Nuevo. AlertsPlugin.AlertsTab - + Font Fuente - + Font name: Nombre de la Fuente: - + Font color: Color de Fuente: - - Background color: - Color del Fondo: - - - + Font size: Tamaño de Fuente: - + Alert timeout: Tiempo para Mostrar el Aviso: @@ -153,88 +149,78 @@ Por favor, escriba algún texto antes de hacer clic en Nuevo. 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 la Biblia seleccionada 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 la Base de Datos de Biblias al formato más reciente. - Genesis @@ -739,161 +725,130 @@ Por favor, escriba algún texto antes de hacer clic en Nuevo. Ésta Biblia ya existe. Por favor, importe una Biblia diferente, o antes, borre la ya existente. - - You need to specify a book name for "%s". - Debe especificar un Nombre de Libro para "%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. - El Nombre de Libro "%s" no es correcto. -Solo se pueden utilizar números al principio -y dicho número debe ser seguido de uno o más caracteres no numéricos. - - - + Duplicate Book Name Nombre de Libro Duplicado - - The Book Name "%s" has been entered more than once. - El Nombre de Libro "%s" se ha ingresado más de una vez. + + You need to specify a book name for "{text}". + Debe especificar un nombre de libro para "{text}" + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + El nombre de libro "{name}" no es correcto. +Solo se pueden utilizar números al principio +y seguido de caracteres no numéricos. + + + + The Book Name "{name}" has been entered more than once. + El Nombre de Libro "{name}" se ha ingresado más de una vez. + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Error de Referencia Bíblica - - Web Bible cannot be used - No se puede usar la Biblia Web + + Web Bible cannot be used in Text Search + No se puede usar la Biblia Web al Buscar Texto - - 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 para buscar. -Puede separar diferentes palabras con un espacio para hacer una búsqueda de todas las palabras, y puede separarlas con una coma para realizar una búsqueda de una de ellas. - - - - There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - No existen Biblias instaladas actualmente. Puede usar el Asistente de Importación para instalar una o más 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - La Referencia Bíblica no es soportada por OpenLP, o es inválida. Por favor, verifique que su Referencia esté formada por uno de los siguientes patrones, o consulte el manual. +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Libro Capítulo -Libro Capítulo %(range)s Capítulo -Libro Capítulo %(verse)s Versículo %(range)s Versículo -Libro Capítulo %(verse)s Versículo %(range)s Versículo %(list)s Versículo %(range)s Versículo -Libro Capítulo %(verse)s Versículo %(range)s Versículo %(list)s Capítulo %(verse)s Versículo %(range)s Versículo -Libro Capítulo %(verse)s Versículo %(range)s Capítulo %(verse)s Versículo +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Buscar Texto no está disponible en Biblias Web. +Utilice Buscar Referencia Bíblica. + +Esto significa que la Biblia o la Biblia Secundaria +utilizada están instaladas como Biblia Web. + +Si estaba haciendo una búsqueda de Referencia +en Búsqueda Combinada, su referencia es inválida. + + + + Nothing found + Sin resultados BiblesPlugin.BiblesTab - + Verse Display Mostrar Versículos - + Only show new chapter numbers Sólo mostrar números para Capítulos Nuevos - + Bible theme: Tema para la Biblia: - + No Brackets Sin paréntesis - + ( And ) ( Y ) - + { And } { Y } - + [ And ] [ Y ] - - Note: -Changes do not affect verses already in the service. - Nota: -Los cambios no afectan a los versículos que ya están en el servicio. - - - + Display second Bible verses Mostrar versículos secundarios - + Custom Scripture References Referencias Bíblicas Personalizadas - - Verse Separator: - Separador de Versículos: - - - - Range Separator: - Separador de Rango: - - - - List Separator: - Separador de Lista: - - - - End Mark: - Marca de Final: - - - + 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. @@ -902,37 +857,85 @@ Deben estar separados por una barra "|". Por favor, borre el contenido de este cuadro para usar el valor predeterminado. - + English Inglés - + Default Bible Language - Idioma de Biblia predeterminado + Idioma de Biblia predeterminada - + Book name language in search field, search results and on display: Idioma de los Nombres de Libros en el campo de búsqueda, resultados de búsqueda y en pantalla: - + Bible Language Idioma de la Biblia - + Application Language Idioma de la Aplicación - + Show verse numbers Mostar Número de Versículo + + + Note: Changes do not affect verses in the Service + Nota: +Los cambios no afectan a los versículos que ya están en el Servicio. + + + + Verse separator: + Separador de Versículos: + + + + Range separator: + Separador de Rango: + + + + List separator: + Separador de Lista: + + + + End mark: + Marca de Final: + + + + Quick Search Settings + Preferencias de Búsqueda Rápida + + + + Reset search type to "Text or Scripture Reference" on startup + Restablecer tipo de búsqueda a "Texto o Referencia Bíblica" al inicio + + + + Don't show error if nothing is found in "Text or Scripture Reference" + No mostrar error si nada se encuentra en "Texto o Referencia Bíblica" + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Buscar a medida que se escribe (el texto debe contener un mínimo +de {count} caracteres y un espacio por razones de rendimiento) + BiblesPlugin.BookNameDialog @@ -988,70 +991,71 @@ resultados de búsqueda y en pantalla: BiblesPlugin.CSVBible - - Importing books... %s - Importando Libros... %s + + Importing books... {book} + Importando libros... {book} - - Importing verses... done. - Importando Versículos... Hecho. + + Importing verses from {book}... + Importing verses from <book name>... + Importando versículos de {book}... BiblesPlugin.EditBibleForm - + Bible Editor Editor de Biblias - + License Details - Detalles de licencia + Detalles de Licencia - + Version name: Nombre de versión: - + Copyright: Derechos Reservados: - + Permissions: Permisos: - + Default Bible Language Idioma de Biblia predeterminada - + Book name language in search field, search results and on display: Idioma del Nombre de Libro en el campo de búsqueda, resultados de búsqueda y en pantalla. - + Global Settings Configuraciones Globales - + Bible Language Idioma de la Biblia - + Application Language Idioma de la Aplicación - + English Inglés @@ -1071,225 +1075,260 @@ No es posible personalizar los Nombres de Libro. 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 su 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. + + + Importing {book}... + Importing <book name>... + Importando {book}... + BiblesPlugin.ImportWizardForm - + Bible Import Wizard Asistente para Importación de 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: + Derechos Reservados: - + 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. + Debe establecer la información de Derechos de Autor de esta Biblia. Si es de Dominio Público, debe indicarlo. - + Bible Exists - Ya existe la Biblia + Ya existe ésta 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. + Ésta Biblia ya existe. Por favor, importe una Biblia diferente, o antes, borre la ya existente. - + 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. + + + Bibles: + Biblias: + + + + SWORD data folder: + Carpeta de datos SWORD: + + + + SWORD zip-file: + Archivo SWORD en ZIP: + + + + Defaults to the standard SWORD data folder + Utiliza la ubicación estándar de datos para SWORD + + + + Import from folder + Importar desde folder + + + + Import from Zip-file + Importar desde archivo ZIP + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Para importar biblias SWORD el módulo pysword python debe estar instalado. Por favor lea el manual para instrucciones. + BiblesPlugin.LanguageDialog @@ -1320,293 +1359,161 @@ sea necesario, por lo que debe contar con una conexión a internet. BiblesPlugin.MediaItem - - Quick - Rápida - - - + Find: Buscar: - + Book: Libro: - + Chapter: Capítulo: - + Verse: Versículo: - + From: Desde: - + To: Hasta: - + Text Search - Buscar texto + Buscar Texto - + Second: Paralela: - + Scripture Reference Referencia Bíblica - + Toggle to keep or clear the previous results. Alterna entre conservar o borrar los resultados previos. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? No puede mezclar búsquedas individuales y dobles. ¿Desea borrar los resultados y abrir una búsqueda nueva? - + Bible not fully loaded. Biblia incompleta. - + Information Información - - 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 Biblia secundaria no contiene todos los versículos de la Biblia principal. Solo se muestran los versículos comunes. Versículos %d no se incluyen en los resultados. - - - + Search Scripture Reference... Buscar Referencia Bíblica... - + Search Text... Buscar Texto... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Buscar + + + + Select + Seleccionar + + + + Clear the search results. + Borrar los resultados de búsqueda. + + + + Text or Reference + Texto o Referencia + + + + Text or Reference... + Texto o Referencia... + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Desea eliminar completamente la Biblia "%s" de OpenLP? + Desea eliminar completamente la Biblia "{bible}" de OpenLP? Deberá reimportar esta Biblia para utilizarla de nuevo. - - Advanced - Avanzado - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Tipo de archivo incorrecto. Las Biblias OpenSong pueden estar comprimidas y es necesario extraerlas antes de la importación. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - Tipo de Biblia incorrecta. Esta puede ser una bilbia Zefania XML, por favor use la opcion de importación Zefania. - - - - BiblesPlugin.Opensong - - - Importing %(bookname)s %(chapter)s... - Importando %(bookname)s %(chapter)s... + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + La Biblia secundaria no contiene todos los versículos de la Biblia principal. +Solo se muestran los versículos comunes. + +Versículos {count:d} no se incluyen en los resultados. 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... - Importando %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importando {book} {chapter}... - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Seleccione un directorio de respaldo + + Importing {name}... + Importando {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Asistente para actualizar biblias - - - - 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. - Este asistente le ayudará a actualizar sus Biblias desde versiones anteriores a OpenLP 2. Presione Siguiente para iniciar el proceso. - - - - Select Backup Directory - Directorio de respaldo - - - - Please select a backup directory for your Bibles - Por favor seleccione un directorio de respaldo para sus Biblias - - - - 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>. - Las versiones anteriores a OpenLP 2.0 no pueden utilizar las Biblias actualizadas. Se creará un respaldo de sus Biblias actuales en caso de que tenga que utilizar una versión anterior del programa. Las instrucciones para restaurar los archivos están en nuestro <a href="http://wiki.openlp.org/faq">FAQ</a>. - - - - Please select a backup location for your Bibles. - Por favor seleccione una ubicación para los respaldos. - - - - Backup Directory: - Directorio de respaldo: - - - - There is no need to backup my Bibles - No es necesario respaldar mis Biblias - - - - Select Bibles - Seleccione Biblias - - - - Please select the Bibles to upgrade - Por favor seleccione las Biblias a actualizar - - - - Upgrading - Actualizando - - - - Please wait while your Bibles are upgraded. - Por favor espere mientras sus Biblias son actualizadas. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - El respaldo no fue exitoso. -Para respaldar sus Biblias debe tener permisos de escritura en el directorio seleccionado. - - - - Upgrading Bible %s of %s: "%s" -Failed - Actualizando Biblia %s de %s: "%s" -Fallidas - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Actualizando Biblia %s de %s: "%s" -Actualizando... - - - - Download Error - Error de descarga - - - - To upgrade your Web Bibles an Internet connection is required. - Para actualizar sus Biblias se requiere de una conexión a internet. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Actualizando Biblia %s de %s: "%s" -Actualizando %s... - - - - Upgrading Bible %s of %s: "%s" -Complete - Actualizando Biblia %s de %s: "%s" -Completado - - - - , %s failed - , %s fallidas - - - - Upgrading Bible(s): %s successful%s - Actualizando Biblia(s): %s exitosas%s - - - - Upgrade failed. - Actualización fallida. - - - - You need to specify a backup directory for your Bibles. - Debe especificar un directorio de respaldo para sus Biblias. - - - - Starting upgrade... - Iniciando actualización... - - - - There are no Bibles that need to be upgraded. - Las Biblias ya se encuentran actualizadas. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Actualizando Biblia(s): %(success)d con éxito %(failed_text)s -Por favor, tome en cuenta que los Versículos de las Biblias Web serán descargados bajo demanda, (conforme se vayan necesitando) por lo que se requiere de una conexión a Internet activa. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + Hubo un error inesperado al importar la biblia SWORD, por favor repórtelo a los desarrolladores de OpenLP. +{error} 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. @@ -1614,9 +1521,9 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importando %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importando {book} {chapter}... @@ -1731,7 +1638,7 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga Editar todas las diapositivas a la vez. - + Split a slide into two by inserting a slide splitter. Dividir la diapositiva insertando un separador. @@ -1746,7 +1653,7 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga &Créditos: - + You need to type in a title. Debe escribir un título. @@ -1756,12 +1663,12 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga Ed&itar todo - + Insert Slide Insertar - + You need to add at least one slide. Debe agregar al menos una diapositiva. @@ -1769,7 +1676,7 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga CustomPlugin.EditVerseForm - + Edit Slide Editar Diapositiva @@ -1777,9 +1684,9 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - ¿Desea borrar la(s) %n diapositiva(s) seleccionada(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + ¿Desea realmente eliminar la/las "{items:d}" diapositiva(s) seleccionada(s)? @@ -1807,11 +1714,6 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga container title Imágenes - - - Load a new image. - Cargar una imagen nueva. - Add a new image. @@ -1842,6 +1744,16 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga Add the selected image to the service. Agregar esta imagen al servicio. + + + Add new image(s). + Agregar imagen(es) nueva(s). + + + + Add new image(s) + Agregar imagen(es) nueva(s) + ImagePlugin.AddGroupForm @@ -1866,12 +1778,12 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga 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. @@ -1907,7 +1819,7 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga ImagePlugin.ExceptionDialog - + Select Attachment Seleccionar archivo adjunto @@ -1915,39 +1827,22 @@ Por favor, tome en cuenta que los Versículos de las Biblias Web serán descarga ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1957,25 +1852,42 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + ¿Desea realmente eliminar "{name}" y todo su contenido? + + + + The following image(s) no longer exist: {names} + La siguiente imagen(es) ya no está disponible: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + La siguiente imagen(es) ya no está disponible: {names} +¿Desea agregar las demás imágenes? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Ocurrió un problema al reemplazar el fondo, el archivo "{names}" ya no existe. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Fondo visible para canciones con aspecto diferente al de la pantalla. @@ -1983,27 +1895,27 @@ Do you want to add the other images anyway? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Éste reproductor de medios usa su sistema operativo para proveer capacidades multimedia. @@ -2011,60 +1923,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>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. @@ -2180,47 +2092,47 @@ Do you want to add the other images anyway? El reproductor VLC falló al reproducir el contenido. - + CD not loaded correctly No se cargó el CD - + The CD was not loaded correctly, please re-load and try again. No se cargó el CD, por favor revise e intente de nuevo. - + DVD not loaded correctly El DVD no se cargó - + The DVD was not loaded correctly, please re-load and try again. El DVD no se cargó, por favor revise e intente de nuevo. - + 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 - + Invalid character Caracter inválido - + The name of the mediaclip must not contain the character ":" El nombre del fragmento de contener el caracter ":" @@ -2228,90 +2140,100 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Archivo inválido - + Use Player: Usar reproductor: - + VLC player required Se necesita el reproductor VLC - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + El archivo %s no se puede reproducir con %s + + + + Unsupported Media File + Archivo Incompatible + + + + CD/DVD playback is only supported if VLC is installed and enabled. + Reproducir CD/DVD disponible solo si VLC está instalado y habilitado. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Ocurrió un problema al reemplazar el fondo, el archivo "{name}" ya no existe. + + + + The optical disc {name} is no longer available. + El medio óptico {name} no está disponible. + + + + The file {name} no longer exists. + El archivo {name} ya no está disponible. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Videos ({video});;Audio ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2322,94 +2244,93 @@ Do you want to add the other images anyway? - Start Live items automatically - Iniciar elementos En Vivo automaticamente - - - - OPenLP.MainWindow - - - &Projector Manager - Gestor de &Proyector + Start new Live media automatically + Medios nuevos En Vivo automaticamente OpenLP - + Image Files Archivos de Imagen - - Information - Información - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - El formato de las Bilbias ha cambiado. -Debe actualizar las Biblias existentes. -¿Desea hacerlo ahora? - - - + Backup Respaldo - - OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - OpenLP se ha actualizado, ¿desea crear un respaldo de la carpeta de datos del programa? - - - + 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 - - - + Open Abrir + + + Video Files + Archivos de Video + + + + Data Directory Error + Error en Directorio de Datos + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Créditos - + License Licencia - - build %s - compilación %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. Este es un programa libre; usted puede distribuirlo y/o modificarlo bajo los términos de la GNU General Public License según la publicación de Free Software Foundation; versión 2 de la Licencia. - + 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. Este programa se distribuye con la esperanza de que sea útil, pero SIN NINGUNA GARANTÍA, incluso sin la garantía implícita de COMERCIALIZACIÓN o IDONEIDAD PARA UN PROPÓSITO PARTICULAR. Véase más abajo para más detalles. - + 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. @@ -2419,181 +2340,164 @@ 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 es un software de proyección para iglesias gratuito, diseñado para mostrar diapositivas de canciones, versículos de la Biblia, videos, imágenes, e incluso presentaciones (con Impress, PowerPoint o PowerPoint Viewer instalados) para servicios de adoración, utilizando una computadora y un proyector de datos. +OpenLP es un software libre de proyección para iglesias, diseñado para mostrar diapositivas de canciones, versículos de la Biblia, videos, imágenes, e incluso presentaciones (con Impress, PowerPoint o PowerPoint Viewer instalados) para servicios de adoración, utilizando una computadora y un proyector de datos. Para más información de OpenLP visite: http://openlp.org/ -OpenLP es desarrollado y mantenido por voluntarios. Si desea apoyar la creación de más software cristiano gratuito, por favor considere contribuir mediante el botón de abajo. +OpenLP es desarrollado y mantenido por voluntarios. Si desea apoyar la creación de más software cristiano libre, por favor considere contribuir mediante el botón de abajo. - + Volunteer Contribuir - + Project Lead Dirección del Proyecto - + Developers Desarrolladores - + Contributors Contribuidores - + Packagers Empaquetadores - + Testers Probadores - + Translators Traductores - + Afrikaans (af) Afrikaans (af) - + Czech (cs) Czech (cs) - + Danish (da) Danish (da) - + German (de) German (de) - + Greek (el) Greek (el) - + English, United Kingdom (en_GB) English, United Kingdom (en_GB) - + English, South Africa (en_ZA) English, South Africa (en_ZA) - + Spanish (es) Spanish (es) - + Estonian (et) Estonian (et) - + Finnish (fi) Finnish (fi) - + French (fr) French (fr) - + Hungarian (hu) Hungarian (hu) - + Indonesian (id) Indonesian (id) - + Japanese (ja) Japanese (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norwegian Bokmål (nb) - + Dutch (nl) Dutch (nl) - + Polish (pl) Polish (pl) - + Portuguese, Brazil (pt_BR) Portuguese, Brazil (pt_BR) - + Russian (ru) Russian (ru) - + Swedish (sv) Swedish (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamil(Sri-Lanka) (ta_LK) - + Chinese(China) (zh_CN) Chinese(China) (zh_CN) - + Documentation Documentación - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Desarrollado con -Python: http://www.python.org/ -Qt5: http://qt.io -PyQt5: 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 @@ -2620,334 +2524,244 @@ liberándonos del pecado. porque sin costo Él nos hizo libres. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + build {version} + compilación {version} + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Preferencias de interface - - - Number of recent files to display: - Archivos recientes a mostrar: - - Remember active media manager tab on startup - Recordar la última pestaña de medios utilizada - - - - Double-click to send items straight to live - Doble clic para proyectar directamente - - - Expand new service items on creation Expandir elementos nuevos del servicio al crearlos - + Enable application exit confirmation Preguntar antes de cerrar la aplicación - + Mouse Cursor Cursor del ratón - + Hide mouse cursor when over display window Ocultar el cursor en la pantalla principal - - Default Image - Imagen predeterminada - - - - Background color: - Color de fondo: - - - - Image file: - Archivo: - - - + Open File Abrir archivo - + Advanced Avanzado - - - Preview items when clicked in Media Manager - Vista previa al seleccionar elementos del Administrador de Medios - - Browse for an image file to display. - Buscar un archivo de imagen para mostrar. - - - - Revert to the default OpenLP logo. - Volver al logo predeterminado de OpenLP. - - - Default Service Name Nombre del Servicio Predeterminado - + Enable default service name Habilitar nombre automático - + Date and Time: Fecha y Hora: - + Monday Lunes - + Tuesday Martes - + Wednesday Miércoles - + Friday Viernes - + Saturday Sábado - + Sunday Domingo - + Now Hoy - + Time when usual service starts. Hora usual de inicio del servicio. - + Name: Nombre: - + Consult the OpenLP manual for usage. Consulte el manual de OpenLP para su uso. - - Revert to the default service name "%s". - Volver al nombre del servicio predeterminado "%s" - - - + Example: Ejemplo: - + Bypass X11 Window Manager No usar el Administrador de Ventanas de X11 - + Syntax error. Error de Sintaxis. - + Data Location Ubicación de Datos - + Current path: Ubicación actual: - + Custom path: Ubicación nueva: - + Browse for new data file location. Buscar una nueva ubicación para los datos. - + Set the data location to the default. Restablecer la ubicación original para los datos. - + Cancel Cancelar - + Cancel OpenLP data directory location change. Cancelar el cambio del directorio de datos de OpenLP. - + Copy data to new location. Copiar datos a nueva ubicación. - + Copy the OpenLP data files to the new location. Copiar los datos de OpenLP a un nuevo directorio. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>ADVERTENCIA:</strong> El nuevo directorio contiene archivos de datos de OpenLP. Estos archivos serán reemplazados durante la copia. - - Data Directory Error - Error en Directorio de Datos - - - + Select Data Directory Location Seleccione Ubicación de Datos - + Confirm Data Directory Change Confirme Cambio de Directorio - + Reset Data Directory Reestablecer Directorio de Datos - + Overwrite Existing Data Sobrescribir los Datos Actuales - - 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. - No se encontró el Directorio de Datos - -%s - -Este directorio fue cambiado de su ubicación por defecto anteriormente. -Si su nueva ubicación es un medio extraible, este medio debe estar presente. - -Presione "No" para detener OpenLP y permitirle corregir el problema. - -Presione "Si" para cambiar el directorio de datos a su ubicación habitual. - - - - 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. - Desea cambiar la ubicación del directorio de datos de OpenLP a la siguiente: - -%s - -El directorio se cambiará una vez que OpenLP se cierre. - - - + Thursday Jueves - + Display Workarounds Arreglos de Pantalla - + Use alternating row colours in lists Usar colores alternados en listas - - 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? - ADVERTENCIA: - -La ubicación seleccionada - -%s - -aparentemente contiene archivos de datos de OpenLP. Desea reemplazar estos archivos con los actuales? - - - + Restart Required Se requiere reiniciar - + This change will only take effect once OpenLP has been restarted. Este cambio tendrá efecto al reiniciar OpenLP. - + 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. @@ -2955,11 +2769,153 @@ This location will be used after OpenLP is closed. Esta ubicación se utilizará luego de cerrar OpenLP. + + + Max height for non-text slides +in slide controller: + Altura máx de diapositivas sin texto +en el Control de Diapositivas: + + + + Disabled + Deshabilitado + + + + When changing slides: + Al cambiar diapositivas: + + + + Do not auto-scroll + No auto desplazar + + + + Auto-scroll the previous slide into view + Auto desplazar diapositiva anterior a vista + + + + Auto-scroll the previous slide to top + Auto desplazar diapositiva anterior al inicio + + + + Auto-scroll the previous slide to middle + Auto desplazar diapositiva anterior al medio + + + + Auto-scroll the current slide into view + Auto desplazar diapositiva actual a vista + + + + Auto-scroll the current slide to top + Auto desplazar diapositiva actual al inicio + + + + Auto-scroll the current slide to middle + Auto desplazar diapositiva actual al medio + + + + Auto-scroll the current slide to bottom + Auto desplazar diapositiva actual al final + + + + Auto-scroll the next slide into view + Auto desplazar diapositiva siguiente a vista + + + + Auto-scroll the next slide to top + Auto desplazar diapositiva siguiente al inicio + + + + Auto-scroll the next slide to middle + Auto desplazar diapositiva siguiente al medio + + + + Auto-scroll the next slide to bottom + Auto desplazar diapositiva siguiente al final + + + + Number of recent service files to display: + Archivos de servicio recientes a mostrar: + + + + Open the last used Library tab on startup + Abrir la última pestaña de Librería al inicio + + + + Double-click to send items straight to Live + Doble clic para proyectar directamente + + + + Preview items when clicked in Library + Vista previa al seleccionar elementos en Librería + + + + Preview items when clicked in Service + Vista previa al seleccionar elementos del Servicio + + + + Automatic + Automático + + + + Revert to the default service name "{name}". + Volver al nombre del servicio predeterminado "{name}". + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + Desea cambiar la ubicación del directorio de datos de OpenLP a la siguiente: + +{path} + +El directorio se cambiará una vez que OpenLP se cierre. + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + ADVERTENCIA: + +La ubicación seleccionada + +{path} + +aparentemente contiene archivos de datos de OpenLP. Desea reemplazar estos archivos con los actuales? + OpenLP.ColorButton - + Click to select a color. Clic para seleccionar color. @@ -2967,252 +2923,252 @@ Esta ubicación se utilizará luego de cerrar OpenLP. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digital - + Storage Almacenamiento - + Network Red - + 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 Almacenamiento 1 - + Storage 2 Almacenamiento 2 - + Storage 3 Almacenamiento 3 - + Storage 4 Almacenamiento 4 - + Storage 5 Almacenamiento 5 - + Storage 6 Almacenamiento 6 - + Storage 7 Almacenamiento 7 - + Storage 8 Almacenamiento 8 - + Storage 9 Almacenamiento 9 - + Network 1 Red 1 - + Network 2 Red 2 - + Network 3 Red 3 - + Network 4 Red 4 - + Network 5 Red 5 - + Network 6 Red 6 - + Network 7 Red 7 - + Network 8 Red 8 - + Network 9 Red 9 @@ -3220,62 +3176,75 @@ Esta ubicación se utilizará luego de cerrar OpenLP. OpenLP.ExceptionDialog - + Error Occurred Se Produjo un Error - + Send E-Mail Enviar E-Mail - + Save to File Guardar archivo - + Attach File Adjuntar archivo - - - Description characters to enter : %s - Caracteres restantes: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Por favor, escribe una descripción de lo que estaba haciendo usted cuando ocurrió el error. Si es posible, de preferencia que sea en Inglés. -(Mínimo 20 caracteres) - - 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. Also attach any files that triggered the problem. - Uups. OpenLP tuvo un problema y no pudo recuperarse. El texto en el cuadro de abajo contiene información que puede ser de mucha ayuda a los desarrolladlores de OpenLP, así que, por favor, envíelo por correo a bugs@openlp.org, junto con una descripción detallada de lo que estaba usted haciendo cuando el problema ocurrió. También adjunte en el correo cualquier archivo que pueda haber provocado el problema. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Por favor describa lo que trataba de hacer.</strong> Si es posible, escriba en Inglés. + + + + <strong>Thank you for your description!</strong> + <strong>Gracias por su descripción!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Dinos qué hacías cuando sucedió esto.</strong> + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Plataforma: %s - - - - + Save Crash Report Guardar reporte de errores - + Text files (*.txt *.log *.text) Archivos de texto (*.txt *.log *.text) + + + Platform: {platform} + + Plataforma: {platform} + + OpenLP.FileRenameForm @@ -3316,268 +3285,263 @@ Esta ubicación se utilizará luego de cerrar OpenLP. 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. - No se cuenta con una conexión a Internet. El Asistente Inicial requiere de una conexión a Internet para descargar canciones, Biblias y temas de muestra. Presione Finalizar para iniciar el programa con las preferencias predeterminadas y sin material de muestra. - -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. Ocurrió un problema de conexión durante la descarga, las demás descargas no se realizarán. Intente ejecutar el Asistente Inicial luego. - - 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. - - -Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s ahora. - - - + Downloading Resource Index 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 + + + Select parts of the program you wish to use + Seleccione las partes del programa que desea utilizar + + + + You can also change these settings after the Wizard. + Puede cambiar estas preferencias despues del Asistente. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Diapositivas – Más flexibles que las canciones e incluyen sus propias diapositivas + + + + Bibles – Import and show Bibles + Biblias – Importe y muestre Biblias + + + + Images – Show images or replace background with them + Imágenes – Muestre Imágenes o utilícelas como fondo + + + + Presentations – Show .ppt, .odp and .pdf files + Presentaciones – Muestre archivos .ppt, .odp y .pdf + + + + Media – Playback of Audio and Video files + Medios – Reproduzca archivos de Audio y Video + + + + Remote – Control OpenLP via browser or smartphone app + Acceso remoto – Controle OpenLP por medio de un explorador o una aplicación móvil + + + + Song Usage Monitor + Historial de Canciones + + + + Alerts – Display informative messages while showing other slides + Alertas – Mostrar mensajes informativos mientras se muestran otras diapositivas + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Proyectores – Controle proyectores compatibles con PJLink en su red desde OpenLP + + + + Downloading {name}... + Descargando {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Descarga completa. Presione el botón {button} para iniciar OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Descarga completa. Presione el botón {button} para iniciar OpenLP. + + + + Click the {button} button to return to OpenLP. + Presione el botón {button} para regresar a OpenLP. + + + + Click the {button} button to start OpenLP. + Presione el botón {button} para iniciar OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + Este asistente configurará OpenLP para su uso inicial. Presione el botón {button} para iniciar. + + + + 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 {button} 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 se cuenta con una conexión a Internet. El Asistente Inicial requiere de una conexión a Internet para descargar canciones, Biblias y temas de muestra. Presione {button} para iniciar el programa con las preferencias predeterminadas y sin material de muestra. + +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. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón {button} ahora. + OpenLP.FormattingTagDialog @@ -3620,44 +3584,49 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a OpenLP.FormattingTagForm - + <HTML here> <HTML aquí> - + Validation Error Error de Validación - + Description is missing Falta la descripción - + Tag is missing Falta etiqueta - Tag %s already defined. - Etiqueta %s ya definida. + Tag {tag} already defined. + Etiqueta {tag} ya definida. - Description %s already defined. - La descripción %s ya está definida. + Description {tag} already defined. + La descripción {tag} ya está definida. - - Start tag %s is not valid HTML - Etiqueta de inicio %s no es HTML válido + + Start tag {tag} is not valid HTML + Etiqueta de inicio {tag} no es HTML válido - - End tag %(end)s does not match end tag for start tag %(start)s - La Etiqueta Final %(end)s no coincide con la Etiqueta Inicial %(start)s + + End tag {end} does not match end tag for start tag {start} + Etiqueta final {end} no concuerda con la etiqueta final para de la etiqueta inicial {start} + + + + New Tag {row:d} + Etiqueta Nueva {row:d} @@ -3746,170 +3715,200 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a OpenLP.GeneralTab - + General General - + Monitors Monitores - + Select monitor for output display: Seleccionar monitor para proyectar: - + Display if a single screen Mostar si solo hay una pantalla - + Application Startup Inicio de la Aplicación - + Show blank screen warning Mostrar advertencia de pantalla en blanco - - Automatically open the last service - Abrir automáticamente el último servicio - - - + Show the splash screen Mostrar pantalla de bienvenida - + Application Settings Configuración del Programa - + Prompt to save before starting a new service Ofrecer guardar antes de abrir un servicio nuevo - - Automatically preview next item in service - Vista previa automática del siguiente elemento en el servicio - - - + sec seg - + CCLI Details Detalles de CCLI - + SongSelect username: Usuario SongSelect: - + SongSelect password: Contraseña SongSelect: - + X X - + Y Y - + Height Altura - + Width Ancho - + Check for updates to OpenLP Buscar actualizaciones para OpenLP - - Unblank display when adding new live item - Mostar proyección al agregar un elemento nuevo - - - + Timed slide interval: Intervalo de diapositivas: - + Background Audio Audio de Fondo - + Start background audio paused Iniciar audio de fondo en pausa - + Service Item Slide Limits Límites de Diapositivas - + Override display position: Personalizar la posición de pantalla - + Repeat track list Repetir la lista de pistas - + Behavior of next/previous on the last/first slide: Comportamiento del botón siguiente o anterior en la última o primera diapositiva: - + &Remain on Slide &Permanecer en la diapositiva - + &Wrap around &Volver al principio - + &Move to next/previous service item &Ir al elemento siguiente o anterior + + + Logo + Logo + + + + Logo file: + Archivo de logo: + + + + Browse for an image file to display. + Buscar un archivo de imagen para mostrar. + + + + Revert to the default OpenLP logo. + Volver al logo predeterminado de OpenLP. + + + + Don't show logo on startup + No mostrar el logo al inicio + + + + Automatically open the previous service file + Abrir automáticamente el último servicio + + + + Unblank display when changing slide in Live + Mostrar proyección al cambiar de diapositiva + + + + Unblank display when sending items to Live + Mostrar proyección al enviar elementos En Vivo + + + + Automatically preview the next item in service + Vista previa automática del siguiente elemento en el servicio + OpenLP.LanguageManager - + Language Idioma - + Please restart OpenLP to use your new language setting. Por favor reinicie OpenLP para usar su nuevo idioma. @@ -3917,7 +3916,7 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a OpenLP.MainDisplay - + OpenLP Display Pantalla de OpenLP @@ -3925,352 +3924,188 @@ Para detener el Asistente Inicial (no se inicia OpenLP), presione el botón %s a OpenLP.MainWindow - + &File &Archivo - + &Import &Importar - + &Export &Exportar - + &View &Ver - - M&ode - M&odo - - - + &Tools &Herramientas - + &Settings &Preferencias - + &Language &Idioma - + &Help A&yuda - - Service Manager - Gestor de Servicio - - - - Theme Manager - Gestor de Temas - - - + Open an existing service. Abrir un servicio existente. - + Save the current service to disk. Guardar el servicio actual en el disco. - + Save Service As Guardar Servicio Como - + Save the current service under a new name. Guardar el servicio actual con un nombre nuevo. - + E&xit &Salir - - Quit OpenLP - Salir de OpenLP - - - + &Theme &Tema - + &Configure OpenLP... &Configurar OpenLP... - - &Media Manager - Gestor de &Medios - - - - Toggle Media Manager - Alternar Gestor de Medios - - - - Toggle the visibility of the media manager. - Alternar la visibilidad del gestor de medios. - - - - &Theme Manager - Gestor de &Temas - - - - Toggle Theme Manager - Alternar Gestor de Temas - - - - Toggle the visibility of the theme manager. - Alternar la visibilidad del gestor de temas. - - - - &Service Manager - Gestor de &Servicio - - - - Toggle Service Manager - Alternar Gestor del Servicio - - - - Toggle the visibility of the service manager. - Alternar la visibilidad del gestor del servicio. - - - - &Preview Panel - &Panel de Vista Previa - - - - Toggle Preview Panel - Alternar Panel de Vista Previa - - - - Toggle the visibility of the preview panel. - Alternar la visibilidad del panel de vista previa. - - - - &Live Panel - Panel de Pro&yección - - - - Toggle Live Panel - Alternar Panel de Proyección - - - - Toggle the visibility of the live panel. - Alternar la visibilidad del panel de proyección. - - - - List the Plugins - Lista de Complementos - - - - &User Guide - Guía de &Usuario - - - + &About &Acerca de... - - More information about OpenLP - Más información acerca de OpenLP - - - - &Online Help - Ayuda en &Línea - - - + &Web Site Sitio &Web - + Use the system language, if available. Usar el idioma del sistema, si esta disponible. - - Set the interface language to %s - Fijar el idioma de la interface en %s - - - + Add &Tool... Agregar &Herramienta... - + Add an application to the list of tools. Agregar una aplicación a la lista de herramientas. - - &Default - Pre&determinado - - - - Set the view mode back to the default. - Establecer el modo de vizualización predeterminado. - - - + &Setup &Administración - - Set the view mode to Setup. - Modo de Administración. - - - + &Live En &Vivo - - Set the view mode to Live. - Modo de visualización En Vivo. - - - - 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/. - Esta disponible para descarga la versión %s de OpenLP (actualmente esta ejecutando la versión %s). - -Puede descargar la última versión desde http://openlp.org/. - - - + OpenLP Version Updated Versión de OpenLP Actualizada - + OpenLP Main Display Blanked Pantalla Principal de OpenLP en Blanco - + The Main Display has been blanked out La Pantalla Principal se ha puesto en blanco - - Default Theme: %s - Tema predeterminado: %s - - - + English Please add the name of your language here - Spanish + Inglés - + Configure &Shortcuts... Configurar &Atajos... - + Open &Data Folder... Abrir la Carpeta de &Datos... - + Open the folder where songs, bibles and other data resides. Abrir la carpeta donde se almacenan las canciones, biblias y otros datos. - + &Autodetect &Autodetectar - + Update Theme Images Actualizar Miniatura de Temas - + Update the preview images for all themes. Actualiza la imagen de vista previa de todos los temas. - + Print the current service. Imprimir Orden del Servicio actual. - - L&ock Panels - Fi&jar Páneles - - - - Prevent the panels being moved. - Prevenir que los páneles se muevan. - - - + Re-run First Time Wizard Abrir el Asistente Inicial - + Re-run the First Time Wizard, importing songs, Bibles and themes. Abrir el asistente inicial para importar canciones, Biblias y temas. - + Re-run First Time Wizard? ¿Abrir el Asistente Inicial? - + 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. @@ -4279,107 +4114,68 @@ 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. - + Configure &Formatting Tags... Configurar &Etiquetas de Formato... - - Export OpenLP settings to a specified *.config file - Exportar preferencias de OpenLP al archivo *.config especificado - - - + Settings Preferencias - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importar preferencias de OpenLP desde un archivo *.config exportado previamente en cualquier ordenador - - - + Import settings? ¿Importar preferencias? - - Open File - Abrir archivo - - - - OpenLP Export Settings Files (*.conf) - Archivos de Preferencias OpenLP (*.conf) - - - + Import settings Importar preferencias - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP se cerrará. Las preferencias importadas se aplicarán la próxima vez que inicie OpenLP. - + Export Settings File Exportar Archivo de Preferencias - - OpenLP Export Settings File (*.conf) - 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 - Copia del directorio de datos OpenLP fallida - -%s - - - + General General - + Library Libreria - + Jump to the search box of the current active plugin. Ir al cuadro de búsqueda del complemento activo actual. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4392,7 +4188,7 @@ Al importar preferencias la configuración actual de OpenLP cambiará permanente 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. @@ -4401,191 +4197,379 @@ Processing has terminated and no changes have been made. 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 - Se produjo un error mientras se exportaban las preferencias: %s - - - + &Recent Services Servicios &Recientes - + &New Service &Nuevo Servicio - + &Open Service Abrir Servici&o - + &Save Service Guardar &Servicio - + Save Service &As... Gu&ardar Servicio como... - + &Manage Plugins Ad&ministrar Complementos - + Exit OpenLP Salir de OpenLP - + Are you sure you want to exit OpenLP? ¿Estás seguro que quieres salir de OpenLP? - + &Exit OpenLP Salir d&e OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Esta disponible para descarga la versión {new} de OpenLP (actualmente esta ejecutando la versión %s). + +Puede descargar la última versión desde http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + La llave "{key}" no tiene valor por defecto, se va a ignorar para esta exportación. + + + + An error occurred while exporting the settings: {err} + Se produjo un error al exportar las preferencias: {err} + + + + Default Theme: {theme} + Tema por defecto: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Copiando datos OpenLP a una nueva ubicación - {path} - Por favor espere a que finalice la copia + + + + OpenLP Data directory copy failed + +{err} + Copia del directorio de datos OpenLP fallida + +{err} + + + + &Layout Presets + Prea&justes de Distribución + + + + Service + Servicio + + + + Themes + Temas + + + + Projectors + Proyectores + + + + Close OpenLP - Shut down the program. + Cerrar OpenLP - Apagar el programa. + + + + Export settings to a *.config file. + Exportar preferencias a un archivo *.config. + + + + Import settings from a *.config file previously exported from this or another machine. + Importar preferencias desde un archivo *.config exportado previamente en cualquier ordenador + + + + &Projectors + &Proyectores + + + + Hide or show Projectors. + Ocultar o mostrar Proyectores. + + + + Toggle visibility of the Projectors. + Alternar la visibilidad de los proyectores. + + + + L&ibrary + L&ibrería + + + + Hide or show the Library. + Ocultar o mostrar la Librería. + + + + Toggle the visibility of the Library. + Alternar la visibilidad de la Librería. + + + + &Themes + &Temas + + + + Hide or show themes + Ocultar o mostrar los temas. + + + + Toggle visibility of the Themes. + Alternar la visibilidad de los Temas. + + + + &Service + &Servicio + + + + Hide or show Service. + Ocultar o mostrar el Servicio. + + + + Toggle visibility of the Service. + Alternar la visibilidad del Servicio. + + + + &Preview + Vista &Previa + + + + Hide or show Preview. + Ocultar o mostrar la Vista Previa. + + + + Toggle visibility of the Preview. + Alternar la visibilidad de la Vista Previa. + + + + Li&ve + En Vi&vo + + + + Hide or show Live + Ocultar o mostrar En Vivo. + + + + L&ock visibility of the panels + Fi&jar la visibilidad de los páneles + + + + Lock visibility of the panels. + Impedir que los páneles cambien de posición. + + + + Toggle visibility of the Live. + Alternar la visibilidad de En Vivo. + + + + You can enable and disable plugins from here. + Puede habilitar o deshabilitar complementos aquí. + + + + More information about OpenLP. + Más información acerca de OpenLP. + + + + Set the interface language to {name} + Fijar el idioma de la interface en {name} + + + + &Show all + Mo&strar todo + + + + Reset the interface back to the default layout and show all the panels. + Restablecer la interfaz a su distribución por defecto y mostrar todos los páneles. + + + + Use layout that focuses on setting up the Service. + Usar distribución enfocada en crear el Servicio. + + + + Use layout that focuses on Live. + Usar distribución enfocada en el show En Vivo. + + + + OpenLP Settings (*.conf) + Preferencias OpenLP (*.conf) + + + + &User Manual + + 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 - Esta base de datos de creó en una versión más reciente de OpenLP. La base se datos es versión %d, y el programa necesita la versión %d. No se cargará esta base de datos. - -Base de Datos: %s - - - + OpenLP cannot load your database. -Database: %s +Database: {db} No se puede cargar la base de datos. -Base de datos: %s +Base de datos: {db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + Esta base de datos de creó en una versión más reciente de OpenLP. La base se datos es versión {db_ver}, y el programa necesita la versión {db_up}. No se cargará esta base de datos. + +Base de Datos: {db_name} OpenLP.MediaManagerItem - + No Items Selected Nada Seleccionado - + &Add to selected Service Item &Agregar al elemento del Servico - + You must select one or more items to preview. Debe seleccionar uno o más elementos para previsualizar. - + You must select one or more items to send live. Debe seleccionar uno o más elementos para proyectar. - + You must select one or more items. Debe seleccionar uno o más elementos. - + You must select an existing service item to add to. Debe seleccionar un elemento existente al cual adjuntar. - + Invalid Service Item Elemento del Servicio inválido - - You must select a %s service item. - Debe seleccionar un elemento %s del servicio. - - - + You must select one or more items to add. Debe seleccionar uno o más elementos para agregar. - - No Search Results - Sin Resultados - - - + Invalid File Type Tipo de Archivo Inválido - - Invalid File %s. -Suffix not supported - Archivo inválido %s. -Extensión no admitida - - - + &Clone &Duplicar - + Duplicate files were found on import and were ignored. Se encontraron archivos duplicados y se ignoraron. + + + Invalid File {name}. +Suffix not supported + Archivo inválido {name}. +Extensión no admitida + + + + You must select a {title} service item. + Debe seleccionar un elemento {title} del servicio. + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Etiqueta <lyrics> faltante. - + <verse> tag is missing. Etiqueta <verse> faltante. @@ -4593,22 +4577,22 @@ Extensión no admitida OpenLP.PJLink1 - + Unknown status Estado desconocido - + No message Ningún mensaje - + Error while sending data to projector Error al enviar los datos al proyector - + Undefined command: Comando indefinido: @@ -4616,32 +4600,32 @@ Extensión no admitida OpenLP.PlayerTab - + Players Reproductores - + Available Media Players Reproductores disponibles - + 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. - + %s (unavailable) %s (no disponible) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" NOTA: Para usar VLC debe instalar la versión %s @@ -4650,55 +4634,50 @@ Extensión no admitida OpenLP.PluginForm - + Plugin Details Detalles del Complemento - + Status: Estado: - + Active Activo - - Inactive - Inactivo - - - - %s (Inactive) - %s (Inactivo) - - - - %s (Active) - %s (Activo) + + Manage Plugins + Administrar Complementos - %s (Disabled) - %s (Desabilitado) + {name} (Disabled) + {title} (Desabilitado) - - Manage Plugins - Administrar Complementos + + {name} (Active) + {name} (Activo) + + + + {name} (Inactive) + {name} (Inactivo) OpenLP.PrintServiceDialog - + Fit Page Ajustar a Página - + Fit Width Ajustar a Ancho @@ -4706,77 +4685,77 @@ Extensión no admitida OpenLP.PrintServiceForm - + Options Opciones - + Copy Copiar - + Copy as HTML Copiar como HTML - + Zoom In Acercar - + Zoom Out Alejar - + Zoom Original Zoom Original - + Other Options Otras Opciones - + Include slide text if available Incluir texto de diapositivas si está disponible - + Include service item notes Incluir notas de los elementos del servicio - + Include play length of media items Incluir la duración de los medios - + Add page break before each text item Agregar salto de página antes de cada elemento - + Service Sheet Hoja del Servicio - + Print Imprimir - + Title: Título: - + Custom Footer Text: Texto para pie de página: @@ -4784,257 +4763,257 @@ Extensión no admitida OpenLP.ProjectorConstants - + OK OK - + General projector error Error general en proyector - + Not connected error Proyector desconectado - + Lamp error Error de lámpara - + Fan error Error de ventilador - + High temperature detected Se detectó alta temperatura - + Cover open detected La cubierta está abierta - + Check filter Revise el filtro - + Authentication Error Error de Autenticación - + Undefined Command Comando Indefinido - + Invalid Parameter Parámetro Inválido - + Projector Busy Proyector Ocupado - + Projector/Display Error Error de Proyector/Pantalla - + Invalid packet received Paquete recibido inválido - + Warning condition detected Condición de alerta detectada - + Error condition detected Condición de error detectada - + PJLink class not supported Versión de PJLink no soportada - + Invalid prefix character Caracter de prefijo inválido - + The connection was refused by the peer (or timed out) La conexión fue rechazada (o se agotó el tiempo de espera) - + The remote host closed the connection El anfitrión remoto cerró la conexión - + The host address was not found No se encontró la dirección del anfitrión - + The socket operation failed because the application lacked the required privileges Falló la operación de socket porque el programa no tiene los privilegios requeridos - + The local system ran out of resources (e.g., too many sockets) Se agotaron los recursos del sistema (e.j. muchos sockets) - + The socket operation timed out Tiempo de operación de socket agotado - + The datagram was larger than the operating system's limit El datagrama es más largo que el permitido por el sistema operativo - + An error occurred with the network (Possibly someone pulled the plug?) Se produjo un error con la red (¿Alguien desconectó el cable?) - + The address specified with socket.bind() is already in use and was set to be exclusive La dirección especificada con socket.bind() ya se está utilizando y se marcó como exclusiva - + The address specified to socket.bind() does not belong to the host La dirección especificada para socket.bind() no pertenece al host - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) La operación de socket solicitada no es posible en el sistema operativo local (ej. falta soporte de IPv6) - + The socket is using a proxy, and the proxy requires authentication El socket usa un proxy, y se requiere de autenticación - + The SSL/TLS handshake failed La vinculación SSL/TLS falló - + The last operation attempted has not finished yet (still in progress in the background) La última operación no a completado (se está ejecutando en segundo plano) - + Could not contact the proxy server because the connection to that server was denied No se pudo contactar el servidor proxy porque se rechazó la conexión con el servidor - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) La conexión al servidor proxy se cerró inesperadamente (antes que se estableciera la conexión con el destinatario) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Se agotó el tiempo de espera del servidor proxy, el servidor dejó de responder en la fase de autenticación. - + The proxy address set with setProxy() was not found La dirección proxy con setProxy() no se encontró - + An unidentified error occurred Se produjo un error desconocido - + Not connected Sin conexión - + Connecting Conectando - + Connected Conectado - + Getting status Recuperando estado - + Off Apagado - + 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 - + Sending data Enviando datos - + Received data Datos recibidos - + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood La negociación con el servidor proxy falló porque no se entendió la respuesta del servidor proxy @@ -5042,17 +5021,17 @@ Extensión no admitida 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 @@ -5060,52 +5039,52 @@ Extensión no admitida OpenLP.ProjectorEditForm - + Add New Projector Agregar Nuevo Proyector - + Edit Projector Editar Proyector - + IP Address Dirección IP - + Port Number Puerto Número - + PIN CLAVE - + Name Nombre - + Location Ubicación - + Notes Notas - + Database Error Error en Base de datos - + 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 @@ -5113,305 +5092,360 @@ Extensión no admitida OpenLP.ProjectorManager - + Add Projector Agregar Proyector - - Add a new projector - Agregar un proyector nuevo - - - + Edit Projector Editar Proyector - - Edit selected projector - Editar proyector seleccionado - - - + Delete Projector Eliminar Projector - - Delete selected projector - Eliminar el proyector seleccionado - - - + Select Input Source Seleccione Fuente de Entrada - - Choose input source on selected projector - Elija la entrada en el proyector seleccionado - - - + View Projector Ver Proyector - - View selected projector information - Ver la información de proyector seleccionado - - - - 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 + Mostrar imagen en 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 - + Name Nombre - + IP IP - + Port Puerto - + Notes Notas - + Projector information not available at this time. Información del proyector no disponible en este momento. - + Projector Name Nombre del Proyector - + Manufacturer Fabricante - + Model Modelo - + Other info Otra información - + Power status Estado - + Shutter is El obturador está - + Closed Cerrado - + Current source input is Fuente de entrada actual - + Lamp Lámpara - - On - Encendido - - - - Off - Apagado - - - + Hours Horas - + No current errors or warnings No existen errores o advertencias - + Current errors/warnings Errores/advertencias - + Projector Information Información del Proyector - + No message Ningún mensaje - + Not Implemented Yet No Disponible al Momento - - Delete projector (%s) %s? - Eliminar proyector (%s) %s? - - - + Are you sure you want to delete this projector? ¿Desea eliminar este proyector? + + + Add a new projector. + Agregar un proyector nuevo. + + + + Edit selected projector. + Editar el proyector seleccionado. + + + + Delete selected projector. + Eliminar el proyector seleccionado. + + + + Choose input source on selected projector. + Elija la entrada en el proyector seleccionado. + + + + View selected projector information. + Ver la información de proyector seleccionado. + + + + Connect to selected projector. + Conectar al proyector seleccionado. + + + + Connect to selected projectors. + Conectar a los proyectores seleccionados. + + + + Disconnect from selected projector. + Desconectar del proyector seleccionado. + + + + Disconnect from selected projectors. + Desconectar de los proyectores seleccionados. + + + + Power on selected projector. + Encender el proyector seleccionado. + + + + Power on selected projectors. + Encender los proyectores seleccionados. + + + + Put selected projector in standby. + Poner el proyector seleccionado en reposo. + + + + Put selected projectors in standby. + Poner los proyectores seleccionados en reposo. + + + + Blank selected projectors screen + Proyector seleccionado en negro. + + + + Blank selected projectors screen. + Proyectores seleccionados en negro. + + + + Show selected projector screen. + Mostrar proyector seleccionado. + + + + Show selected projectors screen. + Mostrar proyectores seleccionados. + + + + is on + está encendido + + + + is off + está apagado + + + + Authentication Error + Error de Autenticación + + + + No Authentication Error + Ningún Error de Autenticación + OpenLP.ProjectorPJLink - + Fan Ventilador - + Lamp Lámpara - + Temperature Temperatura - + Cover Cubierta - + Filter Filtro - + Other Otro @@ -5457,17 +5491,17 @@ Extensión no admitida OpenLP.ProjectorWizard - + Duplicate IP Address Dirección IP Duplicada - + Invalid IP Address Dirección IP Inválida - + Invalid Port Number Numero de Puerto Inválido @@ -5480,27 +5514,27 @@ Extensión no admitida Pantalla - + primary principal OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Inicio</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Duración</strong>: %s - - [slide %d] - [diapositiva %d] + [slide {frame:d}] + [diapositiva {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Inicio</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Duración</strong>: {length} @@ -5564,52 +5598,52 @@ Extensión no admitida Eliminar el elemento seleccionado del servicio. - + &Add New Item &Agregar Nuevo Elemento - + &Add to Selected Item &Agregar al Elemento Seleccionado - + &Edit Item &Editar Elemento - + &Reorder Item &Reorganizar Elemento - + &Notes &Notas - + &Change Item Theme &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 @@ -5634,7 +5668,7 @@ Extensión no admitida Colapsar todos los elementos del servicio. - + Open File Abrir archivo @@ -5664,22 +5698,22 @@ Extensión no admitida Proyectar el elemento seleccionado. - + &Start Time &Tiempo de Inicio - + Show &Preview Mostrar &Vista Previa - + Modified Service Servicio Modificado - + The current service has been modified. Would you like to save this service? El servicio actual ha sido modificado. ¿Desea guardarlo? @@ -5699,27 +5733,27 @@ Extensión no admitida Tiempo de reproducción: - + Untitled Service 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 @@ -5739,148 +5773,148 @@ 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. - + Service File(s) Missing Archivo(s) de Servicio Extraviado - + &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 - + OpenLP Service Files (*.osz *.oszl) 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 - Se produjo un error al guardar el archivo de servicio: %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Faltan los siguientes archivos del servicio: %s + Faltan los siguientes archivos del servicio: {name} Estos archivos serán removidos si continua. + + + An error occurred while writing the service file: {error} + Se produjo un error al guardar el archivo de servicio: {error} + OpenLP.ServiceNoteForm @@ -5911,15 +5945,10 @@ Estos archivos serán removidos si continua. Atajo - + Duplicate Shortcut Duplicar Atajo - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - El atajo "%s" esta asignado a otra acción, por favor utilize un atajo diferente. - Alternate @@ -5965,219 +5994,235 @@ Estos archivos serán removidos si continua. Configure Shortcuts Configurar Atajos + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Ocultar - + Go To Ir A - - - Blank Screen - Pantalla en Blanco - - Blank to Theme - Proyectar el Tema - - - Show Desktop Mostrar Escritorio - + Previous Service Servicio Anterior - + Next Service Servicio Siguiente - - Escape Item - Salir de Elemento - - - + Move to previous. Ir al anterior. - + Move to next. Ir al siguiente. - + Play Slides Reproducir diapositivas - + Delay between slides in seconds. Tiempo entre diapositivas en segundos. - + Move to live. Proyectar. - + Add to Service. Agregar al Servicio. - + Edit and reload song preview. Editar y actualizar la vista previa. - + Start playing media. Reproducir medios. - + Pause audio. Pausar Audio. - + Pause playing media. Pausar medio en reproducción. - + Stop playing media. Detener medio en reproducción. - + Video position. Posición de video. - + Audio Volume. Volumen de audio. - + Go to "Verse" - Ir a "Verso" + "Ir a Verso" - + Go to "Chorus" Ir a "Coro" - + Go to "Bridge" Ir a "Puente" - + Go to "Pre-Chorus" Ir a "Pre-Coro" - + Go to "Intro" Ir a "Intro" - + Go to "Ending" Ir a "Final" - + Go to "Other" Ir a "Otro" - + Previous Slide Diapositiva anterior - + Next Slide Diapositiva siguiente - + Pause Audio Pausar Audio - + Background Audio Audio de Fondo - + Go to next audio track. Ir a la siguiente pista de audio. - + Tracks Pistas + + + Loop playing media. + Medios en Bucle. + + + + Video timer. + Temporizador de video. + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source Seleccione Entrada de Proyector - + Edit Projector Source Text Editar Nombre de Fuente - + Ignoring current changes and return to OpenLP Ingnorar cambios actuales y regresar a OpenLP - + Delete all user-defined text and revert to PJLink default text Borrar el texto definido por el usuario y volver al texto PJLink original. - + Discard changes and reset to previous user-defined text Descartar cambios y volver al texto de usuario definido anteriormente - + Save changes and return to OpenLP Guardar cambios y regresar a OpenLP. - + Delete entries for this projector Eliminar entradas para este proyector - + Are you sure you want to delete ALL user-defined source input text for this projector? ¿Desea realmente borrar TODO el texto de entradas definido para este projector? @@ -6185,17 +6230,17 @@ Estos archivos serán removidos si continua. OpenLP.SpellTextEdit - + Spelling Suggestions Sugerencias Ortográficas - + Formatting Tags Etiquetas de Formato - + Language: Idioma: @@ -6274,7 +6319,7 @@ Estos archivos serán removidos si continua. OpenLP.ThemeForm - + (approximately %d lines per slide) (aproximadamente %d líneas por diapositiva) @@ -6282,523 +6327,533 @@ Estos archivos serán removidos si continua. OpenLP.ThemeManager - + Create a new theme. Crear un tema nuevo. - + Edit Theme Editar Tema - + Edit a theme. Editar un tema. - + Delete Theme Eliminar Tema - + Delete a theme. Eliminar un tema. - + Import Theme Importar Tema - + Import a theme. Importa un tema. - + Export Theme Exportar Tema - + Export a theme. Exportar un tema. - + &Edit Theme &Editar Tema - + &Delete Theme Elimi&nar Tema - + Set As &Global Default &Global, por defecto - - %s (default) - %s (predeterminado) - - - + You must select a theme to edit. Debe seleccionar un tema para editar. - + You are unable to delete the default theme. No se puede eliminar el tema predeterminado. - + 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 ha sido exportado exitosamente. - + Theme Export Failed La importación falló - + 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. - + &Copy Theme &Copiar Tema - + &Rename Theme &Renombrar Tema - + &Export Theme &Exportar Tema - + You must select a theme to rename. Debe seleccionar un tema para renombrar. - + Rename Confirmation Confirmar Cambio de Nombre - + Rename %s theme? ¿Renombrar el tema %s? - + You must select a theme to delete. Debe seleccionar un tema para eliminar. - + Delete Confirmation Confirmar Eliminación - + Delete %s theme? ¿Eliminar el tema %s? - + Validation Error Error de Validación - + A theme with this name already exists. Ya existe un tema con este nombre. - - Copy of %s - Copy of <theme name> - 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 - La exportación del tema falló por este error: %s - - - + OpenLP Themes (*.otz) Temas OpenLP (*.otz) - - %s time(s) by %s - %s vez (veces) por %s - - - + Unable to delete theme Imposible eliminar Tema + + + {text} (default) + {text} (predeterminado) + + + + Copy of {name} + Copy of <theme name> + Copia de {name} + + + + Save Theme - ({name}) + Guardar Tema - ({name}) + + + + The theme export failed because this error occurred: {err} + La exportación del tema falló por este error: {err} + + + + {name} (default) + {name} (predeterminado) + + + + Theme {name} already exists. Do you want to replace it? + El Tema {name} ya existe. Desea reemplazarlo? + + {count} time(s) by {plugin} + {count} vez(veces) por {plugin} + + + Theme is currently used -%s +{text} El Tema está actualmente en uso -%s +{text} OpenLP.ThemeWizard - + Theme Wizard Asistente para Temas - + Welcome to the Theme Wizard Bienvenido al Asistente para Temas - + Set Up Background Establecer un fondo - + Set up your theme's background according to the parameters below. Establecer el fondo de su tema según los siguientes parámetros. - + Background type: Tipo de fondo: - + Gradient Gradiente - + Gradient: Gradiente: - + Horizontal Horizontal - + Vertical Vertical - + Circular Circular - + Top Left - Bottom Right Arriba Izquierda - Abajo Derecha - + Bottom Left - Top Right Abajo Izquierda - Abajo Derecha - + Main Area Font Details Fuente del Área Principal - + Define the font and display characteristics for the Display text Definir la fuente y las características para el texto en Pantalla - + Font: Fuente: - + Size: Tamaño: - + Line Spacing: - Epaciado de Líneas: + Espaciado de Líneas: - + &Outline: &Contorno: - + &Shadow: &Sombra: - + Bold Negrita - + Italic Cursiva - + Footer Area Font Details Fuente de pie de página - + Define the font and display characteristics for the Footer text Definir la fuente y las características para el texto de pie de página - + Text Formatting Details Detalles de Formato - + Allows additional display formatting information to be defined Permite definir información adicional de formato - + Horizontal Align: Alinea. Horizontal: - + Left Izquierda - + Right Derecha - + Center Centro - + Output Area Locations Ubicación del Área de Proyección - + &Main Area Área &Principal - + &Use default location &Usar ubicación predeterminada - + X position: Posición x: - + px px - + Y position: Posición y: - + Width: Ancho: - + Height: Altura: - + Use default location Usar ubicaciónpredeterminada - + Theme name: Nombre: - - Edit Theme - %s - Editar Tema - %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. Este asistente le ayudará a crear y editar temas. Presione Siguiente para iniciar el proceso al establecer el fondo. - + Transitions: Transiciones: - + &Footer Area &Pie de Página - + Starting color: Color inicial: - + Ending color: Color final: - + Background color: - Color de fondo: + Color del Fondo: - + Justify Justificar - + Layout Preview Vista previa de Distribución - + Transparent Transparente - + Preview and Save Previsualizar y Guardar - + Preview the theme and save it. Previsualizar el tema y guardarlo. - + Background Image Empty Imagen de Fondo Vacía - + Select Image Seleccionar Imagen - + Theme Name Missing Nombre de Tema faltante - + There is no name for this theme. Please enter one. No existe nombre para este tema. Ingrese uno. - + Theme Name Invalid Nombre de Tema inválido - + Invalid theme name. Please enter one. Nombre de tema inválido. Por favor ingrese uno. - + Solid color Color sólido - + color: - color: + Color: - + Allows you to change and move the Main and Footer areas. Le permite cambiar y mover el Área Principal y de Pie de Página. - + You have not selected a background image. Please select one before continuing. No ha seleccionado una imagen de fondo. Seleccione una antes de continuar. + + + Edit Theme - {name} + Editar Tema - {name} + + + + Select Video + Seleccionar Video + OpenLP.ThemesTab @@ -6881,73 +6936,73 @@ Estos archivos serán removidos si continua. Alinea. &Vertical: - + Finished import. Importación finalizada. - + Format: Formato: - + Importing Importando - + Importing "%s"... Importando "%s"... - + Select Import Source Seleccione la Fuente para Importar - + Select the import format and the location to import from. Seleccione el formato a importar y su ubicación. - + Open %s File Abrir %s Archivo - + %p% %p% - + Ready. Listo. - + Starting import... Iniciando importación... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Debe especificar un archivo %s para importar. - + Welcome to the Bible Import Wizard Bienvenido al Asistente para Biblias - + Welcome to the Song Export Wizard Bienvenido al Asistente para Exportar Canciones - + Welcome to the Song Import Wizard Bienvenido al Asistente para Importar Canciones @@ -6965,7 +7020,7 @@ Estos archivos serán removidos si continua. - © + © Copyright symbol. © @@ -6997,39 +7052,34 @@ Estos archivos serán removidos si continua. Error XML de sintaxis - - Welcome to the Bible Upgrade Wizard - Bienvenido al Asistente para Actualizar Biblias - - - + Open %s Folder Abrir Carpeta %s - + You need to specify one %s file to import from. A file type e.g. OpenSong Debe especificar un archivo %s para importar. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Debe especificar una carpeta %s para importar. - + Importing Songs Importando Canciones - + Welcome to the Duplicate Song Removal Wizard Bienvenido al Asistente de Canciones Duplicadas - + Written by Escrito por @@ -7039,543 +7089,599 @@ Estos archivos serán removidos si continua. Autor desconocido - + About Acerca de - + &Add &Agregar - + Add group Agregar grupo - + Advanced Avanzado - + All Files Todos los Archivos - + Automatic Automático - + Background Color Color de fondo - + Bottom Inferior - + Browse... Explorar... - + Cancel Cancelar - + CCLI number: Número CCLI: - + Create a new service. Crear un servicio nuevo. - + Confirm Delete Confirmar Eliminación - + Continuous Continuo - + Default Predeterminado - + Default Color: Color predeterminado: - + 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. Servicio %Y-%m-%d %H-%M - + &Delete &Eliminar - + Display style: Estilo de presentación: - + Duplicate Error Error de Duplicación - + &Edit &Editar - + Empty Field Campo Vacío - + Error Error - + Export Exportar - + File Archivos - + File Not Found Archivo no encontrado - - File %s not found. -Please try selecting it individually. - Archivo %s no encontrado. -Por favor intente seleccionarlo individualmente. - - - + pt Abbreviated font pointsize unit pto - + Help Ayuda - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Carpeta Inválida - + Invalid File Selected Singular Archivo Inválido - + Invalid Files Selected Plural Archivos Inválidos - + Image Imagen - + Import Importar - + Layout style: Distribución: - + Live En Vivo - + Live Background Error Error del Fondo de proyección - + Live Toolbar Barra de Proyección - + Load Cargar - + Manufacturer Singular Fabricante - + Manufacturers Plural Fabricantes - + Model Singular Modelo - + Models Plural Modelos - + m The abbreviated unit for minutes m - + Middle Medio - + New Nuevo - + New Service Servicio Nuevo - + New Theme Tema Nuevo - + Next Track Pista Siguiente - + No Folder Selected Singular Ninguna Carpeta Seleccionada - + No File Selected Singular Archivo No Seleccionado - + No Files Selected Plural Archivos No Seleccionados - + No Item Selected Singular Nada Seleccionado - + No Items Selected Plural Nada Seleccionado - + OpenLP is already running. Do you wish to continue? - OpenLP ya esta abierto. ¿Desea continuar? + OpenLP ya está abierto. ¿Desea continuar? - + Open service. Abrir Servicio. - + Play Slides in Loop Reproducir en Bucle - + Play Slides to End Reproducir hasta el final - + Preview 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: - + Preview Toolbar Barra de Vista Previa - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Reemplazar el fondo proyectado no está disponible cuando WebKit está deshabilitado. Songbook Singular - + Himnario Songbooks Plural - + Himnarios + + + + Background color: + Color del Fondo: + + + + Add group. + Agregar grupo. + + + + File {name} not found. +Please try selecting it individually. + Archivo {name} no encontrado. +Por favor intente seleccionarlo individualmente. + + + + Start {code} + Inicio {code} + + + + Video + Video + + + + Search is Empty or too Short + Búsqueda Vacía o muy Corta + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>La búsqueda ingresada está vacía o tiene menos de 3 caracteres.</strong><br><br>Por favor trate con una búsqueda más larga. + + + + No Bibles Available + Biblias no disponibles + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>No existen Biblias instaladas.</strong><br><br> Puede usar el Asistente de Importación para instalar una o varias Biblias. + + + + Book Chapter + Capítulo de Libro + + + + Chapter + Capítulo + + + + Verse + Verso + + + + Psalm + Salmos + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + Los nombres de libros se pueden acortar, ej. Sal 23 = Salmos 23 + + + + No Search Results + Sin Resultados + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s y %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, y %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7655,46 +7761,46 @@ Por favor intente seleccionarlo individualmente. Mostrar usando: - + File Exists Ya existe el Archivo - + A presentation with that filename already exists. Ya existe una presentación con este nombre. - + This type of presentation is not supported. No se admite este tipo de presentación. - - Presentations (%s) - Presentaciones (%s) - - - + Missing Presentation Presentación faltante - - The presentation %s is incomplete, please reload. - La presentación %s está incompleta, cárgela nuevamente. + + Presentations ({text}) + Presentaciones ({text}) - - The presentation %s no longer exists. - La presentación %s ya no existe. + + The presentation {name} no longer exists. + La presentación {name} ya no existe. + + + + The presentation {name} is incomplete, please reload. + La presentación {name} está incompleta, cárgela nuevamente. 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. Se produjo un error con la integración de PowerPoint y se cerrará la presentación. Reinicie la presentación para mostrarla de nuevo. @@ -7705,11 +7811,6 @@ Por favor intente seleccionarlo individualmente. Available Controllers Controladores Disponibles - - - %s (unavailable) - %s (no disponible) - Allow presentation application to be overridden @@ -7726,12 +7827,12 @@ Por favor intente seleccionarlo individualmente. Usar la ubicación para el binario de mudraw o ghostscript: - + 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. @@ -7742,13 +7843,20 @@ Por favor intente seleccionarlo individualmente. - Clicking on a selected slide in the slidecontroller advances to next effect. - Hacer clic en el control de diapositivas adelanta al siguiente efecto. + Clicking on the current slide advances to the next effect + Hacer clic en la diapositiva avanza al siguiente efecto - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - PowerPoint controla el tamaño y posición de la ventana de presentación (soluciona problema de escalado en Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + PowerPoint controla el tamaño y posición de la ventana de presentación +(soluciona problema de escalado en Windows 8 y 10). + + + + {name} (unavailable) + {name} (no disponible) @@ -7790,127 +7898,127 @@ Por favor intente seleccionarlo individualmente. RemotePlugin.Mobile - + Service Manager Gestor de Servicio - + Slide Controller Control de Diapositivas - + Alerts - Alertas + Avisos - + Search Buscar - + Home Inicio - + Refresh Actualizar - + 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 - + Remote Acceso remoto - + Stage View Vista de Escenario - + Live View Vista En Vivo @@ -7918,79 +8026,142 @@ Por favor intente seleccionarlo individualmente. RemotePlugin.RemoteTab - + Serve on IP address: Dirección IP a Servir: - + Port number: Puerto número: - + Server Settings Config. de Servidor - + Remote URL: URL Remota: - + Stage view URL: URL Administración: - + Display stage time in 12h format Usar formato de 12h en pantalla - + Android App Android App - + Live view URL: URL de Vista del Escenario: - + HTTPS Server Servidor 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. 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: - + Password: Contraseña: - + Show thumbnails of non-text slides in remote and stage view. Mostrar miniaturas para diapostivas no de texto en vista remota y de escenario. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Escanee el código QR o haga click en <a href="%s">descargar</a> para instalar la app Android desde Google Play. + + iOS App + App iOS + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Escanee el código QR o haga click en <a href="{qr}">descargar</a> para instalar la app Android desde Google Play. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Escanee el código QR o haga click en <a href="{qr}">descargar</a> para instalar la app iOS desde la App Store. + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Ruta de salida no seleccionada + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Crear Reporte + + + + Report +{name} +has been successfully created. + Reporte +{name} +se ha creado satisfactoriamente. + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8031,50 +8202,50 @@ Por favor intente seleccionarlo individualmente. 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 @@ -8141,24 +8312,10 @@ All data recorded before this date will be permanently deleted. Archivo de Salida - - usage_detail_%s_%s.txt - historial_%s_%s.txt - - - + Report Creation Crear Reporte - - - Report -%s -has been successfully created. - Reporte -%s -se ha creado satisfactoriamente. - Output Path Not Selected @@ -8171,14 +8328,28 @@ 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 - Se produjo un error al crear el reporte: %s + + usage_detail_{old}_{new}.txt + historial_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + Reporte +{name} +se ha creado satisfactoriamente. + + + + An error occurred while creating the report: {error} + Se produjo un error al crear el reporte: {error} @@ -8194,102 +8365,102 @@ Please select an existing path on your computer. 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... - + Arabic (CP-1256) Árabe (CP-1256) - + Baltic (CP-1257) Báltico (CP-1257) - + Central European (CP-1250) Europa Central (CP-1250) - + Cyrillic (CP-1251) Cirílico (CP-1251) - + Greek (CP-1253) Griego (CP-1253) - + Hebrew (CP-1255) Hebreo (CP-1255) - + Japanese (CP-932) Japonés (CP-932) - + Korean (CP-949) Koreano (CP-949) - + Simplified Chinese (CP-936) Chino Simplificado (CP-936) - + Thai (CP-874) Tailandés (CP-874) - + Traditional Chinese (CP-950) Chino Tradicional (CP-950) - + Turkish (CP-1254) Turco (CP-1254) - + Vietnam (CP-1258) Vietnamita (CP-1258) - + Western European (CP-1252) Europa Occidental (CP-1252) - + Character Encoding Codificación de Caracteres - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8298,26 +8469,26 @@ por la correcta representación de los caracteres. Por lo general, la opción preseleccionada es la adecuada. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Por favor elija una codificación de caracteres. 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 @@ -8328,37 +8499,37 @@ La codificación se encarga de la correcta representación de caracteres.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 @@ -8373,15 +8544,30 @@ La codificación se encarga de la correcta representación de caracteres.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. + + + Songs + Canciones + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8467,62 +8653,67 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administrado por %s - - - - "%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 - + [above are Song Tags with notes imported from EasyWorship] [arriba están las Etiquetas con las notas importadas desde EasyWorship] - + This file does not exist. Este archivo no existe. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. No se encuentra el archivo "Songs.MB". Debe estar en el mismo folder que el archivo "Songs.DB". - + This file is not a valid EasyWorship database. El archivo no es una base de datos de EasyWorship válida. - + Could not retrieve encoding. No se pudo recuperar la codificación. + + + Administered by {admin} + Administrado por {admin} + + + + "{title}" could not be imported. {entry} + "{title}" no se pudo importar. {entry} + + + + "{title}" could not be imported. {error} + "{title}" no se pudo importar. {error} + SongsPlugin.EditBibleForm - + Meta Data Metadatos - + Custom Book Names Nombres Personalizados @@ -8605,57 +8796,57 @@ La codificación se encarga de la correcta representación de caracteres.Tema, Derechos de Autor y Comentarios - + Add Author Agregar Autor - + This author does not exist, do you want to add them? Este autor no existe, ¿desea agregarlo? - + This author is already in the list. - Este autor ya esta en la lista. + Este autor ya está en la lista. - + 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. No ha seleccionado un autor válido. Seleccione un autor de la lista o ingrese un nombre nuevo y presione el botón "Agregar Autor a Canción" para agregar el autor nuevo. - + Add Topic Agregar Categoría - + This topic does not exist, do you want to add it? Esta categoría no existe, ¿desea agregarla? - + This topic is already in the list. - Esta categoría ya esta en la lista. + Esta categoría ya está en la lista. - + 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. No seleccionado una categoría válida. Seleccione una categoría de la lista o ingrese una nueva y presione el botón "Agregar Categoría a Canción" para añadir la categoría nueva. - + You need to type in a song title. Debe escribir un título. - + You need to type in at least one verse. Debe agregar al menos un verso. - + You need to have an author for this song. Debe ingresar un autor para esta canción. @@ -8680,7 +8871,7 @@ La codificación se encarga de la correcta representación de caracteres.Quitar &Todo - + Open File(s) Abrir Archivo(s) @@ -8695,14 +8886,7 @@ La codificación se encarga de la correcta representación de caracteres.<strong>Advertencia:</strong> No ingresó el orden de las estrofas. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - No se encuentra el verso "%(invalid)s". Entradas válidas son %(valid)s. -Por favor ingrese versos separados por espacios. - - - + Invalid Verse Order Orden de Versos Inválido @@ -8712,82 +8896,107 @@ Por favor ingrese versos separados por espacios. &Editar Tipo de Autor - + Edit Author Type Editar el Tipo de Autor - + Choose type for this author Seleccione el tipo para este autor. - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - No hay Versículos correspondientes a "%(invalid)s". Entradas válidas son %(valid)s. -Por favor, introduzca los Versículos separados por espacios. - &Manage Authors, Topics, Songbooks - + Ad&ministrar Autores, Categorías, Himnarios Add &to Song - + A&gregar a Canción Re&move - + E&liminar Authors, Topics && Songbooks - + Autores, Categorías e Himnarios - + Add Songbook - + Agregar Himnario - + This Songbook does not exist, do you want to add it? - + Este himnario no existe, ¿desea agregarlo? - + This Songbook is already in the list. - + Este Himnario ya está en la lista. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + No ha seleccionado un Himnario válido. Seleccione un Himnario de la lista o ingrese un Himnario nuevo y presione el botón "Agregar a Canción" para agregar el Himnario nuevo. + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + No hay Versículos correspondientes a "{invalid}". Entradas válidas son {valid}. +Por favor, introduzca los Versículos separados por espacios. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + No se encuentra el verso "{invalid}". Entradas válidas son {valid}. +Por favor ingrese versos separados por espacios. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + Hay etiquetas de formatos mal posicionadas en los versos: + +{tag} + +Por favor corríjalas antes de continuar. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + Tiene {count} versos con el nombre {name} {number}. Se pueden tener máximo 26 versos con el mismo nombre SongsPlugin.EditVerseForm - + Edit Verse Editar Verso - + &Verse type: Tipo de &verso: - + &Insert &Insertar - + Split a slide into two by inserting a verse splitter. Insertar un separador para dividir la diapositiva. @@ -8800,77 +9009,77 @@ Por favor, introduzca los Versículos separados por espacios. Asistente para Exportar Canciones - + Select Songs Seleccione Canciones - + Check the songs you want to export. Revise las canciones a exportar. - + Uncheck All Desmarcar Todo - + Check All Marcar Todo - + Select Directory Seleccione un Directorio - + Directory: Directorio: - + Exporting Exportando - + Please wait while your songs are exported. Por favor espere mientras se exportan las canciones. - + You need to add at least one Song to export. Debe agregar al menos una Canción para exportar. - + No Save Location specified Destino no especificado - + Starting export... Iniciando exportación... - + You need to specify a directory. Debe especificar un directorio. - + Select Destination Folder Seleccione Carpeta de Destino - + Select the directory where you want the songs to be saved. Seleccionar el directorio para guardar las canciones. - + 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>. @@ -8878,7 +9087,7 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Archivo Foilpresenter no válido. No se hallaron versos. @@ -8886,7 +9095,7 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.GeneralTab - + Enable search as you type Buscar a medida que se escribe @@ -8894,7 +9103,7 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Seleccione Documento/Presentación @@ -8904,237 +9113,252 @@ Por favor, introduzca los Versículos separados por espacios. Asistente para Exportar Canciones - + 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. Este asistente le ayudará a importar canciones de diversos formatos. Presione Siguiente para iniciar el proceso al seleccionar un formato a importar. - + Generic Document/Presentation Documento/Presentación genérica - + Add Files... Agregar Archivos... - + Remove File(s) Eliminar Archivo(s) - + Please wait while your songs are imported. Por favor espere mientras se exportan las canciones. - + Words Of Worship Song Files Archivo Words Of Worship - + Songs Of Fellowship Song Files Archivo Songs Of Fellowship - + SongBeamer Files Archivo SongBeamer - + SongShow Plus Song Files Archivo SongShow Plus - + Foilpresenter Song Files Archivo Foilpresenter - + Copy Copiar - + Save to File Guardar archivo - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. El importador de Songs of Fellowship se ha deshabilitado porque OpenOffice.org o LibreOffice no esta disponible. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. El importador documento/presentación se ha deshabilitado porque OpenOffice.org o LibreOffice no esta disponible. - + OpenLyrics Files Archivos OpenLyrics - + CCLI SongSelect Files Archivos CCLI SongSelect - + EasySlides XML File Archivo EasySlides XML - + EasyWorship Song Database Base de Datos EasyWorship - + DreamBeam Song Files Archivos de Canción DreamBeam - + You need to specify a valid PowerSong 1.0 database folder. Debe especificar una carpeta de datos PowerSong 1.0 válida. - + 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>. Primero convierta su base de datos ZionWork a un archivo de texto CSV, como se explica en el <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Manual de Usuario</a>. - + SundayPlus Song Files Archivos de SundayPlus - + This importer has been disabled. Este importador se ha deshabilitado. - + MediaShout Database Base de datos 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. El importador MediaShout 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. - + SongPro Text Files Archivos de texto SongPro - + SongPro (Export File) SongPro (Archivo Exportado) - + In SongPro, export your songs using the File -> Export menu En SongPro, puede exportar canciones en el menú Archivo -> Exportar - + EasyWorship Service File Archivo de Servicio de EasyWorship - + 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) - + In Worship Assistant, export your Database to a CSV file. En Worship Assistant, exporte su Base de Datos a un archivo CSV. - + OpenLyrics or OpenLP 2 Exported Song Canción exportada por OpenLyrics u OpenLP 2 - + OpenLP 2 Databases Bases de Datos OpenLP 2 - + LyriX Files Archivos LyriX - + LyriX (Exported TXT-files) LyriX (archivos TXT exportados) - + VideoPsalm Files Archivos VideoPsalm - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Los himnarios VideoPsalm normalmente están ubicados en %s + + OPS Pro database + Base de datos OPS Pro + + + + The OPS 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 POS 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. + + + + ProPresenter Song Files + Archivo ProPresenter + + + + The VideoPsalm songbooks are normally located in {path} + Los himnarios VideoPsalm normalmente están ubicados en {path} SongsPlugin.LyrixImport - Error: %s - Error: %s + File {name} + Archivo {name} + + + + Error: {error} + Error: {error} @@ -9153,79 +9377,117 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.MediaItem - + Titles Títulos - + Lyrics Letra - + CCLI License: Licensia CCLI: - + Entire Song Canción Completa - + Maintain the lists of authors, topics and books. Administrar la lista de autores, categorías e himnarios. - + copy For song cloning duplicar - + Search Titles... Buscar Títulos... - + Search Entire Song... Buscar Canción Completa... - + Search Lyrics... Buscar Letras... - + Search Authors... Buscar Autores... - - Are you sure you want to delete the "%d" selected song(s)? - ¿Desea borrar la(s) %n cancion(es) seleccionadas? + + Search Songbooks... + Buscar Himnarios... - - Search Songbooks... - + + Search Topics... + Buscar Categorías... + + + + Copyright + Derechos Reservados + + + + Search Copyright... + Buscar Derechos... + + + + CCLI number + Número CCLI + + + + Search CCLI number... + Buscar número CCLI... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + ¿Desea borrar la(s) cancion(es) seleccionadas "{items:d}"? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. No se logró abrir la base de datos MediaShout + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + No se pudo conectar a la base de datos OPS Pro. + + + + "{title}" could not be imported. {error} + "{title}" no se pudo importar. {error} + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. No es una base de datos de canciones OpenLP 2 válida. @@ -9233,9 +9495,9 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportando "%s"... + + Exporting "{title}"... + Exportando "{title}"... @@ -9254,29 +9516,37 @@ Por favor, introduzca los Versículos separados por espacios. No hay canciones para importar. - + Verses not found. Missing "PART" header. Versos no encontrados. Falta encabezado "PART" - No %s files found. - Ningún archivo %s encontrado. + No {text} files found. + Ningún archivo {text} encontrado. - Invalid %s file. Unexpected byte value. - Archivo %s inválido. Valor de byte inesperado. + Invalid {text} file. Unexpected byte value. + Archivo {text} inválido. Valor de byte inesperado. - Invalid %s file. Missing "TITLE" header. - Archivo %s inválido.Falta encabezado "TITLE" + Invalid {text} file. Missing "TITLE" header. + Archivo {text} inválido. Falta encabezado "TITLE" - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Archivo %s inválido.Falta encabezado "COPYRIGHTLINE" + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Archivo {text} inválido. Falta encabezado "COPYRIGHTLINE" + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + Archivo no en formato XML, que es el único soportado. @@ -9299,25 +9569,25 @@ Por favor, introduzca los Versículos separados por espacios. Songbook Maintenance - + Administración de Himnarios 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 - Su exportación falló por el siguiente error: %s + + Your song export failed because this error occurred: {error} + Su exportación falló por el siguiente error: {error} @@ -9333,17 +9603,17 @@ Por favor, introduzca los Versículos separados por espacios. Las siguientes canciones no se importaron: - + Cannot access OpenOffice or LibreOffice Imposible accesar OpenOffice o LibreOffice - + Unable to open file No se puede abrir el archivo - + File not found Archivo no encontrado @@ -9351,109 +9621,109 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.SongMaintenanceForm - + Could not add your author. No se pudo agregar el autor. - + This author already exists. Este autor ya existe. - + Could not add your topic. No se pudo agregar la categoría. - + This topic already exists. Esta categoría ya existe. - + Could not add your book. No se pudo agregar el himnario. - + This book already exists. Este himnario ya existe. - + Could not save your changes. No se pudo guardar los cambios. - + Could not save your modified author, because the author already exists. No se pudo guardar el autor, porque este ya existe. - + Could not save your modified topic, because it already exists. No se pudo guardar la categoría, porque esta ya existe. - + Delete Author Borrar Autor - + Are you sure you want to delete the selected author? ¿Desea eliminar el autor seleccionado? - + This author cannot be deleted, they are currently assigned to at least one song. No se puede eliminar el autor, esta asociado con al menos una canción. - + Delete Topic Borrar Categoría - + Are you sure you want to delete the selected topic? ¿Desea eliminar la categoría seleccionada? - + This topic cannot be deleted, it is currently assigned to at least one song. No se puede eliminar la categoría, esta asociada con al menos una canción. - + Delete Book Eliminar Libro - + Are you sure you want to delete the selected book? ¿Desea eliminar el himnario seleccionado? - + This book cannot be deleted, it is currently assigned to at least one song. Este himnario no se puede eliminar, esta asociado con al menos una canción. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - El autor %s ya existe. ¿Desea que las canciones con el autor %s utilizen el existente %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + El autor {original} ya existe. ¿Desea que las canciones con el autor {new} utilicen el existente {original}? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - La categoría %s ya existe. ¿Desea que las canciones con la categoría %s utilizen la existente %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + La categoría {original} ya existe. ¿Desea que las canciones con la categoría {new} utilicen la existente {original}? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - El himnario %s ya existe. ¿Desea que las canciones con el himnario %s utilizen el existente %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + El himnario {original} ya existe. ¿Desea que las canciones con el himnario {new} utilicen el existente {original}? @@ -9499,52 +9769,47 @@ Por favor, introduzca los Versículos separados por espacios. Buscar - - Found %s song(s) - Se encontraron %s canción(es) - - - + Logout Cerrar sesión - + View Vista - + Title: Título: - + Author(s): Autor(es): - + Copyright: - Copyright: + Derechos Reservados: - + CCLI Number: Número de CCLI: - + Lyrics: Letra: - + Back Atrás - + Import Importar @@ -9584,7 +9849,7 @@ Por favor, introduzca los Versículos separados por espacios. Se presentó un problema de acceso, ¿el usuario y clave son correctos? - + Song Imported Canción Importada @@ -9599,14 +9864,19 @@ Por favor, introduzca los Versículos separados por espacios. Falta información en la canción, como la letra, y no se puede importar. - + Your song has been imported, would you like to import more songs? Se ha importado su canción, ¿desea importar más canciones? Stop - + Detener + + + + Found {count:d} song(s) + Se encontraron {count:d} canción(es) @@ -9616,30 +9886,30 @@ Por favor, introduzca los Versículos separados por espacios. Songs Mode Modo de canciones - - - Display verses on live tool bar - Mostar los versos en la barra de proyección - Update service from song edit Actualizar servicio desde el editor - - - Import missing songs from service files - Importar canciones faltantes desde archivos de servicio - Display songbook in footer Mostrar himnario al pie + + + Enable "Go to verse" button in Live panel + Habilitar "Ir a Verso" en panel En Vivo + + + + Import missing songs from Service files + Importar canciones faltantes desde archivos de Servicio + - Display "%s" symbol before copyright info - Mostrar el símbolo "%s" antes de la información de copyright + Display "{symbol}" symbol before copyright info + Mostrar el símbolo "{symbol}" antes de la información de copyright @@ -9663,37 +9933,37 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.VerseType - + Verse Verso - + Chorus Coro - + Bridge Puente - + Pre-Chorus Pre-Coro - + Intro Intro - + Ending Final - + Other Otro @@ -9701,24 +9971,22 @@ Por favor, introduzca los Versículos separados por espacios. SongsPlugin.VideoPsalmImport - - Error: %s - Error: %s + + Error: {error} + Error: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Archivo de canción Words of Worship inválido. -No existe "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + Archivo Words of Worship no válido. Falta el encabezado "{text}". - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Archivo de canción Words of Worship inválido. -No existe "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + Archivo Words of Worship no válido. Falta la cadena "{text}". @@ -9729,30 +9997,30 @@ No existe "%s" string.CSongDoc::CBlock Error al leer el archivo CSV. - - Line %d: %s - Línea %d: %s - - - - Decoding error: %s - Error de decodificación: %s - - - + File not valid WorshipAssistant CSV format. Archivo CSV WorshipAssistant no válido. - - Record %d - Registrar %d + + Line {number:d}: {error} + Línea {number:d}: {error} + + + + Record {count:d} + Registro {count:d} + + + + Decoding error: {error} + Error de decodificación: {error} SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. No se pudo conectar a la base de datos WorshipCenter Pro. @@ -9765,25 +10033,30 @@ No existe "%s" string.CSongDoc::CBlock Error al leer el archivo CSV. - + File not valid ZionWorx CSV format. Archivo ZionWorx CSV inválido. - - Line %d: %s - Línea %d: %s - - - - Decoding error: %s - Error de decodificación: %s - - - + Record %d Registrar %d + + + Line {number:d}: {error} + Línea {number:d}: {error} + + + + Record {index} + Registro {index} + + + + Decoding error: {error} + Error de decodificación: {error} + Wizard @@ -9793,39 +10066,960 @@ No existe "%s" string.CSongDoc::CBlock Asistente - + 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. Esté asistente le ayudará a eliminar canciones duplicadas de la base de datos. Puede revisar cada posible canción duplicada antes de que sea eliminada. Las canciones no se borran sin su consentimiento explícito. - + Searching for duplicate songs. Buscando canciones duplicadas. - + Please wait while your songs database is analyzed. Por favor espere mientras se analiza la base de datos. - + Here you can decide which songs to remove and which ones to keep. Aquí puede decidir entre cuales canciones conservar y cuales eliminar. - - Review duplicate songs (%s/%s) - Revise las canciones duplicadas (%s/%s) - - - + Information Información - + No duplicate songs have been found in the database. No se encontraron canciones duplicadas en la base de datos. + + + Review duplicate songs ({current}/{total}) + Revise las canciones duplicadas ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + Oromo (Afaan) + + + + Abkhazian + Language code: ab + Abjasio + + + + Afar + Language code: aa + Afar + + + + Afrikaans + Language code: af + Afrikáans + + + + Albanian + Language code: sq + Albanés + + + + Amharic + Language code: am + Amhárico + + + + Amuzgo + Language code: amu + Amuzgo + + + + Ancient Greek + Language code: grc + Griego Antiguo + + + + Arabic + Language code: ar + Árabe + + + + Armenian + Language code: hy + Armenio + + + + Assamese + Language code: as + Asamés + + + + Aymara + Language code: ay + Aimara + + + + Azerbaijani + Language code: az + Azerí + + + + Bashkir + Language code: ba + Baskir + + + + Basque + Language code: eu + Euskera + + + + Bengali + Language code: bn + Bengalí + + + + Bhutani + Language code: dz + Dzongkha + + + + Bihari + Language code: bh + Bhoyapurí + + + + Bislama + Language code: bi + Bislama + + + + Breton + Language code: br + Bretón + + + + Bulgarian + Language code: bg + Búlgaro + + + + Burmese + Language code: my + Birmano + + + + Byelorussian + Language code: be + Bielorruso + + + + Cakchiquel + Language code: cak + Kakchikel + + + + Cambodian + Language code: km + Camboyano (o Jemer) + + + + Catalan + Language code: ca + Catalán + + + + Chinese + Language code: zh + Chino + + + + Comaltepec Chinantec + Language code: cco + Chinanteca de Comaltepec + + + + Corsican + Language code: co + Corso + + + + Croatian + Language code: hr + Croata + + + + Czech + Language code: cs + Checo + + + + Danish + Language code: da + Danés + + + + Dutch + Language code: nl + Neerlandés (u Holandés) + + + + English + Language code: en + Inglés + + + + Esperanto + Language code: eo + Esperanto + + + + Estonian + Language code: et + Estonio + + + + Faeroese + Language code: fo + Feroés + + + + Fiji + Language code: fj + Fiyiano + + + + Finnish + Language code: fi + Finés + + + + French + Language code: fr + Francés + + + + Frisian + Language code: fy + Frisón (o Frisio) + + + + Galician + Language code: gl + Gallego + + + + Georgian + Language code: ka + Georgiano + + + + German + Language code: de + Alemán + + + + Greek + Language code: el + Griego + + + + Greenlandic + Language code: kl + Groenlandés (o Kalaallisut) + + + + Guarani + Language code: gn + Guaraní + + + + Gujarati + Language code: gu + Guyaratí + + + + Haitian Creole + Language code: ht + Haitiano + + + + Hausa + Language code: ha + Hausa + + + + Hebrew (former iw) + Language code: he + Hebreo (antes iw) + + + + Hiligaynon + Language code: hil + Hiligainón + + + + Hindi + Language code: hi + Hindi (o Hindú) + + + + Hungarian + Language code: hu + Húngaro + + + + Icelandic + Language code: is + Islandés + + + + Indonesian (former in) + Language code: id + Indonesio (antes in) + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Occidental + + + + Inuktitut (Eskimo) + Language code: iu + Inuktitut (o Inuit) + + + + Inupiak + Language code: ik + Iñupiaq + + + + Irish + Language code: ga + Irlandés (o Gaélico) + + + + Italian + Language code: it + Italiano + + + + Jakalteko + Language code: jac + Jacalteco (o Popti') + + + + Japanese + Language code: ja + Japonés + + + + Javanese + Language code: jw + Javanés + + + + K'iche' + Language code: quc + Quechua + + + + Kannada + Language code: kn + Canarés + + + + Kashmiri + Language code: ks + Cachemiro (o Cachemir) + + + + Kazakh + Language code: kk + Kazajo (o Kazajio) + + + + Kekchí + Language code: kek + Q'eqchi' (o Kekchí) + + + + Kinyarwanda + Language code: rw + Ruandés (o Kiñaruanda) + + + + Kirghiz + Language code: ky + Kirguís + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Coreano + + + + Kurdish + Language code: ku + Kurdo + + + + Laothian + Language code: lo + Lao + + + + Latin + Language code: la + Latín + + + + Latvian, Lettish + Language code: lv + Letón + + + + Lingala + Language code: ln + Lingala + + + + Lithuanian + Language code: lt + Lituano + + + + Macedonian + Language code: mk + Macedonio + + + + Malagasy + Language code: mg + Malgache (o Malagasy) + + + + Malay + Language code: ms + Malayo + + + + Malayalam + Language code: ml + Malayalam + + + + Maltese + Language code: mt + Maltés + + + + Mam + Language code: mam + Mam + + + + Maori + Language code: mi + Maorí + + + + Maori + Language code: mri + Maorí + + + + Marathi + Language code: mr + Maratí + + + + Moldavian + Language code: mo + Moldavo + + + + Mongolian + Language code: mn + Mongol + + + + Nahuatl + Language code: nah + Náhuatl + + + + Nauru + Language code: na + Nauruano + + + + Nepali + Language code: ne + Nepalí + + + + Norwegian + Language code: no + Noruego + + + + Occitan + Language code: oc + Occitano + + + + Oriya + Language code: or + Oriya + + + + Pashto, Pushto + Language code: ps + Pastú (o Pashto) + + + + Persian + Language code: fa + Persa + + + + Plautdietsch + Language code: pdt + Plautdietsch (o Bajo alemán menonita) + + + + Polish + Language code: pl + Polaco + + + + Portuguese + Language code: pt + Portugués + + + + Punjabi + Language code: pa + Panyabí (o Penyabi) + + + + Quechua + Language code: qu + Quechua + + + + Rhaeto-Romance + Language code: rm + Romanche + + + + Romanian + Language code: ro + Rumano + + + + Russian + Language code: ru + Ruso + + + + Samoan + Language code: sm + Samoano + + + + Sangro + Language code: sg + Sango + + + + Sanskrit + Language code: sa + Sánscrito + + + + Scots Gaelic + Language code: gd + Gaélico Escocés + + + + Serbian + Language code: sr + Serbio + + + + Serbo-Croatian + Language code: sh + Serbocroata + + + + Sesotho + Language code: st + Sesotho + + + + Setswana + Language code: tn + Setsuana + + + + Shona + Language code: sn + Shona + + + + Sindhi + Language code: sd + Sindhi + + + + Singhalese + Language code: si + Cingalés + + + + Siswati + Language code: ss + Suazi (o SiSwati) + + + + Slovak + Language code: sk + Eslovaco + + + + Slovenian + Language code: sl + Esloveno + + + + Somali + Language code: so + Somalí + + + + Spanish + Language code: es + Español + + + + Sudanese + Language code: su + Sundanés (o Sondanés) + + + + Swahili + Language code: sw + Suajili + + + + Swedish + Language code: sv + Sueco + + + + Tagalog + Language code: tl + Tagalo + + + + Tajik + Language code: tg + Tayiko + + + + Tamil + Language code: ta + Tamil + + + + Tatar + Language code: tt + Tártaro + + + + Tegulu + Language code: te + Télugu + + + + Thai + Language code: th + Tailandés + + + + Tibetan + Language code: bo + Tibetano + + + + Tigrinya + Language code: ti + Tigriña + + + + Tonga + Language code: to + Tongano + + + + Tsonga + Language code: ts + Tsonga + + + + Turkish + Language code: tr + Turco + + + + Turkmen + Language code: tk + Turcomano + + + + Twi + Language code: tw + Twi + + + + Uigur + Language code: ug + Uigur + + + + Ukrainian + Language code: uk + Ucraniano + + + + Urdu + Language code: ur + Urdu + + + + Uspanteco + Language code: usp + Uspanteco + + + + Uzbek + Language code: uz + Uzbeko + + + + Vietnamese + Language code: vi + Vietnamita + + + + Volapuk + Language code: vo + Volapük + + + + Welch + Language code: cy + Galés + + + + Wolof + Language code: wo + Wolof + + + + Xhosa + Language code: xh + Xhosa + + + + Yiddish (former ji) + Language code: yi + Yídish (antes ji) + + + + Yoruba + Language code: yo + Yoruba + + + + Zhuang + Language code: za + Chuan (o Chuang) + + + + Zulu + Language code: zu + Zulú + + + diff --git a/resources/i18n/et.ts b/resources/i18n/et.ts index 039feaaff..7ce11b570 100644 --- a/resources/i18n/et.ts +++ b/resources/i18n/et.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Kas tahad siiski jätkata? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Teate tekst ei sisalda '<>' märke. Kas tahad siiski jätkata? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Sa pole oma teatele teksti lisanud. Enne nupu Uus vajutamist sisesta mingi tekst. @@ -120,32 +121,27 @@ Enne nupu Uus vajutamist sisesta mingi tekst. AlertsPlugin.AlertsTab - + Font Font - + Font name: Fondi nimi: - + Font color: Teksti värvus: - - Background color: - Tausta värvus: - - - + Font size: Teksti suurus: - + Alert timeout: Teate kestus: @@ -153,88 +149,78 @@ 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. - Genesis @@ -739,160 +725,121 @@ Enne nupu Uus vajutamist sisesta mingi tekst. Piibel on juba olemas. Impordi Piibel teise nimega või kustuta enne olemasolev Piibel. - - You need to specify a book name for "%s". - Pead "%s" jaoks raamatu nime määrama. - - - - 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. - Raamatu nimi "%s" ei ole õige. -Numbrid võivad asuda ainult alguses ning nende järel peab olema mõni täht. - - - + Duplicate Book Name Dubleeriv raamatu nimi - - The Book Name "%s" has been entered more than once. - Raamatu nimi "%s" on juba ühe korra sisestatud. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Kirjakohaviite tõrge - - Web Bible cannot be used - Veebipiiblit pole võimalik kasutada + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Sisestatud kirjakohaviide pole toetatud või on vigane. Palun veendu, et see vastab ühele järgnevatest mustritest või loe käsiraamatut: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Raamat peatükk -Raamat peatükk%(range)speatükk -Raamat peatükk%(verse)ssalm%(range)ssalm -Raamat peatükk%(verse)ssalm%(range)ssalm%(list)ssalm%(range)ssalm -Raamat peatükk%(verse)ssalm%(range)ssalm%(list)speatükk%(verse)ssalm%(range)ssalm -Raamat peatükk%(verse)ssalm%(range)speatükk%(verse)ssalm +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Salmi kuvamine - + Only show new chapter numbers Kuvatakse ainult uute peatükkide numbreid - + Bible theme: Piibli kujundus: - + No Brackets Ilma sulgudeta - + ( And ) ( ja ) - + { And } { ja } - + [ And ] [ ja ] - - Note: -Changes do not affect verses already in the service. - Märkus: -Muudatused ei rakendu juba teenistuses olevatele salmidele. - - - + Display second Bible verses Piiblit kuvatakse kahes keeles - + Custom Scripture References Kohandatud kirjakohaviited - - Verse Separator: - Salmide eraldaja: - - - - Range Separator: - Vahemike eraldaja: - - - - List Separator: - Loendi eraldaja: - - - - End Mark: - Lõpu märk: - - - + 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. @@ -901,37 +848,83 @@ Need tuleb eraldada püstkriipsuga |. Vaikeväärtuse kasutamiseks jäta rida tühjaks. - + English Estonian - + Default Bible Language Piibli vaikimisi keel - + Book name language in search field, search results and on display: Raamatu nimede keel otsinguväljal, otsingutulemustes ja ekraanil: - + Bible Language Piibli keel - + Application Language Rakenduse keel - + Show verse numbers Salminumbrite näitamine + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -987,70 +980,71 @@ otsingutulemustes ja ekraanil: BiblesPlugin.CSVBible - - Importing books... %s - Raamatute importimine... %s + + Importing books... {book} + - - Importing verses... done. - Salmide importimine... valmis. + + Importing verses from {book}... + Importing verses from <book name>... + BiblesPlugin.EditBibleForm - + Bible Editor Piibliredaktor - + License Details Litsentsi andmed - + Version name: Versiooni nimi: - + Copyright: Autoriõigus: - + Permissions: Lubatud: - + Default Bible Language Piibli vaikimisi keel - + Book name language in search field, search results and on display: Raamatu nime keel otsinguväljal, otsingutulemustes ja ekraanil: - + Global Settings Globaalsätted - + Bible Language Piibli keel - + Application Language Rakenduse keel - + English Estonian @@ -1070,224 +1064,259 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1318,293 +1347,155 @@ Veebipiibli raamatute nimesid pole võimalik muuta. BiblesPlugin.MediaItem - - Quick - Kiirotsing - - - + Find: Otsing: - + Book: Raamat: - + Chapter: Peatükk: - + Verse: Salm: - + From: Algus: - + To: Kuni: - + Text Search Tekstiotsing - + Second: Teine: - + Scripture Reference Salmiviide - + Toggle to keep or clear the previous results. Vajuta eelmiste tulemuste säilitamiseks või eemaldamiseks. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Ühe- ja kahekeelseid piiblisalmide otsitulemusi pole võimalik kombineerida. Kas tahad otsingu tulemused kustutada ja alustada uue otsinguga? - + Bible not fully loaded. Piibel ei ole täielikult laaditud. - + Information Andmed - - 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. - Teine Piibel ei sisalda kõiki salme, mis on peamises Piiblis. Näidatakse ainult neid salme, mis leiduvad mõlemas Piiblis. %d salmi ei kaasatud tulemustesse. - - - + Search Scripture Reference... Piibliviite otsing... - + Search Text... Teksti otsing... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Otsi + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Kas sa kindlasti tahad kustutada "%s" piibli OpenLP-st? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -Et jälle seda piiblit kasutada, pead selle uuesti importima. - - - - Advanced - Täpsem - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - See piibli fail ei ole õiges vormingus. OpenSong vormingus piiblid võivad olla pakitud. Enne importimist pead need lahti pakkima. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - Anti sobimatu piiblifail. See näeb välja nagu Zefania XML Piibel, seega palun kasuta Zefania importimise valikut. - - - - BiblesPlugin.Opensong - - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s importimine... +{count:d} verses have not been included in the results. + 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... - %(bookname)s %(chapter)s importimine... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Varunduskataloogi valimine + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Piibli uuendamise nõustaja - - - - 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. - See nõustaja aitab uuendada olemasolevaid Piibleid eelnevatelt OpenLP 2 versioonidelt. Uuendamise alustamiseks klõpsa edasi. - - - - Select Backup Directory - Varunduskausta valimine - - - - Please select a backup directory for your Bibles - Vali oma Piiblitele varunduskataloog - - - - 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>. - Eelmised OpenLP 2.0 versioonid ei suuda kasutada uuendatud Piibleid. Sellega luuakse sinu praegustest Piiblistest varukoopia, et sa saaksid failid kopeerida tagasi OpenLP andmekataloogi, kui sa pead minema tagasi OpenLP eelmisele versioonile. Juhised failide taastamiseks leiad <a href="http://wiki.openlp.org/faq">Korduma Kippuvatest Küsimustest</a>. - - - - Please select a backup location for your Bibles. - Palun vali oma Piiblite varundamise jaoks kataloog. - - - - Backup Directory: - Varunduskataloog: - - - - There is no need to backup my Bibles - Pole vajadust mu Piibleid varundada - - - - Select Bibles - Piiblite valimine - - - - Please select the Bibles to upgrade - Palun vali Piiblid, mida uuendada - - - - Upgrading - Uuendamine - - - - Please wait while your Bibles are upgraded. - Palun oota, kuni Piibleid uuendatakse. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Varundamine ei õnnestunud. -Piiblite varundamiseks peab sul olema õigus antud kataloogi kirjutada. - - - - Upgrading Bible %s of %s: "%s" -Failed - %s Piibli uuendamine %s-st : "%s" -Nurjus - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - %s Piibli uuendamine %s-st : "%s" -Uuendamine... - - - - Download Error - Tõrge allalaadimisel - - - - To upgrade your Web Bibles an Internet connection is required. - Veebipiiblite uuendamiseks on vajalik internetiühendus. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - %s Piibli uuendamine (kokku %s-st): "%s" -%s uuendamine... - - - - Upgrading Bible %s of %s: "%s" -Complete - %s. Piibli uuendamine (kokku %s-st): "%s" -Valmis - - - - , %s failed - , %s nurjus - - - - Upgrading Bible(s): %s successful%s - Piibli(te) uuendamine: %s edukas%s - - - - Upgrade failed. - Uuendamine nurjus. - - - - You need to specify a backup directory for your Bibles. - Pead määrama Piiblite varundamise kataloogi. - - - - Starting upgrade... - Uuendamise alustamine... - - - - There are no Bibles that need to be upgraded. - Pole ühtegi Piiblit, mis vajaks uuendamist. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Piiblite uuendamine: %(success)d edukas %(failed_text)s -Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kasutatakse, selle pärast on ka kasutades vaja internetiühendust. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Anti sobimatu piiblifail. Zefania Piiblid võivad olla pakitud. Need tuleb enne importimist lahti pakkida. @@ -1612,9 +1503,9 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s importimine... + + Importing {book} {chapter}... + @@ -1729,7 +1620,7 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas Kõigi slaidide muutmine ühekorraga. - + Split a slide into two by inserting a slide splitter. Slaidi lõikamine kaheks, sisestades slaidide eraldaja. @@ -1744,7 +1635,7 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas &Autorid: - + You need to type in a title. Pead sisestama pealkirja. @@ -1754,12 +1645,12 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas Muuda &kõiki - + Insert Slide Uus slaid - + You need to add at least one slide. Pead lisama vähemalt ühe slaidi. @@ -1767,7 +1658,7 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas CustomPlugin.EditVerseForm - + Edit Slide Slaidi redigeerimine @@ -1775,9 +1666,9 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1805,11 +1696,6 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas container title Pildid - - - Load a new image. - Uue pildi laadimine. - Add a new image. @@ -1840,6 +1726,16 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas Add the selected image to the service. Valitud pildi lisamine teenistusele. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1864,12 +1760,12 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas 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. @@ -1905,7 +1801,7 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas ImagePlugin.ExceptionDialog - + Select Attachment Manuse valimine @@ -1913,39 +1809,22 @@ Palun pane tähele, et veebipiiblitest laaditakse salmid alla siis, kui neid kas ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1955,25 +1834,41 @@ Kas tahad teised pildid sellest hoolimata lisada? -- Ü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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Tausta värvus piltidel, mille külgede suhe ei vasta ekraani küljesuhtele. @@ -1981,27 +1876,27 @@ Kas tahad teised pildid sellest hoolimata lisada? Media.player - + Audio Audio - + Video Video - + VLC is an external player which supports a number of different formats. VLC on väline esitaja, mis toetab hulganisti erinevaid vorminguid. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit on meediaesitaja, mis töötab veebibrauseris. Selle esitajaga on võimalik renderdada tekst video peale. - + This media player uses your operating system to provide media capabilities. See meediaesitaja kasutab operatsioonisüsteemi meedia võimalusi. @@ -2009,60 +1904,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. @@ -2178,47 +2073,47 @@ Kas tahad teised pildid sellest hoolimata lisada? VLC mängija ei suuda meediat esitada - + CD not loaded correctly CD pole korrektselt laaditud - + The CD was not loaded correctly, please re-load and try again. CD pole korrektselt sisestatud, sisesta see uuesti ja proovi veel. - + DVD not loaded correctly DVD pole õigesti sisestatud - + The DVD was not loaded correctly, please re-load and try again. DVD pole õigesti sisestatud, sisesta see uuesti ja proovi jälle. - + Set name of mediaclip Meedialõigu nimi - + Name of mediaclip: Meedialõigu nimi: - + Enter a valid name or cancel Sisesta sobiv nimi või loobu - + Invalid character Sobimatu märk - + The name of the mediaclip must not contain the character ":" Meedialõigu nimi ei tohi sisaldada koolonit ":" @@ -2226,90 +2121,100 @@ Kas tahad teised pildid sellest hoolimata lisada? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Fail pole toetatud: - + Use Player: Kasutatav meediaesitaja: - + VLC player required Vaja on VLC mängijat - + VLC player required for playback of optical devices Plaatide esitamiseks on vaja VLC mängijat - + Load CD/DVD Laadi CD/DVD - - Load CD/DVD - only supported when VLC is installed and enabled - CD/DVD laadimine - saadaval ainult siis, kui VLC on paigaldatud ja lubatud - - - - The optical disc %s is no longer available. - Optiline plaat %s pole enam saadaval. - - - + Mediaclip already saved Meedia klipp juba salvestatud - + This mediaclip has already been saved Meedia klipp on juba salvestatud + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2320,94 +2225,93 @@ Kas tahad teised pildid sellest hoolimata lisada? - Start Live items automatically - Ekraanile minevad asjad pannakse automaatselt käima - - - - OPenLP.MainWindow - - - &Projector Manager - &Projektorihaldur + Start new Live media automatically + OpenLP - + Image Files Pildifailid - - Information - Andmed - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Piibli vorming on muutunud. -Sa pead olemasolevad Piiblid uuendama. -Kas OpenLP peaks kohe uuendamist alustama? - - - + Backup Varundus - - OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - OpenLP on uuendatud. Kas tahad OpenLP andmekaustast luua varukoopia? - - - + Backup of the data folder failed! Andmekausta varundamine nurjus! - - A backup of the data folder has been created at %s - Andmekausta varukoopia loodi kohta %s - - - + Open Ava + + + Video Files + + + + + Data Directory Error + Andmete kataloogi tõrge + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Autorid - + License Litsents - - build %s - kompileering %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. See programm on vaba tarkvara; te võite seda edasi levitada ja/või muuta vastavalt GNU Üldise Avaliku Litsentsi tingimustele, nagu need on Vaba Tarkvara Fondi poolt avaldatud; vastavalt Litsentsi versioonile number 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. Seda programmi levitatakse lootuses, et see on kasulik, kuid ILMA IGASUGUSE GARANTIITA; isegi KESKMISE/TAVALISE KVALITEEDI GARANTIITA või SOBIVUSELE TEATUD KINDLAKS EESMÄRGIKS. Üksikasjade suhtes vaata GNU Üldist Avalikku Litsentsi. - + 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. @@ -2424,174 +2328,157 @@ Uuri OpenLP kohta lähemalt: http://openlp.org OpenLP on kirjutanud ja seda haldavad vabatahtlikud. Kui sa tahad näha rohkem tasuta kristlikku tarkvara, siis võib-olla tahad ise vabatahtlikuna kaasa aidata? Klõpsa alumisele nupule - + Volunteer Hakkan vabatahtlikuks - + Project Lead Projekti juht - + Developers Arendajad - + Contributors Kaastöölised - + Packagers Pakendajad - + Testers Testijad - + Translators Tõlkijad - + Afrikaans (af) Afrikaani (af) - + Czech (cs) Tšehhi (cs) - + Danish (da) Taani (da) - + German (de) Saksa (de) - + Greek (el) Kreeka (el) - + English, United Kingdom (en_GB) Inglise, Suurbritannia (en_GB) - + English, South Africa (en_ZA) Inglise, Lõuna-Aafrika (en_ZA) - + Spanish (es) Hispaania (es) - + Estonian (et) Eesti (et) - + Finnish (fi) Soome (fi) - + French (fr) Prantsuse (fr) - + Hungarian (hu) Ungari (hu) - + Indonesian (id) Indoneesia (id) - + Japanese (ja) Jaapani (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norra Bokmål (nb) - + Dutch (nl) Hollandi (nl) - + Polish (pl) Poola (pl) - + Portuguese, Brazil (pt_BR) Portugali, Brasiilia (pt_BR) - + Russian (ru) Vene (ru) - + Swedish (sv) Rootsi (sv) - + Tamil(Sri-Lanka) (ta_LK) Tail (Sri-Lanka) (ta_LK) - + Chinese(China) (zh_CN) Hiina (zh_CN) - + Documentation Dokumentatsioon - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Kasutatud tehnoloogiad -Python: http://www.python.org/ -Qt5: http://qt.io -PyQt5: 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 @@ -2617,333 +2504,244 @@ See tarkvara on tasuta ja vaba, kuna Tema on meid vabaks teinud. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Autoriõigus © 2004-2016 %s -Osaline autoriõigus © 2004-2016 %s + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Kasutajaliidese sätted - - - Number of recent files to display: - Kuvatavate hiljutiste failide arv: - - Remember active media manager tab on startup - Käivitumisel avatakse viimati avatud meediahalduri osa - - - - Double-click to send items straight to live - Topeltklõps otse ekraanile saatmiseks - - - Expand new service items on creation Uued teenistuse kirjed on loomisel laiendatud - + Enable application exit confirmation Rakenduse lõpetamise teabe lubamine - + Mouse Cursor Hiirekursor - + Hide mouse cursor when over display window Ekraaniakna kohal peidetakse hiirekursor - - Default Image - Vaikimisi pilt - - - - Background color: - Tausta värvus: - - - - Image file: - Pildifail: - - - + Open File Faili avamine - + Advanced Täpsem - - - Preview items when clicked in Media Manager - Meediahalduris klõpsamisel kuvatakse eelvaade - - Browse for an image file to display. - Kuvatava pildi valimine. - - - - Revert to the default OpenLP logo. - Vaikimisi OpenLP logo kasutamine. - - - Default Service Name Teenistuse vaikimisi nimi - + Enable default service name Teenistuse vaikimisi nimi lubatud - + Date and Time: Kuupäev ja kellaaeg: - + Monday Esmaspäeval - + Tuesday Teisipäeval - + Wednesday Kolmapäeval - + Friday Reedel - + Saturday Laupäeval - + Sunday Pühapäeval - + Now Praegu - + Time when usual service starts. Mis kell teenistus tavaliselt algab. - + Name: Nimi: - + Consult the OpenLP manual for usage. Kasutuse kohta lähemalt OpenLP käsiraamatust. - - Revert to the default service name "%s". - Teenistuse vaikimisi vaikenime "%s" taastamine. - - - + Example: Näidis: - + Bypass X11 Window Manager X11 aknahaldur jäetakse vahele - + Syntax error. Süntaksi viga. - + Data Location Andmete asukoht - + Current path: Praegune asukoht: - + Custom path: Kohandatud asukoht: - + Browse for new data file location. Sirvimine andmete faili uue asukoha leidmiseks. - + Set the data location to the default. Andmete vaikimisi asukoha taastamine. - + Cancel Loobu - + Cancel OpenLP data directory location change. Loobu OpenLP andmete kataloogi asukoha muutusest. - + Copy data to new location. Kopeeri andmed uude asukohta. - + Copy the OpenLP data files to the new location. OpenLP andmefailide kopeerimine uude asukohta. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>HOIATUS:</strong> Uus OpenLP andmefailide kataloog juba sisaldab andmefaile. Kopeerimisel need failid ASENDATAKSE. - - Data Directory Error - Andmete kataloogi tõrge - - - + Select Data Directory Location Andmekausta asukoha valimine - + Confirm Data Directory Change Andmekausta muutmise kinnitus - + Reset Data Directory Taasta esialgne andmekaust - + Overwrite Existing Data Olemasolevate andmete ülekirjutamine - - 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 andmekataloogi ei leitud - -%s - -Andmekataloogi asukoht on varem muudetud ning see pole enam vaikimisi asukoht. Kui see oli määratud eemaldatavale andmekandjale, siis tuleb andmekandja enne ühendada. - -Klõpsa "Ei", et peatada OpenLP laadimine, mis võimaldab sul vea parandada. - -Klõpsa "Jah", et kasutada andmekataloogi vaikimisi asukohta. - - - - 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. - Kas sa oled kindel, et tahad määrata OpenLP andmekataloogiks: - -%s - -Andmekataloog muudetakse OpenLP sulgemisel. - - - + Thursday Neljapäev - + Display Workarounds Kuvamise trikid - + Use alternating row colours in lists Loeteludes vahelduvate värvide kasutamine - - 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? - HOIATUS: - -Valitud asukoht - -%s - -juba sisaldab OpenLP andmefaile. Kas tahad sealsed failid asendada praeguste andmefailidega? - - - + Restart Required Vajalik on taaskäivitus - + This change will only take effect once OpenLP has been restarted. See muudatus jõustub alles pärast OpenLP uuesti käivitamist. - + 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. @@ -2951,11 +2749,142 @@ This location will be used after OpenLP is closed. Seda asukohta kasutatakse pärast OpenLP sulgemist. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automaatne + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klõpsa värvi valimiseks. @@ -2963,252 +2892,252 @@ Seda asukohta kasutatakse pärast OpenLP sulgemist. OpenLP.DB - + RGB RGB - + Video Video - + 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 @@ -3216,62 +3145,74 @@ Seda asukohta kasutatakse pärast OpenLP sulgemist. OpenLP.ExceptionDialog - + Error Occurred Esines viga - + Send E-Mail Saada e-kiri - + Save to File Salvesta faili - + Attach File Pane fail kaasa - - - Description characters to enter : %s - Puuduvad tähed kirjelduses: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Palun kirjelda siin, mida sa parasjagu tegid, mis kutsus selle vea esile. -(vähemalt 20 tähte) - - 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. Also attach any files that triggered the problem. - Uups! OpenLP-s esines viga, millest ei suudetud üle saada. Alumises kastis olev tekst võib olla kasulik OpenLP arendajatele, palun meili see aadressil bugs@openlp.org koos täpse kirjeldusega sellest, mida sa parasjagu tegid, kui probleem esines. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platvorm: %s - - - - + Save Crash Report Vearaporti salvestamine - + Text files (*.txt *.log *.text) Tekstifailid (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3312,268 +3253,259 @@ Seda asukohta kasutatakse pärast OpenLP sulgemist. 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. - Internetiühendust ei leitud. Esmakäivituse nõustaja vajab internetiühendust näidislaulude, piiblite ja kujunduste allalaadimiseks. OpenLP käivitamiseks tehaseseadistuses ja ilma näidisandmeteta klõpsa lõpetamise nupule. - -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. Allalaadimise käigus esines ühenduse viga, seega järgnevaid asju ei laadita alla. Võid proovida esmakäivituse nõustajat hiljem uuesti käivitada. - - Download complete. Click the %s button to return to OpenLP. - Allalaadimine lõpetatud. Klõpsa %s nupul, et minna tagasi OpenLPsse. - - - - Download complete. Click the %s button to start OpenLP. - Allalaadimine lõpetatud. Klõpsa %s nupul, et käivitada OpenLP. - - - - Click the %s button to return to OpenLP. - Klõpsa %s nupul, et minna tagasi OpenLPsse. - - - - Click the %s button to start OpenLP. - Klõpsa %s nupul, et käivitada OpenLP. - - - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Allalaadimise käigus esines ühenduse viga, seega järgnevaid allalaadimise jäetakse vahele. Võid proovida esmakäivituse nõustajat hiljem uuesti käivitada. - - This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - See nõustaja aitab teha OpenLP kasutamiseks esmase seadistuse. Klõpsa all %s nupule, et alustada. - - - - - -To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - - -Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamata), klõpsa all %s nupule. - - - + Downloading Resource Index Ressursside indeksi allalaadimine - + Please wait while the resource index is downloaded. Palun oota, kuni ressursside indeksi faili alla laaditakse... - + Please wait while OpenLP downloads the resource index file... Palun oota, kuni OpenLP laadib alla ressursside indeksi faili... - + Downloading and Configuring Allalaadimine ja seadistamine - + Please wait while resources are downloaded and OpenLP is configured. Palun oota, kuni andmeid alla laaditakse ja OpenLP ära seadistatakse. - + Network Error Võrgu viga - + There was a network error attempting to connect to retrieve initial configuration information Esialgse seadistuse andmete hankimise katsel esines võrgu viga - - Cancel - Loobu - - - + Unable to download some files Mõnede failide allalaadimine ei õnnestunud + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3616,44 +3548,49 @@ Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamat OpenLP.FormattingTagForm - + <HTML here> <HTML siia> - + Validation Error Valideerimise viga - + Description is missing Kirjeldus puudub - + Tag is missing Silt puudub - Tag %s already defined. - Märgis %s on juba defineeritud. + Tag {tag} already defined. + - Description %s already defined. - Kirjeldus %s on juba määratud. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Algusmärk %s ei ole sobiv HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Lõpusilt %(end)s ei kattu alustava sildiga %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3742,170 +3679,200 @@ Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamat OpenLP.GeneralTab - + General Üldine - + Monitors Monitorid - + Select monitor for output display: Peamise kuva ekraan: - + Display if a single screen Kuvatakse ka, kui on ainult üks ekraan - + Application Startup Rakenduse käivitumine - + Show blank screen warning Kuvatakse tühjendatud ekraani hoiatust - - Automatically open the last service - Automaatselt avatakse viimane teenistus - - - + Show the splash screen Käivitumisel kuvatakse logo - + Application Settings Rakenduse sätted - + Prompt to save before starting a new service Uue teenistuse alustamisel pakutakse eelmise salvestamist - - Automatically preview next item in service - Teenistuse järgmise elemendi automaatne eelvaatlus - - - + sec s - + CCLI Details CCLI andmed - + SongSelect username: SongSelecti kasutajanimi: - + SongSelect password: SongSelecti parool: - + X X - + Y Y - + Height Kõrgus - + Width Laius - + Check for updates to OpenLP OpenLP uuenduste kontrollimine - - Unblank display when adding new live item - Ekraanile saatmisel võetakse ekraani tühjendamine maha - - - + Timed slide interval: Ajastatud slaidi kestus: - + Background Audio Taustamuusika - + Start background audio paused Taustamuusika on alguses pausitud - + Service Item Slide Limits Teenistuse elemendi slaidi mõõtmed - + Override display position: Kuva asukoha käsitsi muutmine: - + Repeat track list Lugude loendi kordamine - + Behavior of next/previous on the last/first slide: Järgmise/eelmise käitumine viimasel/esimesel slaidil: - + &Remain on Slide &Jäädakse slaidile - + &Wrap around &Teenistuse elementi korratakse - + &Move to next/previous service item &Liigutakse järgmisele teenistuse elemendile + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Kuvatava pildi valimine. + + + + Revert to the default OpenLP logo. + Vaikimisi OpenLP logo kasutamine. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Keel - + Please restart OpenLP to use your new language setting. Uue keele kasutamiseks käivita OpenLP uuesti. @@ -3913,7 +3880,7 @@ Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamat OpenLP.MainDisplay - + OpenLP Display OpenLP kuva @@ -3921,352 +3888,188 @@ Et katkestada esmakäivituse nõustaja täielikult (ja jätta OpenLP käivitamat OpenLP.MainWindow - + &File &Fail - + &Import &Impordi - + &Export &Ekspordi - + &View &Vaade - - M&ode - &Režiim - - - + &Tools &Tööriistad - + &Settings &Sätted - + &Language &Keel - + &Help A&bi - - Service Manager - Teenistuse haldur - - - - Theme Manager - Kujunduste haldur - - - + Open an existing service. Olemasoleva teenistuse avamine. - + Save the current service to disk. Praeguse teenistuse salvestamine kettale. - + Save Service As Salvesta teenistus kui - + Save the current service under a new name. Praeguse teenistuse salvestamine uue nimega. - + E&xit &Välju - - Quit OpenLP - Lahku OpenLPst - - - + &Theme &Kujundus - + &Configure OpenLP... &Seadista OpenLP... - - &Media Manager - &Meediahaldur - - - - Toggle Media Manager - Meediahalduri lüliti - - - - Toggle the visibility of the media manager. - Meediahalduri nähtavuse ümberlüliti. - - - - &Theme Manager - &Kujunduse haldur - - - - Toggle Theme Manager - Kujunduse halduri lüliti - - - - Toggle the visibility of the theme manager. - Kujunduse halduri nähtavuse ümberlülitamine. - - - - &Service Manager - &Teenistuse haldur - - - - Toggle Service Manager - Teenistuse halduri lüliti - - - - Toggle the visibility of the service manager. - Teenistuse halduri nähtavuse ümberlülitamine. - - - - &Preview Panel - &Eelvaatluspaneel - - - - Toggle Preview Panel - Eelvaatluspaneeli lüliti - - - - Toggle the visibility of the preview panel. - Eelvaatluspaneeli nähtavuse ümberlülitamine. - - - - &Live Panel - &Ekraani paneel - - - - Toggle Live Panel - Ekraani paneeli lüliti - - - - Toggle the visibility of the live panel. - Ekraani paneeli nähtavuse muutmine. - - - - List the Plugins - Pluginate loend - - - - &User Guide - &Kasutajajuhend - - - + &About &Lähemalt - - More information about OpenLP - Lähem teave OpenLP kohta - - - - &Online Help - &Abi veebis - - - + &Web Site &Veebileht - + Use the system language, if available. Kui saadaval, kasutatakse süsteemi keelt. - - Set the interface language to %s - Kasutajaliidese keeleks %s määramine - - - + Add &Tool... Lisa &tööriist... - + Add an application to the list of tools. Rakenduse lisamine tööriistade loendisse. - - &Default - &Vaikimisi - - - - Set the view mode back to the default. - Vaikimisi kuvarežiimi taastamine. - - - + &Setup &Ettevalmistus - - Set the view mode to Setup. - Ettevalmistuse kuvarežiimi valimine. - - - + &Live &Otse - - Set the view mode to Live. - Vaate režiimiks ekraanivaate valimine. - - - - 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 versioon %s on nüüd allalaadimiseks saadaval (sina kasutad praegu versiooni %s). - -Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/. - - - + OpenLP Version Updated OpenLP uuendus - + OpenLP Main Display Blanked OpenLP peakuva on tühi - + The Main Display has been blanked out Peakuva on tühi - - Default Theme: %s - Vaikimisi kujundus: %s - - - + English Please add the name of your language here Estonian - + Configure &Shortcuts... &Kiirklahvide seadistamine... - + Open &Data Folder... Ava &andmete kataloog... - + Open the folder where songs, bibles and other data resides. Laulude, Piiblite ja muude andmete kataloogi avamine. - + &Autodetect &Isetuvastus - + Update Theme Images Uuenda kujunduste pildid - + Update the preview images for all themes. Kõigi teemade eelvaatepiltide uuendamine. - + Print the current service. Praeguse teenistuse printimine. - - L&ock Panels - &Lukusta paneelid - - - - Prevent the panels being moved. - Paneelide liigutamise kaitse. - - - + Re-run First Time Wizard Käivita esmanõustaja uuesti - + Re-run the First Time Wizard, importing songs, Bibles and themes. Käivita esmanõustaja uuesti laulude, Piiblite ja kujunduste importimiseks. - + Re-run First Time Wizard? Kas käivitada esmanõustaja uuesti? - + 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. @@ -4275,107 +4078,68 @@ 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. - + Configure &Formatting Tags... &Vormindusmärgised... - - Export OpenLP settings to a specified *.config file - OpenLP sätete eksportimine määratud *.config faili - - - + Settings Sätted - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - OpenLP sätete importimine määratud *.config failist, mis on varem sellest või mõnest teisest arvutist eksporditud. - - - + Import settings? Kas importida sätted? - - Open File - Faili avamine - - - - OpenLP Export Settings Files (*.conf) - OpenLP eksporditud sätete failid (*.conf) - - - + Import settings Sätete importimine - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP sulgub nüüd. Imporditud sätted rakenduvad OpenLP järgmisel käivitumisel. - + Export Settings File Sättefaili eksportimine - - OpenLP Export Settings File (*.conf) - 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 - OpenLP andmekataloogi kopeerimine nurjus - -%s - - - + General Üldine - + Library Kogu - + Jump to the search box of the current active plugin. Parasjagu aktiivse plugina otsingulahtrisse liikumine. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4388,7 +4152,7 @@ Sätete importimine muudab jäädavalt sinu praegust OpenLP seadistust. Väärade sätete importimine võib põhjustada OpenLP väära käitumist või sulgumist. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4397,191 +4161,370 @@ Processing has terminated and no changes have been made. Selle töötlemine katkestati ja ühtegi muudatust ei tehtud. - - Projector Manager - Projektori haldur - - - - Toggle Projector Manager - Projektori halduri lüliti - - - - Toggle the visibility of the Projector Manager - Projektori halduri nähtavuse muutmine - - - + Export setting error Sätete eksportimise viga - - The key "%s" does not have a default value so it will be skipped in this export. - Võtmel "%s" pole vaikimisi väärtust, seetõttu jäetakse see eksportimisel vahele. - - - - An error occurred while exporting the settings: %s - Sätete eksportimisel esines viga: %s - - - + &Recent Services &Hiljutised teenistused - + &New Service &Uus teenistus - + &Open Service &Ava teenistus - + &Save Service &Salvesta teenistus - + Save Service &As... Salvesta teenistus &kui... - + &Manage Plugins &Pluginate haldamine - + Exit OpenLP OpenLPst väljumine - + Are you sure you want to exit OpenLP? Kas tahad kindlasti OpenLP sulgeda? - + &Exit OpenLP &Sulge OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Teenistus + + + + Themes + Kujundused + + + + Projectors + Projektorid + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + + 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 - Laaditav andmebaas loodi mõne OpenLP vanema versiooniga. Andmebaasi praegune versioon on %d, kuid OpenLP ootab versiooni %d. Andmebaasi ei laadita. - -Andmebaas: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP ei suuda sinu andmebaasi laadida. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Andmebaas: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Ühtegi elementi pole valitud - + &Add to selected Service Item &Lisa valitud teenistuse elemendile - + You must select one or more items to preview. Sa pead valima vähemalt ühe kirje, mida eelvaadelda. - + You must select one or more items to send live. Sa pead valima vähemalt ühe kirje, mida tahad ekraanil näidata. - + You must select one or more items. Pead valima vähemalt ühe elemendi. - + You must select an existing service item to add to. Pead valima olemasoleva teenistuse, millele lisada. - + Invalid Service Item Vigane teenistuse element - - You must select a %s service item. - Pead valima teenistuse elemendi %s. - - - + You must select one or more items to add. Pead valima vähemalt ühe kirje, mida tahad lisada. - - No Search Results - Otsing ei andnud tulemusi - - - + Invalid File Type Sobimatut liiki fail - - Invalid File %s. -Suffix not supported - Sobimatu fail %s. -Selle lõpuga fail ei ole toetatud - - - + &Clone &Klooni - + Duplicate files were found on import and were ignored. Importimisel tuvastati duplikaatfailid ning neid eirati. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Puudub <lyrics> silt. - + <verse> tag is missing. Puudub <verse> silt. @@ -4589,22 +4532,22 @@ Selle lõpuga fail ei ole toetatud OpenLP.PJLink1 - + Unknown status Tundmatu olek - + No message Teateid pole - + Error while sending data to projector Viga andmete saatmisel projektorisse - + Undefined command: Määratlemata käsk: @@ -4612,32 +4555,32 @@ Selle lõpuga fail ei ole toetatud OpenLP.PlayerTab - + Players Esitajad - + Available Media Players Saadaolevad meediaesitajad - + 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. - + %s (unavailable) %s (pole saadaval) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" MÄRKUS: VLC kasutamiseks tuleb paigaldada %s versioon @@ -4646,55 +4589,50 @@ Selle lõpuga fail ei ole toetatud OpenLP.PluginForm - + Plugin Details Plugina andmed - + Status: Olek: - + Active Aktiivne - - Inactive - Pole aktiivne - - - - %s (Inactive) - %s (pole aktiivne) - - - - %s (Active) - %s (aktiivne) + + Manage Plugins + Pluginate haldamine - %s (Disabled) - %s (keelatud) + {name} (Disabled) + - - Manage Plugins - Pluginate haldamine + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Mahuta lehele - + Fit Width Mahuta laius @@ -4702,77 +4640,77 @@ Selle lõpuga fail ei ole toetatud OpenLP.PrintServiceForm - + Options Valikud - + Copy Kopeeri - + Copy as HTML Kopeeri HTMLina - + Zoom In Suurendamine - + Zoom Out Vähendamine - + Zoom Original Originaalsuurus - + Other Options Muud valikud - + Include slide text if available Slaidi tekst, kui saadaval - + Include service item notes Teenistuse kirje märkmed - + Include play length of media items Meediakirjete pikkus - + Add page break before each text item Iga tekstikirje algab uuelt lehelt - + Service Sheet Teenistuse leht - + Print Prindi - + Title: Pealkiri: - + Custom Footer Text: Kohandatud jaluse tekst: @@ -4780,257 +4718,257 @@ Selle lõpuga fail ei ole toetatud OpenLP.ProjectorConstants - + 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 - + PJLink class not supported PJLink klass pole toetatud - + Invalid prefix character Sobimatu prefiksi märk - + The connection was refused by the peer (or timed out) Teine osapool keeldus ühendusest (või see aegus) - + The remote host closed the connection Teine osapool sulges ühenduse - + The host address was not found Hosti aadressi ei leitud - + The socket operation failed because the application lacked the required privileges Pesa käsitlemine nurjus, kuna rakendusel puuduvad vajalikud õigused - + The local system ran out of resources (e.g., too many sockets) Kohalikus süsteemis lõppesid ressursid (n.t liiga palju pesi) - + The socket operation timed out Pesa toiming aegus - + The datagram was larger than the operating system's limit Andmestik oli operatsioonisüsteemi piirangust suurem - + An error occurred with the network (Possibly someone pulled the plug?) Esines võrgu viga (võib-olla tõmbas keegi juhtme välja?) - + The address specified with socket.bind() is already in use and was set to be exclusive socket.bind()-iga määratud aadress on juba kasutusel ning kasutus on märgitud välistavaks. - + The address specified to socket.bind() does not belong to the host socket.bind()-iga määratud aadress ei kuulu sellele hostile. - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) Nõutud pesa tegevus ei ole sinu operatsioonisüsteemi poolt toetatud (nt puudub IPv6 tugi). - + The socket is using a proxy, and the proxy requires authentication Valitud pesa kasutab proksit, mis nõuab autentimist. - + The SSL/TLS handshake failed SSL/TLS käepigistus nurjus - + The last operation attempted has not finished yet (still in progress in the background) Viimane üritatud tegevus pole veel lõpetatud (endiselt toimub taustal). - + Could not contact the proxy server because the connection to that server was denied Proksiserveriga ühendusest keelduti. - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) Ühendus proksiserveriga sulgus ootamatult (enne kui ühendus loodi lõpliku partneriga). - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Ühendus proksiserverisse aegus või proksiserver lõpetas autentimise faasis vastamise. - + The proxy address set with setProxy() was not found setProxy()-ga määratud proksiaadressi ei leitud - + An unidentified error occurred Esines tundmatu viga - + 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 Ühenduse loomise läbirääkimised proksiserveriga nurjusid, kuna proksiserveri vastust ei suudetud mõista. @@ -5038,17 +4976,17 @@ Selle lõpuga fail ei ole toetatud OpenLP.ProjectorEdit - + Name Not Set Nimi pole määratud - + You must enter a name for this entry.<br />Please enter a new name for this entry. Selle kirje jaoks pead sisestama nime.<br />Palun sisesta sellele uus nimi. - + Duplicate Name Dubleeriv nimi @@ -5056,52 +4994,52 @@ Selle lõpuga fail ei ole toetatud OpenLP.ProjectorEditForm - + Add New Projector Uue projektori lisamine - + Edit Projector Muuda projektorit - + IP Address IP-aadress - + Port Number Pordi nimi - + PIN PIN - + Name Nimi - + Location Asukoht - + Notes Märkmed - + Database Error Andmebaasi viga - + There was an error saving projector information. See the log for the error Projektori andmete salvestamisel esines viga. Veateate leiad logist. @@ -5109,305 +5047,360 @@ Selle lõpuga fail ei ole toetatud OpenLP.ProjectorManager - + 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 - - - + Connect to selected projectors Valitud projektoritega ühendumine - + Disconnect from selected projectors Valitud projektoritega ühenduse katkestamine - + Disconnect from selected projector Valitud projektoriga ühenduse katkestamine - + Power on selected projector Valitud projektori sisselülitamine - + Standby selected projector Valitud projektori uinakusse panemine - - Put selected projector in standby - Valitud projektori uinakusse panemine - - - + Blank selected projector screen Valitud projektori ekraan mustaks - + Show selected projector screen Valitud projektori ekraanil jälle pildi näitamine - + &View Projector Information &Kuva projektori andmeid - + &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 - + Port Port - + Notes Märkmed - + 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 - - Delete projector (%s) %s? - Kas kustutada projektor (%s) %s? - - - + Are you sure you want to delete this projector? Kas tahad kindlasti kustutada selle projektori? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Autentimise viga + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Ventilaator - + Lamp Lamp - + Temperature Temperatuur - + Cover Kaas - + Filter Filter - + Other Muu @@ -5453,17 +5446,17 @@ Selle lõpuga fail ei ole toetatud OpenLP.ProjectorWizard - + Duplicate IP Address Dubleeriv IP-aadress - + Invalid IP Address Vigane IP-aadress - + Invalid Port Number Vigane pordi number @@ -5476,27 +5469,27 @@ Selle lõpuga fail ei ole toetatud Ekraan - + primary peamine OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Algus</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Kestus</strong>: %s - - [slide %d] - [slaid %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5560,52 +5553,52 @@ Selle lõpuga fail ei ole toetatud Valitud elemendi kustutamine teenistusest. - + &Add New Item &Lisa uus element - + &Add to Selected Item &Lisa valitud elemendile - + &Edit Item &Muuda kirjet - + &Reorder Item &Muuda elemendi kohta järjekorras - + &Notes &Märkmed - + &Change Item Theme &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 @@ -5630,7 +5623,7 @@ Selle lõpuga fail ei ole toetatud Kõigi teenistuse kirjete ahendamine. - + Open File Faili avamine @@ -5660,22 +5653,22 @@ Selle lõpuga fail ei ole toetatud Valitud kirje saatmine ekraanile. - + &Start Time &Alguse aeg - + Show &Preview Näita &eelvaadet - + Modified Service Teenistust on muudetud - + The current service has been modified. Would you like to save this service? Praegust teenistust on muudetud. Kas tahad selle teenistuse salvestada? @@ -5695,27 +5688,27 @@ Selle lõpuga fail ei ole toetatud Kestus: - + Untitled Service 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 @@ -5735,147 +5728,145 @@ 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. - + Service File(s) Missing Teenistuse failid on puudu - + &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. Teenistuse fail, mida püüad avada, on vanas vormingus. Palun salvesta see OpenLP 2.0.2-ga või uuemaga. - + 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 - Teenistuse faili kirjutamisel esines viga: %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Teenistusest puuduvad järgmised failid: %s - -Need failid eemaldatakse, kui sa otsustad siiski salvestada. + + + + + An error occurred while writing the service file: {error} + @@ -5907,15 +5898,10 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Kiirklahv - + Duplicate Shortcut Dubleeriv kiirklahv - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Kiirklahv "%s" on juba seotud teise tegevusega, kasuta mingit muud kiirklahvi. - Alternate @@ -5961,219 +5947,235 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Configure Shortcuts Seadista kiirklahve + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Peida - + Go To Mine - - - Blank Screen - Ekraani tühjendamine - - Blank to Theme - Kujunduse tausta näitamine - - - Show Desktop Töölaua näitamine - + Previous Service Eelmine teenistus - + Next Service Järgmine teenistus - - Escape Item - Kuva sulgemine - - - + Move to previous. Eelmisele liikumine. - + Move to next. Järgmisele liikumine. - + Play Slides Slaidide esitamine - + Delay between slides in seconds. Viivitus slaidide vahel sekundites. - + Move to live. Ekraanile saatmine. - + Add to Service. Teenistusele lisamine. - + Edit and reload song preview. Laulu muutmine ja eelvaate uuesti laadimine. - + Start playing media. Meedia esitamise alustamine. - + Pause audio. Audio pausimine. - + Pause playing media. Meedia esitamise pausimine. - + Stop playing media. Meedia esitamise peatamine. - + Video position. Video asukoht. - + Audio Volume. Helivaljus. - + Go to "Verse" Mine salmile - + Go to "Chorus" Mine refräänile - + Go to "Bridge" Mine vahemängule - + Go to "Pre-Chorus" Mine eelrefräänile - + Go to "Intro" Mine sissejuhatusele - + Go to "Ending" Mine lõpetusele - + Go to "Other" Mine muule osale - + Previous Slide Eelmine slaid - + Next Slide Järgmine slaid - + Pause Audio Audio pausimine - + Background Audio Taustamuusika - + Go to next audio track. Järgmisele muusikapalale liikumine. - + Tracks Palad + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source Projektori allika valimine - + Edit Projector Source Text Projektori allikteksti muutmine - + Ignoring current changes and return to OpenLP Praeguste muudatuste eiramine ja OpenLPsse naasmine - + Delete all user-defined text and revert to PJLink default text Kustuta kõik kasutaja määratud tekst ja taasta PJLink'i vaikimisi tekst. - + Discard changes and reset to previous user-defined text Hülga muudatused ja taasta eelmine kasutaja määratud tekst - + Save changes and return to OpenLP Salvesta muudatused ja naase OpenLPsse - + Delete entries for this projector Kustuta selle projektori andmed - + Are you sure you want to delete ALL user-defined source input text for this projector? Kas oled kindel, et tahad kustutada KÕIK kasutaja poolt selle projektori jaoks määratud sisendteksti? @@ -6181,17 +6183,17 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. OpenLP.SpellTextEdit - + Spelling Suggestions Õigekirjasoovitused - + Formatting Tags Vormindussildid - + Language: Keel: @@ -6270,7 +6272,7 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. OpenLP.ThemeForm - + (approximately %d lines per slide) (umbes %d rida slaidil) @@ -6278,523 +6280,531 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. OpenLP.ThemeManager - + Create a new theme. Uue kujunduse loomine. - + Edit Theme Kujunduse muutmine - + Edit a theme. Kujunduse muutmine. - + Delete Theme Kujunduse kustutamine - + Delete a theme. Kujunduse kustutamine. - + Import Theme Kujunduse importimine - + Import a theme. Kujunduse importimine. - + Export Theme Kujunduse eksportimine - + Export a theme. Kujunduse eksportimine. - + &Edit Theme Kujunduse &muutmine - + &Delete Theme Kujunduse &kustutamine - + Set As &Global Default Määra &globaalseks vaikeväärtuseks - - %s (default) - %s (vaikimisi) - - - + You must select a theme to edit. Pead valima kujunduse, mida muuta. - + You are unable to delete the default theme. Vaikimisi kujundust pole võimalik kustutada. - + 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 - + Select Theme Import File Importimiseks kujunduse faili valimine - + File is not a valid theme. See fail ei ole sobilik kujundus. - + &Copy Theme &Kopeeri kujundust - + &Rename Theme &Nimeta kujundus ümber - + &Export Theme &Ekspordi kujundus - + You must select a theme to rename. Pead valima kujunduse, mida ümber nimetada. - + Rename Confirmation Ümbernimetamise kinnitus - + Rename %s theme? Kas anda kujundusele %s uus nimi? - + You must select a theme to delete. Pead valima kujunduse, mida tahad kustutada. - + Delete Confirmation Kustutamise kinnitus - + Delete %s theme? Kas kustutada kujundus %s? - + Validation Error Valideerimise viga - + A theme with this name already exists. Sellenimeline teema on juba olemas. - - Copy of %s - Copy of <theme name> - %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 - Kujunduse eksportimine nurjus, kuna esines järgmine viga: %s - - - + OpenLP Themes (*.otz) OpenLP kujundused (*.otz) - - %s time(s) by %s - %s kord(a) pluginas %s - - - + Unable to delete theme Kujundust pole võimalik kustutada + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Teema on praegu kasutusel - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Kujunduse nõustaja - + Welcome to the Theme Wizard Tere tulemast kujunduse nõustajasse - + Set Up Background Tausta määramine - + Set up your theme's background according to the parameters below. Määra kujunduse taust, kasutades järgnevaid parameetreid. - + Background type: Tausta liik: - + Gradient Üleminek - + Gradient: Üleminek: - + Horizontal Horisontaalne - + Vertical Vertikaalne - + Circular Radiaalne - + Top Left - Bottom Right Loodest kagusse - + Bottom Left - Top Right Edelast kirdesse - + Main Area Font Details Peamise teksti üksikasjad - + Define the font and display characteristics for the Display text Määra font ja teised teksti omadused - + Font: Font: - + Size: Suurus: - + Line Spacing: Reavahe: - + &Outline: &Kontuurjoon: - + &Shadow: &Vari: - + Bold Rasvane - + Italic Kaldkiri - + Footer Area Font Details Jaluse fondi üksikasjad - + Define the font and display characteristics for the Footer text Määra jaluse font ja muud omadused - + Text Formatting Details Teksti vorminduse üksikasjad - + Allows additional display formatting information to be defined Võimaldab määrata lisavorminduse andmeid - + Horizontal Align: Rõhtjoondus: - + Left Vasakul - + Right Paremal - + Center Keskel - + Output Area Locations Väljundala asukoht - + &Main Area &Peamine ala - + &Use default location &Vaikimisi asukoha kasutamine - + X position: X-asukoht: - + px px - + Y position: Y-asukoht: - + Width: Laius: - + Height: Kõrgus: - + Use default location Vaikimisi asukoha kasutamine - + Theme name: Kujunduse nimi: - - Edit Theme - %s - Teema muutmine - %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. See nõustaja aitab kujundusi luua ja muuta. Klõpsa edasi nupul, et alustada tausta määramisest. - + Transitions: Üleminekud: - + &Footer Area &Jaluse ala - + Starting color: Algusvärvus: - + Ending color: Lõppvärvus: - + Background color: Tausta värvus: - + Justify Rööpjoondus - + Layout Preview Kujunduse eelvaade - + Transparent Läbipaistev - + Preview and Save Eelvaatle ja salvesta - + Preview the theme and save it. Kujunduse eelvaade ja salvestamine. - + Background Image Empty Taustapilt on tühi - + Select Image Pildi valimine - + Theme Name Missing Kujunduse nimi puudub - + There is no name for this theme. Please enter one. Sellel kujundusel pole nime. Palun sisesta nimi. - + Theme Name Invalid Kujunduse nimi pole sobiv. - + Invalid theme name. Please enter one. Kujunduse nimi ei sobi. Palun sisesta uus nimi. - + 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. - + You have not selected a background image. Please select one before continuing. Sa pole valinud taustapilti. Palun vali enne jätkamist taustapilt. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6877,73 +6887,73 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. &Vertikaaljoondus: - + Finished import. Importimine lõpetatud. - + Format: Vorming: - + Importing Importimine - + Importing "%s"... "%s" importimine... - + Select Import Source Importimise allika valimine - + Select the import format and the location to import from. Vali importimise vorming ja asukoht, kust importida. - + Open %s File %s faili avamine - + %p% %p% - + Ready. Valmis. - + Starting import... Importimise alustamine... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Pead määrama vähemalt ühe %s faili, millest importida. - + Welcome to the Bible Import Wizard Tere tulemast Piibli importimise nõustajasse - + Welcome to the Song Export Wizard Tere tulemast laulude eksportimise nõustajasse - + Welcome to the Song Import Wizard Tere tulemast laulude importimise nõustajasse @@ -6961,7 +6971,7 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. - © + © Copyright symbol. © @@ -6993,39 +7003,34 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. XML süntaksi viga - - Welcome to the Bible Upgrade Wizard - Tere tulemast Piibli uuendamise nõustajasse - - - + Open %s Folder Ava %s kaust - + You need to specify one %s file to import from. A file type e.g. OpenSong Pead valim ühe %s faili, millest importida. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Pead valima ühe %s kausta, millest importida. - + Importing Songs Laulude importimine - + Welcome to the Duplicate Song Removal Wizard Tere tulemast duplikaatlaulude eemaldamise nõustajasse - + Written by Autor @@ -7035,543 +7040,598 @@ Need failid eemaldatakse, kui sa otsustad siiski salvestada. Autor teadmata - + About Rakendusest - + &Add &Lisa - + Add group Lisa grupp - + Advanced Täpsem - + All Files Kõik failid - + Automatic Automaatne - + Background Color Taustavärv - + Bottom All - + Browse... Lehitse... - + Cancel Loobu - + CCLI number: CCLI number: - + Create a new service. Uue teenistuse loomine. - + Confirm Delete Kustutamise kinnitus - + Continuous Jätkuv - + Default Vaikimisi - + Default Color: Vaikimisi värvus: - + 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. Teenistus %Y-%m-%d %H-%M - + &Delete &Kustuta - + Display style: Kuvalaad: - + Duplicate Error Korduse viga - + &Edit &Muuda - + Empty Field Tühi väli - + Error Viga - + Export Ekspordi - + File Fail - + File Not Found Faili ei leitud - - File %s not found. -Please try selecting it individually. - Faili %s ei leitud. -Palun vali see eraldi. - - - + pt Abbreviated font pointsize unit pt - + Help Abi - + h The abbreviated unit for hours t - + Invalid Folder Selected Singular Valiti sobimatu kataloog - + Invalid File Selected Singular Valiti sobimatu fail - + Invalid Files Selected Plural Valiti sobimatud failid - + Image Pilt - + Import Impordi - + Layout style: Paigutuse laad: - + Live Ekraan - + Live Background Error Ekraani tausta viga - + Live Toolbar Ekraani tööriistariba - + Load Laadi - + Manufacturer Singular Tootja - + Manufacturers Plural Tootjad - + Model Singular Mudel - + Models Plural Mudelid - + m The abbreviated unit for minutes m - + Middle Keskel - + New Uus - + New Service Uus teenistus - + New Theme Uus kujundus - + Next Track Järgmine pala - + No Folder Selected Singular Ühtegi kasuta pole valitud - + No File Selected Singular Ühtegi faili pole valitud - + No Files Selected Plural Ühtegi faili pole valitud - + No Item Selected Singular Ühtegi elementi pole valitud - + No Items Selected Plural Ühtegi elementi pole valitud - + OpenLP is already running. Do you wish to continue? OpenLP juba töötab. Kas tahad jätkata? - + Open service. Teenistuse avamine. - + Play Slides in Loop Slaide korratakse - + Play Slides to End Slaide näidatakse üks kord - + Preview 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: - + Preview Toolbar Tööriistariba eelvaade - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + Tausta värvus: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Ühtegi Piiblit pole saadaval + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Salm + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Otsing ei andnud tulemusi + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s ja %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, ja %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7651,47 +7711,47 @@ Palun vali see eraldi. Esitluseks kasutatakse: - + File Exists Fail on olemas - + A presentation with that filename already exists. Sellise nimega esitluse fail on juba olemas. - + This type of presentation is not supported. Seda liiki esitlus ei ole toetatud. - - Presentations (%s) - Esitlused (%s) - - - + Missing Presentation Puuduv esitlus - - The presentation %s is incomplete, please reload. - Esitlus %s pole täielik, palun laadi uuesti. + + Presentations ({text}) + - - The presentation %s no longer exists. - Esitlust %s pole enam olemas. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + PresentationPlugin.PowerpointDocument - - An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - Powerpointi integratsioonil esines viga ja esitlus jääb pooleli. Alusta esitlust uuesti, kui sa siiski tahad seda näidata. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7701,11 +7761,6 @@ Palun vali see eraldi. Available Controllers Saadaolevad juhtijad - - - %s (unavailable) - %s (pole saadaval) - Allow presentation application to be overridden @@ -7722,12 +7777,12 @@ Palun vali see eraldi. Kasutatakse järgmist mudraw'i või ghostscript'i binaarfaili täielikku asukohta: - + Select mudraw or ghostscript binary. Vali mudraw'i või ghostscript'i binaarfail. - + The program is not ghostscript or mudraw which is required. See fail peab olema ghostscript'i või mudraw'i vormingus, aga pole. @@ -7738,13 +7793,19 @@ Palun vali see eraldi. - Clicking on a selected slide in the slidecontroller advances to next effect. - Valitud slaidi klõpsamine slaidivahetajas sooritab järgmise sammu. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - PowerPointil lubatakse juhtida esitlusakne asukohta ja suurust (trikk Windows 8 skaleerimisprobleemi jaoks). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7786,127 +7847,127 @@ 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 - + Remote Kaugjuhtimine - + Stage View Lavavaade - + Live View Ekraan @@ -7914,79 +7975,140 @@ Palun vali see eraldi. RemotePlugin.RemoteTab - + Serve on IP address: Serveeritakse ainult IP-aadressilt: - + Port number: Pordi number: - + Server Settings Serveri sätted - + Remote URL: Kaugjuhtimise URL: - + Stage view URL: Lavavaate URL: - + Display stage time in 12h format Laval kuvatakse aega 12-tunni vormingus - + Android App Androidi rakendus - + Live view URL: Ekraanivaate UR: - + 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. SSL sertifikaati ei leitud. HTTPS server ei ole saadaval kui SSL sertifikaati ei leita. Loe selle kohta käsiraamatust. - + User Authentication Kasutaja autentimine - + User id: Kasutaja ID: - + Password: Parool: - + Show thumbnails of non-text slides in remote and stage view. Mitte-teksti slaididest näidatakse kaug- ja lavavaates pisipilte. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Skanni QR koodi või klõpsa Androidi rakenduse <a href="%s">allalaadimiseks</a> Google Playst. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Sihtkohta pole valitud + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Raporti koostamine + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8027,50 +8149,50 @@ Palun vali see eraldi. 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 @@ -8138,24 +8260,10 @@ Kõik kuni selle kuupäevani salvestatud andmed kustutatakse pöördumatult.Väljundfaili asukoht - - usage_detail_%s_%s.txt - laulukasutuse_andmed_%s_%s.txt - - - + Report Creation Raporti koostamine - - - Report -%s -has been successfully created. - Raport -%s -on edukalt loodud. - Output Path Not Selected @@ -8169,14 +8277,26 @@ Please select an existing path on your computer. Palun vali mõni sinu arvutis asuv olemasolev kaust. - + Report Creation Failed Raporti koostamine nurjus - - An error occurred while creating the report: %s - Raporti koostamisel esines viga: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8192,102 +8312,102 @@ Palun vali mõni sinu arvutis asuv olemasolev kaust. 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... - + Arabic (CP-1256) Araabia (CP-1256) - + Baltic (CP-1257) Balti (CP-1257) - + Central European (CP-1250) Kesk-Euroopa (CP-1250) - + Cyrillic (CP-1251) Kirillitsa (CP-1251) - + Greek (CP-1253) Kreeka (CP-1253) - + Hebrew (CP-1255) Heebrea (CP-1255) - + Japanese (CP-932) Jaapani (CP-932) - + Korean (CP-949) Korea (CP-949) - + Simplified Chinese (CP-936) Lihtsustatud Hiina (CP-936) - + Thai (CP-874) Tai (CP-874) - + Traditional Chinese (CP-950) Tradistiooniline Hiina (CP-950) - + Turkish (CP-1254) Türgi (CP-1254) - + Vietnam (CP-1258) Vietnami (CP-1258) - + Western European (CP-1252) Lääne-Euroopa (CP-1252) - + Character Encoding Märgikodeering - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8295,26 +8415,26 @@ Usually you are fine with the preselected choice. Tavaliselt on vaikimisi valik õige. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Palun vali märgikodeering. Kodeering on vajalik märkide õige esitamise jaoks. - + Song name singular Laul - + Songs name plural Laulud - + Songs container title Laulud @@ -8325,37 +8445,37 @@ Kodeering on vajalik märkide õige esitamise jaoks. 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 @@ -8370,15 +8490,30 @@ Kodeering on vajalik märkide õige esitamise jaoks. 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. + + + Songs + Laulud + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8464,62 +8599,67 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Haldab %s - - - - "%s" could not be imported. %s - "%s" pole võimalik importida. %s - - - + Unexpected data formatting. Ootamatu andmevorming. - + No song text found. Lauluteksti ei leitud. - + [above are Song Tags with notes imported from EasyWorship] [ülemised laulusildid on koos märkustega imporditud EasyWorshipist] - + This file does not exist. Faili pole olemas. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. "Songs.MB" faili ei leitud. See peaks olema "Songs.DB" failiga samas kaustas. - + This file is not a valid EasyWorship database. See fail ei ole sobiv EasyWorship andmebaas. - + Could not retrieve encoding. Kodeeringut pole võimalik hankida. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Metaandmed - + Custom Book Names Kohandatud raamatunimed @@ -8602,57 +8742,57 @@ Kodeering on vajalik märkide õige esitamise jaoks. Kujundus, autoriõigus && kommentaarid - + Add Author Autori lisamine - + This author does not exist, do you want to add them? Seda autorit veel pole, kas tahad autori lisada? - + This author is already in the list. See autor juba on loendis. - + 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. Sa ei ole valinud ühtegi sobilikku autorit. Vali autor loendist või sisesta uue autori nimi ja klõpsa uue nupul "Lisa laulule autor". - + Add Topic Teema lisamine - + This topic does not exist, do you want to add it? Sellist teemat pole. Kas tahad selle lisada? - + This topic is already in the list. See teema juba on loendis. - + 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. Sa pole valinud sobivat teemat. Vali teema kas loendist või sisesta uus teema ja selle lisamiseks klõpsa nupule "Lisa laulule teema". - + You need to type in a song title. Pead sisestama laulu pealkirja. - + You need to type in at least one verse. Pead sisestama vähemalt ühe salmi. - + You need to have an author for this song. Pead lisama sellele laulule autori. @@ -8677,7 +8817,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. Eemalda &kõik - + Open File(s) Failide avamine @@ -8692,14 +8832,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. <strong>Hoiatus:</strong> sa pole sisestanud salmide järjekorda. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Pole salmi, mis vastaks "%(invalid)s". Sobivad kanded on %(valid)s. -Palun eralda salmid tühikutega. - - - + Invalid Verse Order Sobimatu salmijärjekord @@ -8709,82 +8842,101 @@ Palun eralda salmid tühikutega. &Muuda autori liiki - + Edit Author Type Autori liigi muutmine - + Choose type for this author Vali selle autori liik - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Pole salme, mis vastaksid "%(invalid)s". Sobivad kanded on %(valid)s. -Palun eralda salmid tühikutega. - &Manage Authors, Topics, Songbooks - + Add &to Song - + Re&move - + Authors, Topics && Songbooks - + - + Add Songbook - + - + This Songbook does not exist, do you want to add it? - + - + This Songbook is already in the list. - + - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse Salmi muutmine - + &Verse type: &Salmi liik: - + &Insert &Sisesta - + Split a slide into two by inserting a verse splitter. Slaidi tükeldamine slaidipoolitajaga. @@ -8797,77 +8949,77 @@ Palun eralda salmid tühikutega. Laulude eksportimise nõustaja - + Select Songs Laulude valimine - + Check the songs you want to export. Vali laulud, mida tahad eksportida. - + Uncheck All Eemalda märgistus - + Check All Märgi kõik - + Select Directory Kataloogi valimine - + Directory: Kataloog: - + Exporting Eksportimine - + Please wait while your songs are exported. Palun oota, kuni kõik laulud on eksporditud. - + You need to add at least one Song to export. Pead lisama vähemalt ühe laulu, mida tahad eksportida. - + No Save Location specified Salvestamise asukohta pole määratud - + Starting export... Eksportimise alustamine... - + You need to specify a directory. Pead määrama kataloogi. - + Select Destination Folder Sihtkausta valimine - + Select the directory where you want the songs to be saved. Vali kataloog, kuhu tahad laulu salvestada. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. See nõustaja aitab laule eksportida avatud ja vabas <strong>OpenLyricsi</strong> ülistuslaulude vormingus. @@ -8875,7 +9027,7 @@ Palun eralda salmid tühikutega. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Vigane Foilpresenteri laulufail. Salme ei leitud. @@ -8883,7 +9035,7 @@ Palun eralda salmid tühikutega. SongsPlugin.GeneralTab - + Enable search as you type Otsing sisestamise ajal @@ -8891,7 +9043,7 @@ Palun eralda salmid tühikutega. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Dokumentide/esitluste valimine @@ -8901,237 +9053,252 @@ Palun eralda salmid tühikutega. Laulude importimise nõustaja - + 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. See nõustaja aitab importida paljudes erinevates vormingutes laule. Klõpsa all asuvat edasi nuppu, et jätkata importimise vormingu valimisega. - + Generic Document/Presentation Tavaline dokument/esitlus - + Add Files... Lisa faile... - + Remove File(s) Faili(de) eemaldamine - + Please wait while your songs are imported. Palun oota, kuni laule imporditakse. - + Words Of Worship Song Files Words Of Worship Song failid - + Songs Of Fellowship Song Files Songs Of Fellowship laulufailid - + SongBeamer Files SongBeameri laulufailid - + SongShow Plus Song Files SongShow Plus laulufailid - + Foilpresenter Song Files Foilpresenteri laulufailid - + Copy Kopeeri - + Save to File Salvesta faili - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Songs of Fellowship importija on keelatud, kuna OpenLP-l puudub ligiäpääs OpenOffice'le või LibreOffice'le. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Tavalise dokumendi/esitluse importija on keelatud, kuna OpenLP-l puudub ligipääs OpenOffice'le või LibreOffice'le. - + OpenLyrics Files OpenLyrics failid - + CCLI SongSelect Files CCLI SongSelecti failid - + EasySlides XML File EasySlides XML fail - + EasyWorship Song Database EasyWorship laulude andmebaas - + DreamBeam Song Files DreamBeam'i laulufailid - + You need to specify a valid PowerSong 1.0 database folder. Pead valima õige PowerSong 1.0 andmebaasi kataloogi. - + 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>. Kõigepealt teisenda oma ZionWorx andmebaas CSV tekstifailiks, vastavalt juhendile <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">kasutaja käsiraamatus</a>. - + SundayPlus Song Files SundayPlus'i laulufailid - + This importer has been disabled. Importija on keelatud. - + MediaShout Database MediaShout andmebaas - + 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 importija töötab ainult Windowsi platvormil. See on keelatud puuduva Pythoni mooduli pärast. Selle importija kasutamiseks pead paigaldama "pyodbc" mooduli. - + SongPro Text Files SongPro tekstifailid - + SongPro (Export File) SongPro (eksportfail) - + In SongPro, export your songs using the File -> Export menu Ekspordi oma laulud SongPro menüüst kasutades File -> Export. - + EasyWorship Service File EasyWorship teenistuse fail - + WorshipCenter Pro Song Files WorshipCenter Pro laulufailid - + 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 importija on toetatud ainult Windowsis. See on keelatud, kuna vajalik Pythoni moodul puudub. Kui tahad seda importijat kasutada, paigalda "pyodbc" moodul. - + PowerPraise Song Files PowerPraise laulufailid - + 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. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics või OpenLP 2.0-st eksporditud laul - + OpenLP 2 Databases OpenLP 2.0 andmebaasid - + LyriX Files LyriX failid - + LyriX (Exported TXT-files) LyriX (eksporditud tekstifailid) - + VideoPsalm Files VideoPsalmi failid - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - VideoPsalmi laulikud asuvad tavaliselt kaustas %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Viga: %s + File {name} + + + + + Error: {error} + @@ -9150,79 +9317,117 @@ Palun eralda salmid tühikutega. SongsPlugin.MediaItem - + Titles Pealkirjad - + Lyrics Laulusõnad - + CCLI License: CCLI litsents: - + Entire Song Kogu laulust - + Maintain the lists of authors, topics and books. Autorite, teemade ja laulikute loendi haldamine. - + copy For song cloning koopia - + Search Titles... Pealkirjade otsing... - + Search Entire Song... Otsing kogu laulust... - + Search Lyrics... Laulusõnade otsing... - + Search Authors... Autorite otsing... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + - - Search Songbooks... - + + Search Topics... + + + + + Copyright + Autoriõigused + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. MediaShout andmebaasi ei suudetud avada. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. See pole korrektne OpenLP 2 laulude andmebaas. @@ -9230,9 +9435,9 @@ Palun eralda salmid tühikutega. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - "%s" eksportimine... + + Exporting "{title}"... + @@ -9251,29 +9456,37 @@ Palun eralda salmid tühikutega. Pole laule, mida importida. - + Verses not found. Missing "PART" header. Salme ei leitud. "PART" päis puudub. - No %s files found. - Ühtegi %s faili ei leitud. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Sobimatu %s fail. Ootamatu väärtusega bait. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Sobimatu %s fail. Puudub "TITLE" päis. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Sobimatu %s fail. Puudub "COPYRIGHTLINE" päis. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9296,25 +9509,25 @@ Palun eralda salmid tühikutega. Songbook Maintenance - + 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 + + Your song export failed because this error occurred: {error} + @@ -9330,17 +9543,17 @@ Palun eralda salmid tühikutega. Järgnevaid laule polnud võimalik importida: - + Cannot access OpenOffice or LibreOffice Puudub ligipääs OpenOffice'le või LibreOffice'le - + Unable to open file Faili avamine ei õnnestunud - + File not found Faili ei leitud @@ -9348,109 +9561,109 @@ Palun eralda salmid tühikutega. SongsPlugin.SongMaintenanceForm - + Could not add your author. Autori lisamine pole võimalik. - + This author already exists. See autor on juba olemas. - + Could not add your topic. Sinu teema lisamine pole võimalik. - + This topic already exists. Teema on juba olemas. - + Could not add your book. Lauliku lisamine pole võimalik. - + This book already exists. See laulik on juba olemas. - + Could not save your changes. Muudatuste salvestamine pole võimalik. - + Could not save your modified author, because the author already exists. Sinu muudetud autorit pole võimalik salvestada, kuna autor on juba olemas. - + Could not save your modified topic, because it already exists. Sinu muudetud teemat pole võimalik salvestada, kuna selline on juba olemas. - + Delete Author Autori kustutamine - + Are you sure you want to delete the selected author? Kas oled kindel, et tahad kustutada valitud autori? - + This author cannot be deleted, they are currently assigned to at least one song. Seda autorit pole võimalik kustutada, kuna ta on märgitud vähemalt ühe laulu autoriks. - + Delete Topic Teema kustutamine - + Are you sure you want to delete the selected topic? Kas oled kindel, et tahad valitud teema kustutada? - + This topic cannot be deleted, it is currently assigned to at least one song. Seda teemat pole võimalik kustutada, kuna see on märgib vähemalt ühte laulu. - + Delete Book Lauliku kustutamine - + Are you sure you want to delete the selected book? Kas oled kindel, et tahad valitud lauliku kustutada? - + This book cannot be deleted, it is currently assigned to at least one song. Seda laulikut pole võimalik kustutada, kuna vähemalt üks laul kuulub sellesse laulikusse. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Autor %s on juba olemas. Kas sa tahad, et laulud autoriga %s liidetaks olemasolevale autorile %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Teema %s on juba olemas. Kas sa tahad, et laulud teemaga %s kasutaksid olemasolevat teemat %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Laulik %s on juba olemas. Kas sa tahad, et lauliku %s laulud liidetaks olemasoleva laulikuga %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9496,52 +9709,47 @@ Palun eralda salmid tühikutega. Otsi - - Found %s song(s) - Leiti %s laul(u) - - - + Logout Logi välja - + View Vaade - + Title: Pealkiri: - + Author(s): Autor(id): - + Copyright: Autoriõigus: - + CCLI Number: CCLI number: - + Lyrics: Laulusõnad: - + Back Tagasi - + Import Impordi @@ -9581,7 +9789,7 @@ Palun eralda salmid tühikutega. Sisselogimisel esines viga, võib-olla on kasutajanimi või parool valed? - + Song Imported Laul imporditud @@ -9596,14 +9804,19 @@ Palun eralda salmid tühikutega. Laulust puudub osa andmeid, näiteks sõnad, seda ei saa importida. - + Your song has been imported, would you like to import more songs? Sinu laul imporditi. Kas tahad veel laule importida? Stop - + + + + + Found {count:d} song(s) + @@ -9613,30 +9826,30 @@ Palun eralda salmid tühikutega. Songs Mode Laulurežiim - - - Display verses on live tool bar - Salme kuvatakse ekraani tööriistaribal - Update service from song edit Teenistuse uuendamine laulu muutmisel - - - Import missing songs from service files - Teenistuse failidest imporditakse puuduvad laulud - Display songbook in footer Jaluses kuvatakse lauliku infot + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Enne autoriõiguste infot "%s" märgi kuvamine + Display "{symbol}" symbol before copyright info + @@ -9660,37 +9873,37 @@ Palun eralda salmid tühikutega. SongsPlugin.VerseType - + Verse Salm - + Chorus Refrään - + Bridge Vahemäng - + Pre-Chorus Eelrefrään - + Intro Sissejuhatus - + Ending Lõpetus - + Other Muu @@ -9698,22 +9911,22 @@ Palun eralda salmid tühikutega. SongsPlugin.VideoPsalmImport - - Error: %s - Viga: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Vigane Words of Worship laulufail. Puudu on "%s" päis. + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Vigane Words of Worship laulufail. Puudu on "%s" sõne. + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9724,30 +9937,30 @@ Palun eralda salmid tühikutega. Viga CSV faili lugemisel. - - Line %d: %s - Rida %d: %s - - - - Decoding error: %s - Viga dekodeerimisel: %s - - - + File not valid WorshipAssistant CSV format. Fail pole korrektses WorshipAssistant CSV vormingus. - - Record %d - Kirje %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. WorshipCenter Pro andmebaasiga pole võimalik ühenduda. @@ -9760,25 +9973,30 @@ Palun eralda salmid tühikutega. Viga CSV faili lugemisel. - + File not valid ZionWorx CSV format. Fail ei ole korrektses ZionWorx CSV vormingus. - - Line %d: %s - Rida %d: %s - - - - Decoding error: %s - Viga dekodeerimisel: %s - - - + Record %d Kirje %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9788,39 +10006,960 @@ Palun eralda salmid tühikutega. Nõustaja - + 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. See nõustaja aitab sul eemaldada topeltlaulud lauluandmebaasist. Sa saad üle vaadata kõik võimalikud topeltlaulud enne nende kustutamist. Seega ühtegi laulu ei kustutata ilma sinu selgesõnalise kinnituseta. - + Searching for duplicate songs. Topeltlaulude otsimine - + Please wait while your songs database is analyzed. Palun oota, kuni laulude andmebaasi analüüsitakse - + 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) - - - + Information Andmed - + No duplicate songs have been found in the database. Andmebaasist ei leitud ühtegi dubleerivat laulu. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Estonian + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/fi.ts b/resources/i18n/fi.ts index 7c70d0ecb..35539807b 100644 --- a/resources/i18n/fi.ts +++ b/resources/i18n/fi.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -72,7 +73,7 @@ näyttämisen esityksen aikana. New Alert - Uusi huomioviestijavascript:; + Uusi huomioviesti @@ -98,7 +99,7 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Viestissä ei ole <> muuttujaa. Haluatko jatkaa siitä huolimatta? @@ -112,7 +113,7 @@ Näytetään: Auto ABC-123 tukkii pelastustien. - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Tyhjää pohjaa ei voida luoda, viesti ei voi olla tyhjä. @@ -132,32 +133,27 @@ on kirjoitettava "Viesti" kenttään tekstiä. AlertsPlugin.AlertsTab - + Font Fontti - + Font name: Fontin nimi: - + Font color: Fontin väri: - - Background color: - Taustan väri: - - - + Font size: Fontin koko: - + Alert timeout: Huomioviestin kesto: @@ -165,92 +161,82 @@ on kirjoitettava "Viesti" kenttään tekstiä. BiblesPlugin - + &Bible &Raamattu - + Bible name singular Raamatut - + 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. Vastaavaa kirjaa ei löytynyt käännöksestä. Ole hyvä ja tarkista 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 Raamatunpaikkaa. - + Send the selected Bible live. Lähetä valittu paikka Esitykseen. - + Add the selected Bible to the service. Lisää valittu Raamatunpaikka Listaan. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Raamatut</strong><br/><br/> Tämän moduulin avulla voidaan näyttää Raamatuntekstejä eri lähteistä. - - - &Upgrade older Bibles - &Päivitä vanhempia Raamattuja - - - - Upgrade the Bible databases to the latest format. - Päivitä Raamattutietokannat uusimpaan tiedostomuotoon. - Genesis @@ -756,164 +742,130 @@ Ole hyvä ja kirjoita tekijänoikeuskenttään jotakin. Raamattu on jo olemassa. Ole hyvä ja tuo jokin toinen Raamattu tai poista ensin nykyinen versio. - - You need to specify a book name for "%s". - Sinun pitää määritellä kirjan nimi "%s":lle. - - - - 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. - Kirjan nimi "%s" ei ole kelvollinen. -Numeroita voi käyttää ainoastaan alussa ja sitä täytyy -seuraata ainakin yksi tai useampia ei-numeerisia merkkejä. - - - + Duplicate Book Name Päällekkäinen kirjan nimi - - The Book Name "%s" has been entered more than once. - Kirjan nimi "%s" on syötetty enemmän kuin kerran. + + You need to specify a book name for "{text}". + Ole hyvä ja nimeä tämä kirja: "{text}". + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Kirjan nimi "{name}" ei ole kelvollinen. +Numeroita voidaan käyttää ainoastaan alussa +ja niiden jälkeen täytyy tulla kirjaimia. + + + + The Book Name "{name}" has been entered more than once. + Kirjan nimi "{name}" on syötetty useamman kerran. + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Virhe jaeviitteessä - - Web Bible cannot be used - Nettiraamattua ei voi käyttää + + Web Bible cannot be used in Text Search + Nettiraamatuissa voidaan käyttää vain jaeviitehakua - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Jaeviitteet voivat noudattaa seuraavia malleja: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Kirja luku | 1. Moos 1 -Kirja luku%(range)sluku | Kor 2%(range)s3 -Kirja luku%(verse)sjae%(range)sjae | Joos 5%(verse)s3%(range)s6 -Kirja luku%(verse)sjae%(range)sjae%(list)sjae%(range)sjae | Ps 5%(verse)s3-5%(list)s9%(range)s11 -Kirja luku%(verse)sjae%(range)sjae%(list)sluku%(verse)sjae%(range)sjae | Joh 1%(verse)s5%(range)s7%(list)s3%(verse)s16%(range)s17 -Kirja luku%(verse)sjae%(range)sluku%(verse)sjae | Apos 8%(verse)s16%(range)s9%(verse)s2 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Hakusanoilla etsiminen ei ole mahdollista nettiraamatuissa. +Ole hyvä ja käytä Jaeviitehakua. -Kirjoista voi käyttää lyhenteitä, mutta ne seuraavat -kirjojen pitkiä nimiä eivätkä saa päätyä pisteisiin. +Tämä tarkoittaa sitä, että käytetty Raamatunkäännös tai +vertailukäännös on asennettu nettiraamattuna. + +Jos yritit suorittaa jaeviitehakua yhdistetyssä hakutilassa, +on jaeviitteesi virheellinen. + + + + Nothing found + Ei hakutuloksia BiblesPlugin.BiblesTab - + Verse Display Jakeiden näyttäminen - + Only show new chapter numbers Näytä luvun numero vain ensimmäisessä jakeessa - + Bible theme: Käytettävä teema: - + No Brackets Ei sulkuja - + ( And ) ( ja ) - + { And } { ja } - + [ And ] [ ja ] - - Note: -Changes do not affect verses already in the service. - -Huomio: Muutokset eivät vaikuta Listassa oleviin kohteisiin. - - - + Display second Bible verses Näytä vertailutekstin valinnan kenttä - + Custom Scripture References Mukautetut jaeviitteet - - Verse Separator: - Jakeen erotinmerkki: - - - - Range Separator: - Alueen erotinmerkki: - - - - List Separator: - Luettelon erotinmerkki: - - - - End Mark: - Loppumerkki: - - - + 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. @@ -922,37 +874,83 @@ Ne pitää erottaa pystyviivalla "|". Käyttääksesi oletusarvoja tyhjennä tämä kenttä. - + English Suomi - + Default Bible Language Kirjojen nimien kieli - + Book name language in search field, search results and on display: Kirjan nimen kieli hakukentässä, hakutuloksissa ja näytöllä. - + Bible Language Raamatun kieli - + Application Language Sovelluksen kieli - + Show verse numbers Näytä luku ja jae numerot + + + Note: Changes do not affect verses in the Service + Huom: Muutokset eivät vaikuta Listassa oleviin jakeisiin. + + + + Verse separator: + Jakeen erotinmerkki: + + + + Range separator: + Alueen erotinmerkki: + + + + List separator: + Luettelon erotinmerkki: + + + + End mark: + Loppumerkki: + + + + Quick Search Settings + Haun asetukset + + + + Reset search type to "Text or Scripture Reference" on startup + Palauta käynnistäessä haun tyypiksi "Teksti tai Jaeviite" + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Älä näytä ilmoitusta, jos "Teksti tai Jaeviite" haussa ei löydetä mitään. + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Hae jo kirjoittaessa (Hakusanoilla etsittäessä minimipituus on {count} merkkiä ja haussa pitää käyttää myös välilyöntiä.) + BiblesPlugin.BookNameDialog @@ -1009,70 +1007,71 @@ listasta vastaava suomenkielinen käännös BiblesPlugin.CSVBible - - Importing books... %s - Tuodaan kirjoja... %s + + Importing books... {book} + Tuodaan kirjaa: {book} - - Importing verses... done. - Tuodaan jakeita... valmis. + + Importing verses from {book}... + Importing verses from <book name>... + Tuodaan jakeita {book}... BiblesPlugin.EditBibleForm - + Bible Editor Raamatun muokkaaminen - + License Details Nimi ja tekijänoikeudet - + Version name: Käännöksen nimi: - + Copyright: Tekijäinoikeudet: - + Permissions: Luvat: - + Default Bible Language Kirjojen nimien kieli - + Book name language in search field, search results and on display: Kieli, jota käytetään Raamatun kirjoissa niin haussa kuin Esityksessäkin. - + Global Settings Yleiset asetukset - + Bible Language Raamatun kieli - + Application Language Sovelluksen kieli - + English Suomi @@ -1094,226 +1093,262 @@ tarkista ”Asetukset > Raamatut” sivulta, ettei Raamattujen kieleksi ole v BiblesPlugin.HTTPBible - + Registering Bible and loading books... Rekisteröidään Raamattua ja ladataan kirjoja... - + Registering Language... Rekisteröidään kieli... - - Importing %s... - Importing <book name>... - Tuodaan %s... - - - + Download Error Latauksen aikana tapahtui virhe - + 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. + + + Importing {book}... + Importing <book name>... + Tuodaan {book}... + 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. <font size="4">Tämä toiminto auttaa sinua lisäämään ohjelmaan <br> raamatunkäännöksiä eri tiedostomuodoista. <br><br> Paina ”Seuraava” aloittaaksesi. </font> - + 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 (oma palvelin) - + License Details Nimi ja tekijänoikeudet - + 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 + Ole hyvä ja nimeä Raamattu. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Raamatun tekijänoikeus kenttä ei voi olla tyhjä! Ole hyvä ja kirjoita tekijänoikeuskenttään jotakin. - + Bible Exists Raamattu on jo 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. Jakeet ladataan käytettäessä verkon välityksellä, siksi tähän tarvitaan nettiyhteys. - + Click to download bible list Klikkaa ladataksesi luettelo 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. + + + Bibles: + Raamatut: + + + + SWORD data folder: + SWORD hakemisto: + + + + SWORD zip-file: + SWORD zip-tiedosto: + + + + Defaults to the standard SWORD data folder + Oletusarvo osoittaa normaaliin SWORD hakemistoon + + + + Import from folder + Tuo hakemistosta + + + + Import from Zip-file + Tuo Zip-tiedostosta + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Jotta voit tuoda SWORD muotoisia Raamattuja, on sinun asennettava pysword python moduuli. +Tähän löydät ohjeista apua englanniksi. + BiblesPlugin.LanguageDialog @@ -1344,302 +1379,163 @@ verkon välityksellä, siksi tähän tarvitaan nettiyhteys. BiblesPlugin.MediaItem - - Quick - Pikahaku - - - + Find: Etsi: - + Book: Kirja: - + Chapter: Luku: - + Verse: Jae: - + From: Alkaen: - + To: Asti: - + Text Search Hakusanoilla - + Second: Vertailuteksti: - + Scripture Reference Jaeviite - + Toggle to keep or clear the previous results. Vaihda valinta pitääksesi tai pyyhkiäksesi edelliset tulokset. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Et voi yhdistää yhden ja kahden käännöksen jaehakujen tuloksia. Haluatko poistaa hakutulokset ja aloittaa uuden haun? - + Bible not fully loaded. Raamattu ei latautunut kokonaan. - + Information Tietoa - - 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. - Toissijainen Raamattu ei sisällä kaikkia ensisijaisen käännöksen jakeita. Vain ne jakeet, jotka ovat kummassakin käännöksessä, voidaan näyttää. %d jaetta jätettiin pois hakutuloksista. - - - + Search Scripture Reference... Hae jaeviittauksin... - + Search Text... Hae hakusanoilla... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Etsi + + + + Select + Valitse + + + + Clear the search results. + Tyhjennä hakutulokset. + + + + Text or Reference + Teksti tai Jaeviite + + + + Text or Reference... + Hakusanoin tai Jaeviittein... + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Huomio! Haluatko varmasti poistaa "%s" Raamatun OpenLP:stä? + Haluatko varmasti poistaa Raamatun "{bible} OpenLP:stä? -Jos poistat Raamatun, et voi käyttää sitä ellet asenna sitä uudestaan. +Raamattu poistetaan pysyvästi ja sinun on tuotava se +uudestaan, jotta voit käyttää sitä jälleen. - - Advanced - Paikan valinta - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Virheellinen raamattu-tiedostotyyppi. OpenSong Raamatut saattavat olla pakattuja. Tiedosto pitää purkaa ennen tuontia. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - 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)... + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + Vertailuteksti ei sisällä kaikkia samoja jakeita kuin varsinainen käännös. +Vain molemmista löytyvät jakeet näytetään. + +Puuttuvien jakeiden määrä on: {count:d} 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)... + + Importing {book} {chapter}... + Tuodaan: {book} {chapter}... - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Valitse tiedostosijainti varmuuskopiolle + + Importing {name}... + Tuodaan: {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Ohjattu Raamatun päivitys - - - - 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. - <font size="4">Tämä toiminto auttaa sinua päivittämään nykyiset Raamattusi <br> -uudempaan OpenLP:n versioon. <br><br> -Paina ”Seuraava” aloittaaksesi. </font> - - - - Select Backup Directory - Valitse tiedostosijainti varmuuskopiolle - - - - Please select a backup directory for your Bibles - Valitse tiedostosijainti, jonne haluat varmuuskopioida Raamattusi - - - - 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>. - Raamattujen tiedostomuoto uudistui versiossa 2.1. <br> -Aiemmat OpenLP:n versiot eivät pysty avaamaan päivitettyjä<br> raamattutiedostoja. Vanhanmuotoiset Raamattusi varmuuskopioidaan<br> - ja voit halutessasi käyttää niitä sijoittamalla ne OpenLP:n vanhemman<br> -version tiedostokansioon.<br><br> - -Lisätietoja löydät englanniksi artikkelista: <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - - - - Please select a backup location for your Bibles. - Ole hyvä ja valitse sijainti varmuuskopioille. - - - - Backup Directory: - Varmuuskopion tiedostosijainti: - - - - There is no need to backup my Bibles - Raamatunkäännöksiä ei tarvitse varmuuskopioida - - - - Select Bibles - Valitse Raamatut - - - - Please select the Bibles to upgrade - Ole hyvä ja valitse Raamatut päivitettäväksi - - - - Upgrading - Päivitetään - - - - Please wait while your Bibles are upgraded. - Ole hyvä ja odota, kunnes Raamatut on päivitetty. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Varmuuskopiointi epäonnistui. -OpenLP:llä ei ole muokkausoikeutta annettuun tiedostosijaintiin. -Yritä tallentamista toiseen tiedostosijaintiin. - - - - Upgrading Bible %s of %s: "%s" -Failed - Päivitetään Raamattua %s/%s: "%s" -Epäonnistui - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Päivitetään Raamattua %s/%s: "%s" -Päivitetään ... - - - - Download Error - Latauksen aikana tapahtui virhe - - - - To upgrade your Web Bibles an Internet connection is required. - Nettiraamattujen päivittämiseksi tarvitaan internet-yhteys. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Päivitetään Raamattua %s/%s: "%s" -Päivitetään %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Päivitetään Raamattua %s/%s: "%s" -Valmis - - - - , %s failed - , %s epäonnistui - - - - Upgrading Bible(s): %s successful%s - Päivitetään Raamattuja: %s onnistui %s. - - - - Upgrade failed. - Päivitys epäonnistui. - - - - You need to specify a backup directory for your Bibles. - Anna tiedostosijainti Raamattujen varmuuskopioille. - - - - Starting upgrade... - Aloitetaan päivitys... - - - - There are no Bibles that need to be upgraded. - Raamattuihin ei ole uusia päivityksiä. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Raamattujen: %(success)d päivitys onnistui %(failed_text)s -Jakeet ladataan käytettäessä -verkon välityksellä, siksi tähän tarvitaan nettiyhteys. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + Tuntematon virhe keskeytti SWORD muotoisen Raamatun tuonnin, +ole hyvä ja ilmoita tästä OpenLP:n kehittäjille. +{error} 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. @@ -1647,9 +1543,9 @@ verkon välityksellä, siksi tähän tarvitaan nettiyhteys. BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Tuodaan %(bookname) %(chapter)... + + Importing {book} {chapter}... + Tuodaan: {book} {chapter}... @@ -1768,7 +1664,7 @@ tiettyjä tarkoituksia varten. Muokkaa kaikki dioja kerralla. - + Split a slide into two by inserting a slide splitter. Jaa dia kahteen osaan lisäämällä splitterin. @@ -1783,7 +1679,7 @@ tiettyjä tarkoituksia varten. &Lopputeksti: - + You need to type in a title. Dian ”Otsikko” ei voi olla tyhjä. @@ -1793,12 +1689,12 @@ tiettyjä tarkoituksia varten. Muokkaa &kaikkia - + Insert Slide Lisää dia - + You need to add at least one slide. Sinun pitää lisätä ainakin yksi dia. @@ -1806,7 +1702,7 @@ tiettyjä tarkoituksia varten. CustomPlugin.EditVerseForm - + Edit Slide Tekstidian muokkaus @@ -1814,10 +1710,10 @@ tiettyjä tarkoituksia varten. CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Haluatko varmasti poistaa valitut tekstidiat? -Valittuna poistettavaksi on: %d dia/diaa + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Haluatko varmasti poistaa valitut Tekstidiat? +"{items:d}" @@ -1852,11 +1748,6 @@ automaattisesti sekä asettaa taustakuvia. container title Kuvat - - - Load a new image. - Tuo kuvia - Add a new image. @@ -1887,6 +1778,16 @@ automaattisesti sekä asettaa taustakuvia. Add the selected image to the service. Lisää valittu kuva Listaan. + + + Add new image(s). + Lisää uusia kuvia. + + + + Add new image(s) + Lisää uusia kuvia + ImagePlugin.AddGroupForm @@ -1911,12 +1812,12 @@ automaattisesti sekä asettaa taustakuvia. 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. @@ -1952,7 +1853,7 @@ automaattisesti sekä asettaa taustakuvia. ImagePlugin.ExceptionDialog - + Select Attachment Valitse liite @@ -1960,39 +1861,22 @@ automaattisesti sekä asettaa taustakuvia. ImagePlugin.MediaItem - + Select Image(s) 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 siitä huolimatta lisätä muut valitut kuvat? - - - - 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äytön kohdetta ei ole. @@ -2002,25 +1886,43 @@ Haluatko siitä huolimatta lisätä muut valitut kuvat? -- Päätason ryhmä -- - + You must select an image or group to delete. Valitse kuva tai ryhmä poistoa varten. - + Remove group Ryhmän poistaminen - - Are you sure you want to remove "%s" and everything in it? - Oletko varma, että haluat poistaa "%s" ja kaikki sen tiedot? + + Are you sure you want to remove "{name}" and everything in it? + Haluatko varmasti poistaa "{name}" ja sen kaiken sisällön? + + + + The following image(s) no longer exist: {names} + Seuraavia kuvia ei enää ole olemassa: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + Seuraavia kuvia ei enää ole olemassa: {names} +Haluatko kuitenkin lisätä muut kuvat? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Taustakuvan korvaaminen ei onnistunut. +OpenLP ei löytänyt tätä tiedostoa: "{name}" ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Taustaväri kuville jotka eivät täytä koko näyttöä. @@ -2028,27 +1930,27 @@ Haluatko siitä huolimatta lisätä muut valitut kuvat? Media.player - + Audio Ääni - + 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. - + This media player uses your operating system to provide media capabilities. Tämä mediasoitin käyttää käyttöjärjestelmän resursseja median toistamiseen. @@ -2056,7 +1958,7 @@ Haluatko siitä huolimatta lisätä muut valitut kuvat? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media</strong><br/><br/> @@ -2065,55 +1967,55 @@ toistaa video ja äänitiedostoja.<br/><br/> Nämä vaativat toimiakseen mediasoittimen. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Tuo videoita tai äänitiedostoja. - + 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 Esitykseen. - + Add the selected media to the service. Lisää valittu media Listaan. @@ -2229,47 +2131,47 @@ Nämä vaativat toimiakseen mediasoittimen. VLC-soitin ei voi soittaa mediaa - + CD not loaded correctly CD:tä ei ladattu oikein - + The CD was not loaded correctly, please re-load and try again. CD:tä ei ladattu oikein, yritä avata se uudestaan. - + DVD not loaded correctly DVD:tä ei ladattu oikein - + The DVD was not loaded correctly, please re-load and try again. DVD:tä ei ladattu oikein, yritä avata se uudestaan. - + Set name of mediaclip Nimeäminen - + Name of mediaclip: Nimi toistoa varten: - + Enter a valid name or cancel Anna kelvollinen nimi tai peruuta - + Invalid character Virheellinen merkki - + The name of the mediaclip must not contain the character ":" Mediatiedoston nimessä ei voi käyttää kaksoispistettä ":" @@ -2277,92 +2179,102 @@ Nämä vaativat toimiakseen mediasoittimen. MediaPlugin.MediaItem - + Select Media 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. - Tätä tiedostoa ei enää löydetty sijainnista: -%s -Tiedosto on joko siirretty, poistettu tai uudelleennimetty. - - - - Videos (%s);;Audio (%s);;%s (*) - Videoita (%s);;Äänitiedostoja (%s);;%s (*) - - - + There was no display item to amend. Muutettavaa näytön kohdetta ei ole. - + Unsupported File Tiedostomuotoa ei tueta. - + Use Player: Käytä soitinta: - + VLC player required VLC-soitin vaaditaan - + VLC player required for playback of optical devices - VLC-soitin vaaditaan optisten medioiden soittamiseksi + VLC-mediaplayer tarvitaan levyjen toistoa varten - + Load CD/DVD Avaa CD/DVD. - - Load CD/DVD - only supported when VLC is installed and enabled - Levyjen toisto edellyttää koneeseen asennettua VLC:tä ja sen käyttöönottoa asetuksista. - - - - 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 + + + File %s not supported using player %s + Tiedostoa %s ei pysty toistamaan seuraavalla mediasoittimella: +%s + + + + Unsupported Media File + OpenLP ei pysty toistamaan tätä tiedostomuotoa + + + + CD/DVD playback is only supported if VLC is installed and enabled. + CD/DVD levyjen toistamiseen tarvitaan VLC mediasoitinta. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Taustan korvaaminen ei onnistunut. +OpenLP ei enää löytänyt tiedostoa: "{name}" + + + + The optical disc {name} is no longer available. + Levy {name} ei ole enää käytettävissä. + + + + The file {name} no longer exists. + Tiedostoa {name} ei enää ole olemassa. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Videoita ({video});;Äänitiedostoja ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2373,85 +2285,83 @@ Tiedosto on joko siirretty, poistettu tai uudelleennimetty. - Start Live items automatically - Aloita Esityksen kohteet automaattisesti - - - - OPenLP.MainWindow - - - &Projector Manager - &Projektorien hallinta + Start new Live media automatically + Aloita median toisto automaattisesti Esitykseen lähetettäessä OpenLP - + Image Files Kuvatiedostot - - Information - Tietoa - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Raamatun tiedostomuoto on muuttunut. -Sinun tarvitsee päivittää aiemmin asennetut Raamatut. -Pitäisikö OpenLP:n päivittää ne nyt? - - - + Backup - Varmuuskopinti + Varmuuskopiointi - - OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - OpenLP on päivitetty, haluatko varmuuskopioida -OpenLP:n vanhan tiedostokansion? - - - + Backup of the data folder failed! Tiedostokansion varmuuskopionti epäonnistui! - - A backup of the data folder has been created at %s - Tiedostokansio on varmuuskopioitu kansioon: %s - - - + Open Avaa + + + Video Files + Video tiedostot + + + + Data Directory Error + Tiedostokansion virhe + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Kiitokset - + License Lisenssi - - 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. Tämä on ilmainen sovellus, voit jakaa tai tehdä siihen muutoksia vapaasti seuraavaan @@ -2461,13 +2371,13 @@ GNU General Public License version 2 Free Software Foundation - + 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. Tätä ohjelmaa levitetään siinä toivossa, että se olisi hyödyllinen. Ohjelman toiminnalle ei anneta minkäänlaisia oikeudellisia takuita. - + 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. @@ -2492,175 +2402,157 @@ OpenLP on toteutettu täysin vapaaehtoisvoimin, jos haluat auttaa ohjelman kehi ottaa selvää eri tavoista olla mukana. (Sivusto Englanniksi.) - + Volunteer Haluan auttaa - + Project Lead Projektin johtaminen - + Developers Kehittäjät - + Contributors Avustajat - + Packagers Paketoijat - + Testers Testaajat - + Translators Kääntäjät - + Afrikaans (af) Afrikaans (af) - + Czech (cs) Tsekki (cs) - + Danish (da) Tanska (da) - + German (de) Saksa (de) - + Greek (el) Kreikka (el) - + English, United Kingdom (en_GB) Englanti, UK (en_GB) - + English, South Africa (en_ZA) Englanti, Etelä-Afrikka (en_ZA) - + Spanish (es) Espanja (es) - + Estonian (et) Viro (et) - + Finnish (fi) Suomi (fi) - + French (fr) Ranska (fr) - + Hungarian (hu) Unkari (hu) - + Indonesian (id) Indonesia (id) - + Japanese (ja) Japani (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norja (nb) - + Dutch (nl) Hollanti (nl) - + Polish (pl) Puola (pl) - + Portuguese, Brazil (pt_BR) Portugali, Brasilia (pt_BR) - + Russian (ru) Venäjä (ru) - + Swedish (sv) Ruotsi (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamili (Sri-Lanka) (ta_LK) - + Chinese(China) (zh_CN) Kiina(Kiina) (zh_CN) - + Documentation Dokumentointi - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - OpenLP on toteutettu seuraavia teknologioita hyödyntäen: - -Python: http://www.python.org/ -Qt5: http://qt.io -PyQt5: 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 @@ -2687,340 +2579,247 @@ Haluamme tarjota tämän ohjelmiston ilmaiseksi – Kuolihan Jeesus puolestamme vaikkemme sitä ansainneet. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Tekijäinoikeudet © 2004-2016 %s -Osittaiset tekijäinoikeudet © 2004-2016 %s + + build {version} + versio {version} + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Käyttöliittymän asetukset - - - Number of recent files to display: - Viimeisimpien listatiedostojen määrä: - - Remember active media manager tab on startup - Avaa käynnistäessä sulkiessa avoimena ollut kirjasto - - - - Double-click to send items straight to live - Lähetä kohde Esitykseen tuplaklikkaamalla - - - Expand new service items on creation Näytä uudet Listan kohteet laajennettuina - + Enable application exit confirmation Vahvista sovelluksen sulkeminen - + Mouse Cursor Hiiren osoitin - + Hide mouse cursor when over display window Piilota hiiren osoitin, kun se on näyttöikkunan päällä - - Default Image - Taustakuva ohjelman käynnistyttyä - - - - Background color: - Taustan väri: - - - - Image file: - Kuvatiedosto: - - - + Open File Tiedoston valinta - + Advanced - Paikan valinta - - - - Preview items when clicked in Media Manager - Esikatsele kirjaston kohdetta klikkaamalla + Lisäasetukset - Browse for an image file to display. - Selaa näytettäviä kuvia. - - - - Revert to the default OpenLP logo. - Palauta oletusarvoinen OpenLP logo. - - - Default Service Name Listan oletusnimi - + Enable default service name Käytä Listoissa oletusnimeä - + Date and Time: Päivä ja aika: - + Monday Maanantai - + Tuesday Tiistai - + Wednesday Keskiviikko - + Friday Perjantai - + Saturday Lauantai - + Sunday Sunnuntai - + Now Nyt - + Time when usual service starts. Ajankohta, jolloin jumalanpalvelus yleensä alkaa. - + Name: Nimi: - + Consult the OpenLP manual for usage. Tarkista OpenLP:n ohjekirjasta käyttö. - - Revert to the default service name "%s". - Palauta oletusarvoinen Listan nimi "%s" - - - + Example: Esimerkki: - + Bypass X11 Window Manager Ohita X11:n ikkunamanageri (ei koske Windows tai Mac käyttäjiä, jos käytössäsi on Linux, tämä voi ratkaista näyttöongelmia) - + Syntax error. Kielioppivirhe - + Data Location Tietojen sijainti - + Current path: Nykyinen polku: - + Custom path: Mukautettu polku: - + Browse for new data file location. Valitse uusi tiedostojen sijainti. - + Set the data location to the default. Palauta tiedostokansion oletussijainti - + Cancel Peruuta - + Cancel OpenLP data directory location change. Peruuta OpenLP:n tiedostokansion sijainnin muuttaminen. - + Copy data to new location. Kopioi tiedot uuteen sijaintiin. - + Copy the OpenLP data files to the new location. Kopioi OpenLP:n tiedostokansio uuteen sijaintiin. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>HUOMIO:</strong> Uudessa tiedostokansion sijainnissa on jo ennestään OpenLP:n tiedostoja. Nämä tiedostot tuhotaan kopioinnin yhteydessä. - - Data Directory Error - Tiedostokansion virhe - - - + Select Data Directory Location Valitse tiedostokansion sijainti - + Confirm Data Directory Change Vahvista tiedostokansion sijainnin muuttaminen - + Reset Data Directory Nollaa tiedostokansio - + Overwrite Existing Data Ylikirjoita olemassaolevat tiedot - - 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 tiedostokansiota ei löytynyt - -%s - -Tämä tiedostokansio sijaitsi siirrettävällä levyllä jota OpenLP ei löydä. - -Jos valitset "Ei" voit yrittää korjata ongelmaa itse. - -Paina "Kyllä" palauttaaksesi tiedostokansion oletussijaintiin. - - - - 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. - Oletko varma, etta haluat muuttaa OpenLP:n -tiedostokansion tiedostosijainnin seuraavaksi: - -%s - -Muutos tehdään, kun OpenLP suljetaan seuraavan kerran. - - - + Thursday Torstai - + Display Workarounds Erikoisasetukset - + Use alternating row colours in lists Värjää joka toinen luetteloiden kohteista - - 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? - HUOMIO: - -Sijainti, jonka olet valinnut - -%s - -näyttää sisältävän OpenLP:n tiedostoja. - -Oletko varma, että haluat korvata nämä -tiedostot nykyisillä tiedostoilla? - - - + Restart Required Uudelleenkäynnistys vaaditaan - + This change will only take effect once OpenLP has been restarted. Muutokset tuleva voimaan vasta, kun OpenLP on käynnistetty uudelleen. - + 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. @@ -3028,11 +2827,153 @@ This location will be used after OpenLP is closed. Tätä sijaintia käytetään sen jälkeen, kun OpenLP on ensin suljettu. + + + Max height for non-text slides +in slide controller: + Maksimikorkeus + + + + Disabled + Ei käytössä + + + + When changing slides: + Diaa vaihtaessa + + + + Do not auto-scroll + Pidä näkyvissä nykyinen dia + + + + Auto-scroll the previous slide into view + Siirrä edellinen dia näkyviin + + + + Auto-scroll the previous slide to top + Siirrä edellinen dia ensimmäiseksi + + + + Auto-scroll the previous slide to middle + Keskitä edellinen dia + + + + Auto-scroll the current slide into view + Siirrä nykyinen dia näkyviin + + + + Auto-scroll the current slide to top + Siirrä nykyinen dia ensimmäiseksi + + + + Auto-scroll the current slide to middle + Keskitä nykyinen dia + + + + Auto-scroll the current slide to bottom + Siirrä nykyinen dia viimeiseksi + + + + Auto-scroll the next slide into view + Siirrä seuraava dia näkyviin + + + + Auto-scroll the next slide to top + Siirrä seuraava dia ensimmäiseksi + + + + Auto-scroll the next slide to middle + Keskitä seuraava dia + + + + Auto-scroll the next slide to bottom + Siirrä seuraava dia viimeiseksi + + + + Number of recent service files to display: + Viimeisten näytettävien listatiedostojen määrä: + + + + Open the last used Library tab on startup + Avaa käynnistäessä sulkiessa avoimena ollut kirjasto + + + + Double-click to send items straight to Live + Lähetä diat suoraan Esitykseen tupla-klikkaamalla. + + + + Preview items when clicked in Library + Esikatsele dioja, kun kohdetta klikataan Kirjastossa + + + + Preview items when clicked in Service + Esikatsele kohdetta, kun klikataan Listassa + + + + Automatic + Automaattinen + + + + Revert to the default service name "{name}". + Palauta Listan oletusnimeksi "{name}". + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + Haluatko varmasti muuttaa OpenLP tiedostokansion sijainnin? + +Sijainti vaihdetaan ohjelman sulkeutuessa seuraavaan kansioon: + +{path} + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + VAROITUS: + +Valitsemasi kansio: + +{path} + +Sisältää OpenLP:n tiedostoja, +haluatko korvata nämä tiedostot? + OpenLP.ColorButton - + Click to select a color. Valitse väri klikkaamalla. @@ -3040,252 +2981,252 @@ Tätä sijaintia käytetään sen jälkeen, kun OpenLP on ensin suljettu. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digitaalinen - + Storage Tietovarasto - + Network Verkko - + 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 Digitaalinen 1 - + Digital 2 Digitaalinen 2 - + Digital 3 Digitaalinen 3 - + Digital 4 Digitaalinen 4 - + Digital 5 Digitaalinen 5 - + Digital 6 Digitaalinen 6 - + Digital 7 Digitaalinen 7 - + Digital 8 Digitaalinen 8 - + Digital 9 Digitaalinen 9 - + Storage 1 Tietovarasto 1 - + Storage 2 Tietovarasto 2 - + Storage 3 Tietovarasto 3 - + Storage 4 Tietovarasto 4 - + Storage 5 Tietovarasto 5 - + Storage 6 Tietovarasto 6 - + Storage 7 Tietovarasto 7 - + Storage 8 Tietovarasto 8 - + Storage 9 Tietovarasto 9 - + Network 1 Verkko 1 - + Network 2 Verkko 2 - + Network 3 Verkko 3 - + Network 4 Verkko 4 - + Network 5 Verkko 5 - + Network 6 Verkko 6 - + Network 7 Verkko 7 - + Network 8 Verkko 8 - + Network 9 Verkko 9 @@ -3293,65 +3234,76 @@ Tätä sijaintia käytetään sen jälkeen, kun OpenLP on ensin suljettu. OpenLP.ExceptionDialog - + Error Occurred Tapahtui virhe - + Send E-Mail Lähetä sähköposti - + Save to File Tallenna tiedostoksi - + Attach File Liitä tiedosto - - - Description characters to enter : %s - <strong>Kuvauksen 20 merkin minimipituudesta on jäljellä %s merkkiä.</strong> - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Ole hyvä ja kirjoita alapuolella olevaan tekstikenttään mitä olit -tekemässä, kun virhe tapahtui. (Mielellään englanniksi) - - 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. Also attach any files that triggered the problem. - <strong>Voi ei, OpenLP kohtasi virheen</strong> joka keskeytti ohjelman toiminnan!<br><br> -<strong>Voit auttaa</strong> ohjelman kehittäjiä lähettämällä alle kerätyn virheraportin<br>tutkintaa varten sähköpostilla osoitteeseen: <strong>bugs@openlp.org</strong><br><br> -<strong>Jos käytössäsi ei ole sähköpostisovellusta,</strong> voit tallentaa<br> virheraportin tiedostoksi ja lähettää sen -itse sähköpostilla selaimen kautta.<br><br> + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Ole hyvä ja kirjoita alapuolella olevaan tekstikenttään mitä olit +tekemässä, kun virhe tapahtui. </strong> (Mielellään englanniksi) + + + + <strong>Thank you for your description!</strong> + <strong>Kiitos kuvauksestasi!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Ole hyvä ja kuvaile mitä tapahtui</strong> + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Järjestelmä: %s - - - - + Save Crash Report Tallenna virheraportti - + Text files (*.txt *.log *.text) Teksti tiedostot (*.txt *.log *.text) + + + Platform: {platform} + + Järjestelmä: {platform} + + OpenLP.FileRenameForm @@ -3392,273 +3344,273 @@ itse sähköpostilla selaimen kautta.<br><br> OpenLP.FirstTimeWizard - + Songs Laulut - + First Time Wizard Ensimmäisen käyttökerran avustaja - + Welcome to the First Time Wizard Ensimmäisen käyttökerran avustaja - - Activate required Plugins - Moduulien valinta - - - - Select the Plugins you wish to use. - Valitse listasta ne ohjelman osat joita haluat käyttää. -Moduulit ovat olennainen osa ohjelmaa, ilman erityistä syytä kannattaa ne kaikki pitää päällä. - - - - Bible - Raamatut - - - - Images - Kuvat - - - - Presentations - Presentaatiot - - - - Media (Audio and Video) - Media (Ääni ja videotiedostot) - - - - Allow remote access - Etäkäyttö (Kuten selaimella tai älypuhelimella) - - - - Monitor Song Usage - Laulujen käyttötilastointi - - - - Allow Alerts - Huomioviestit - - - + Default Settings Perusasetukset - - Downloading %s... - Ladataan %s... - - - + Enabling selected plugins... Aktivoidaan valittuja moduuleja... - + No Internet Connection Ei internetyhteyttä - + Unable to detect an Internet connection. Toimivaa internetyhteyttä ei saatavilla. - + Sample Songs Tekijänoikeusvapaita lauluja - + Select and download public domain songs. Valitse listasta esimerkkilauluja halutuilla kielillä. - + Sample Bibles Tekijänoikeusvapaita Raamatunkäännöksiä - + Select and download free Bibles. Valitse listasta ne Raamatunkäännökset jotka haluat ladata. - + Sample Themes Esimerkkiteemat - + Select and download sample themes. Voit ladata sovellukseen esimerkkiteemoja valitsemalla listasta haluamasi. - + Set up default settings to be used by OpenLP. Valitse näyttö jota haluat käyttää esitykseen sekä yleinen teema. - + Default output display: Näyttö ulostuloa varten: - + Select default theme: Yleinen 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 Otetaan käyttöön - - Custom Slides - Tekstidiat - - - - 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. - Ei internetyhteyttä. Ensikäynnistyksen ohjattu toiminto tarvitsee internet yhteyden ladatakseen vapaasti ladattavia lauluja, Raamattuja ja teemoja. Paina 'Lopeta'-painiketta käynnistääksesi OpenLP oletusarvoisilla asetuksilla. - -Voit halutessasi suorittaa ensiasennuksen ohjatun -toiminnon myöhemmin "Työkalut" valikon kautta. - - - + Download Error Latauksen aikana tapahtui virhe - + 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 käynnistääksesi OpenLP. - - - - Click the %s button to return to OpenLP. - <font size="4">Kaikki on nyt valmista, paina %s palataksesi sovellukseen.</font> - - - - Click the %s button to start OpenLP. - <font size="4">Kaikki on valmista, paina %s ja aloita sovelluksen käyttö.</font> - - - + 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. - <font size="4">Tervetuloa!<br><br> - -Tämä avustustoiminto auttaa sinua OpenLP:n käyttöönotossa. <br> -Paina %s aloittaaksesi.</font> - - - - - -To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - - -Keskeyttääksesi ensiasennuksen ohjatun toiminnon kokonaan (ei käynnistetä OpenLP:tä), paina %s -painiketta nyt. - - - + Downloading Resource Index Ladataan resursseja... - + Please wait while the resource index is downloaded. Resursseja ladataan, tämän pitäisi viedä vain hetki. - + Please wait while OpenLP downloads the resource index file... Ladataan tarvittavia resursseja... - + 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 + + + Select parts of the program you wish to use + Valitse ohjelman osat joita haluat käyttää + + + + You can also change these settings after the Wizard. + Voit muuttaa näitä asetuksia myös myöhemmin + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Tekstidiat – Helpompi hallinoida kuin laulut, näillä on oma listansa + + + + Bibles – Import and show Bibles + Raamatut – Näytä ja tuo Raamattuja + + + + Images – Show images or replace background with them + Kuvat – Näytä kuvia OpenLP:n avulla + + + + Presentations – Show .ppt, .odp and .pdf files + Presentaatiot – Näytä .ppt, .odp ja pdf tiedostoja + + + + Media – Playback of Audio and Video files + Media – Toista ääni ja kuvatiedostoja + + + + Remote – Control OpenLP via browser or smartphone app + Etähallinta – Kontrolloi OpenLP:tä älypuhelimella tai selaimen välityksellä + + + + Song Usage Monitor + Laulujen käyttötilastointi + + + + Alerts – Display informative messages while showing other slides + Huomioviestit – Näytä informatiivisia viestejä muun materiaalin päällä + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projektorit – Hallinnoi PJlink yhteensopivia projektoreita lähiverkossasi + + + + Downloading {name}... + Ladataan {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Lataus on valmis, paina {button} palataksesi OpenLP:hen. + + + + Download complete. Click the {button} button to start OpenLP. + Kaikki on valmista, paina {button} aloittaaksesi OpenLP:n käyttö. + + + + Click the {button} button to return to OpenLP. + Paina {button} palataksesi OpenLP:hen. + + + + Click the {button} button to start OpenLP. + Paina {button} aloittaaksesi OpenLP:n käyttö. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + <font size="4">Tervetuloa!<br><br> + +Tämä avustustoiminto auttaa sinua OpenLP:n käyttöönotossa. <br> +Paina "{button}" aloittaaksesi.</font> + + + + 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 {button} 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. + Internet yhteyttä ei löytynyt. + +Et voi ladata OpenLP:hen vapaasti saatavilla olevia +lauluja, Raamattuja tai teemoja. + +Paina ”{button}” aloittaaksesi OpenLP:n käyttö oletusasetuksilla. + +Voit myöhemmin suorittaa avustajan uudestaan ja hakea +vapaasti ladattavia materiaaleja jälkikäteen. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +Jos haluat perua OpenLP:n käynnistämisen ja avustajan suorittamisen, +paina "{button}" painiketta. + OpenLP.FormattingTagDialog @@ -3704,44 +3656,49 @@ Voit myös kirjoitaa tunnuksen itse: {tunnus} teksti johon muotoilu tulee {/tunn OpenLP.FormattingTagForm - + <HTML here> <Kirjoita HTML koodi tähän> - + Validation Error Virhe - + Description is missing Kuvaus ei voi olla tyhjä - + Tag is missing Tunnus puuttuu - Tag %s already defined. - Tunnus%s on jo määritelty. + Tag {tag} already defined. + Tagi {tag} on jo määritelty. - Description %s already defined. - Kuvaus %s on jo määritelty. + Description {tag} already defined. + Kuvaus {tag} on jo määritelty. - - Start tag %s is not valid HTML - Aloitustunnus%s ei ole kelvollista HTML:ää + + Start tag {tag} is not valid HTML + Aloittava tagi {tag} ei ole kelvollista HTML:ää - - End tag %(end)s does not match end tag for start tag %(start)s - Lopetus tunnus %(end)s ei täsmää aloitus tunnuksen %(start)s lopetus tunnukseen. + + End tag {end} does not match end tag for start tag {start} + Lopetus tunnus {end} ei vastaa {start} aloitus tunnusta. + + + + New Tag {row:d} + Uusi tagi {row:d} @@ -3830,172 +3787,202 @@ Voit myös kirjoitaa tunnuksen itse: {tunnus} teksti johon muotoilu tulee {/tunn OpenLP.GeneralTab - + General Yleiset - + Monitors Näytöt - + Select monitor for output display: Valitse näyttö ulostuloa varten: - + Display if a single screen Näytä Esitys ensisijaisessa näytössä, jos toista näyttöä ei ole kytketty - + Application Startup Ohjelman käynnistys - + Show blank screen warning Varoita pimennetystä näytöstä - - Automatically open the last service - Avaa edellinen Lista automaattisesti - - - + Show the splash screen Näytä OpenLP:n logo käynnistyksen aikana - + Application Settings Sovelluksen asetukset - + Prompt to save before starting a new service Pyydä tallentamaan ennen uuden Listan luomista - - Automatically preview next item in service - Näytä esikatselu automaattisesti Listan seuraavalle kohteelle - - - + sec s - + CCLI Details CCLI tiedot - + SongSelect username: SongSelect käyttäjätunnus: - + SongSelect password: SongSelect salasana: - + X X - + Y Y - + Height Korkeus - + Width Leveys - + Check for updates to OpenLP Tarkista OpenLP:n päivitykset - - Unblank display when adding new live item - Lopeta näytön pimennys, kun kohde lähetetään Esitykseen - - - + Timed slide interval: Automaattisen toiston nopeus: - + Background Audio Taustamusiikki - + Start background audio paused Aloita taustamusiikki pysäytettynä - + Service Item Slide Limits Esityksen kierto - + Override display position: Ylimäärittele näytön sijainti: - + Repeat track list Toista kappaleluettelo - + Behavior of next/previous on the last/first slide: Kun viimeistä diaa toistetaan ja siirrytään seuraavaan tai, kun ensimmäistä diaa toistetaan ja siirrytään edelliseen: - + &Remain on Slide &Mitään ei tapahdu - + &Wrap around &Siirry ensimmäiseen tai viimeiseen diaan - + &Move to next/previous service item &Lähetä seuraava tai edellinen Listan kohde Esitykseen + + + Logo + Logo + + + + Logo file: + Logon valinta: + + + + Browse for an image file to display. + Selaa näytettäviä kuvia. + + + + Revert to the default OpenLP logo. + Palauta oletusarvoinen OpenLP logo. + + + + Don't show logo on startup + Älä näytä logoa käynnistyksen yhteydessä + + + + Automatically open the previous service file + Avaa edellinen Lista automaattisesti + + + + Unblank display when changing slide in Live + Lopeta näytön pimennys vaihtamalla diaa Esityksessä + + + + Unblank display when sending items to Live + Lopeta näytön pimennys, kun kohde lähetetään Esitykseen + + + + Automatically preview the next item in service + Esikatsele seuraavaa Listan kohdetta automaattisesti + OpenLP.LanguageManager - + Language Kieli - + Please restart OpenLP to use your new language setting. Ole hyvä ja käynnistä OpenLP uudelleen käyttääksesi uusia kieliasetuksia. @@ -4003,7 +3990,7 @@ kun ensimmäistä diaa toistetaan ja siirrytään edelliseen: OpenLP.MainDisplay - + OpenLP Display OpenLP Näyttö @@ -4011,353 +3998,189 @@ kun ensimmäistä diaa toistetaan ja siirrytään edelliseen: OpenLP.MainWindow - + &File &Tiedosto - + &Import &Tuo tiedostosta... - + &Export Vie tiedostoksi… - + &View &Ulkoasu - - M&ode - &Valmisasettelut - - - + &Tools &Työkalut - + &Settings &Asetukset - + &Language &Kieli - + &Help &Ohjeet - - Service Manager - Lista - - - - Theme Manager - Teemat - - - + Open an existing service. Avaa Listatiedosto. - + Save the current service to disk. Tallenna nykyinen Lista. - + Save Service As Tallenna Lista nimellä - + Save the current service under a new name. Tallenna nykyinen Lista uudella nimellä. - + E&xit &Sulje sovellus - - Quit OpenLP - Sulje OpenLP. - - - + &Theme T&eema - + &Configure OpenLP... &Määritä asetukset - - &Media Manager - &Kirjastot - - - - Toggle Media Manager - Näytä / piilota kirjastot - - - - Toggle the visibility of the media manager. - Näytä tai piilota kirjastot. - - - - &Theme Manager - &Teemat - - - - Toggle Theme Manager - Näytä / piilota Teemat - - - - Toggle the visibility of the theme manager. - Näytä tai piilota teemojen hallinta. - - - - &Service Manager - &Lista - - - - Toggle Service Manager - Näytä / piilota Lista - - - - Toggle the visibility of the service manager. - Näytä tai piilota Lista. - - - - &Preview Panel - &Esikatselu - - - - Toggle Preview Panel - Näytä / piilota esikatselu - - - - Toggle the visibility of the preview panel. - Näytä tai piilota esikatselu. - - - - &Live Panel - &Esitys - - - - Toggle Live Panel - Näytä / piilota Esitys - - - - Toggle the visibility of the live panel. - Näytä tai piilota Esitys. - - - - List the Plugins - Lista moduuleista - - - - &User Guide - &Käyttöohjeet - - - + &About &Tietoa OpenLP:stä - - More information about OpenLP - Lisätietoa OpenLP:sta - - - - &Online Help - &Ohjeet verkossa - - - + &Web Site &Kotisivut - + Use the system language, if available. Käytä järjestelmän kieltä, jos se on saatavilla. - - Set the interface language to %s - Aseta käyttöliittymän kieleksi %s - - - + Add &Tool... Lisää &Työkalu... - + Add an application to the list of tools. Lisää sovellus työkalujen luetteloon. - - &Default - &Oletusulkoasu - - - - Set the view mode back to the default. - Palauta oletusarvoiset ulkoasuasetukset. - - - + &Setup &Esikatselu - - Set the view mode to Setup. - Käytä esikatselua korostavaa asettelua. - - - + &Live &Esitys - - Set the view mode to Live. - Käytä Esitystä korostavaa asettelua. - - - - 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 on nyt päivitettävissä versioon: %s -Nykyinen versiosi on: %s -Voit ladata päivityksen osoitteesta: http://openlp.org/ - - - + OpenLP Version Updated OpenLP:n versio on nyt päivitetty. - + OpenLP Main Display Blanked OpenLP:n Esitys on pimennetty - + The Main Display has been blanked out Esityksen näyttö on pimennetty - - Default Theme: %s - Yleinen teema: %s - - - + English Please add the name of your language here Suomi - + Configure &Shortcuts... &Pikanäppäimet - + Open &Data Folder... Avaa &Tiedostokansion sijainti - + Open the folder where songs, bibles and other data resides. Avaa kansio, jossa laulut, Raamatut ja muut tiedot sijaitsevat. - + &Autodetect &Tunnista automaattisesti - + Update Theme Images Päivitä teemojen kuvat - + Update the preview images for all themes. Päivitä kaikkien teemojen esikatselukuvat. - + Print the current service. Tulosta nykyinen Lista. - - L&ock Panels - &Lukitse nämä asetukset - - - - Prevent the panels being moved. - Estä ulkoasun osien näkyvyyden muuttaminen. - - - + Re-run First Time Wizard Suorita ensimmäisen käyttökerran avustaja - + Re-run the First Time Wizard, importing songs, Bibles and themes. Suorita ensimmäisen käyttökerran avustaja uudelleen. Voit tuoda sovellukseen lauluja, Raamattuja ja teemoja. - + Re-run First Time Wizard? Ensimmäisen käyttökerran avustaja - Vahvistus - + 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. @@ -4367,108 +4190,68 @@ Tämän avulla voidaan muuttaa joitakin asetuksia sekä ladata esimerkiksi lauluja ja Raamattuja. - + Clear List Clear List of recent files Tyhjennä luettelo - + Clear the list of recent files. Tyhjentää viimeksi käytettyjen listatiedostojen luettelon. - + Configure &Formatting Tags... Tekstin &muotoilutunnukset - - Export OpenLP settings to a specified *.config file - Tallenna OpenLP:n asetukset *.conf tiedostoksi. - - - + Settings Asetukset - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Tuo OpenLP:n asetukset .config muotoisesta asetustiedostosta. - - - + Import settings? Tuodaanko asetukset? - - Open File - Tiedoston valinta - - - - OpenLP Export Settings Files (*.conf) - OpenLP:n asetukset (*.conf) - - - + Import settings Tuo asetukset - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP sulkeutuu nyt. Tuodut asetukset otetaan käyttöön seuraavan käynnistyksen yhteydessä. - + Export Settings File Vie asetustiedosto - - OpenLP Export Settings File (*.conf) - OpenLP:n asetukset (*.conf) - - - + New Data Directory Error Virhe uudessa tiedostokansiossa - - Copying OpenLP data to new data directory location - %s - Please wait for copy to finish - Kopioidaan OpenLP:n tiedostoja uuteen tiedostokansion sijaintiin - %s - -Ole hyvä ja odota kopioinnin loppumista. - - - - OpenLP Data directory copy failed - -%s - OpenLP:n tiedostokansion kopiointi epäonnistui - -%s - - - + General Yleiset - + Library Kirjastot - + Jump to the search box of the current active plugin. Siirry aktiivisen liitännäisen hakukenttään. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4482,7 +4265,7 @@ Viallinen asetustiedosto voi aiheuttaa virheellistä<br> toimintaa ja ohjelma saattaa sulkeutua yllättäen. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4491,194 +4274,390 @@ Processing has terminated and no changes have been made. Käsittely on keskeytetty eikä muutoksia ole tehty. - - Projector Manager - Projektorien hallinta - - - - Toggle Projector Manager - Näytä / piilota projektorin hallinta - - - - Toggle the visibility of the Projector Manager - Näytä tai piilota projektorin hallinta. - - - + Export setting error Asetusten vienti epäonnistui - - 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 - - - + &Recent Services &Viimeisimmät Listatiedostot - + &New Service &Uusi Lista - + &Open Service &Avaa Listatiedosto - + &Save Service &Tallenna Lista - + Save Service &As... Tallenna Lista &nimellä... - + &Manage Plugins &Moduulien hallinta - + Exit OpenLP Sulje OpenLP - + Are you sure you want to exit OpenLP? - Haluatko varmasti sulkea OpenLP:n? + Haluatko varmasti sulkea OpenLP:n? - + &Exit OpenLP &Sulje OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + OpenLP on nyt päivitettävissä versioon: {new} +Nykyinen versiosi on: {current}) + +Voit ladata päivityksen osoitteesta: http://openlp.org/ + + + + The key "{key}" does not have a default value so it will be skipped in this export. + Seuraava asetus on jäännös OpenLP:n vanhasta versiosta, +siksi se jätetään pois asetustiedosta. + +{key} + + + + An error occurred while exporting the settings: {err} + Asetuksia viedessä tapahtui virhe: +{err} + + + + Default Theme: {theme} + Yleinen teema: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Kopioidaan OpenLP:n tiedostoja uuteen tiedostokansion sijaintiin: +{path} +Ole hyvä ja odota kopioinnin loppumista. + + + + OpenLP Data directory copy failed + +{err} + Tiedostokansion kopioiminen epäonnistui + +{err} + + + + &Layout Presets + &Valmisasettelut + + + + Service + Lista + + + + Themes + Teema + + + + Projectors + Projektorit + + + + Close OpenLP - Shut down the program. + Sulje OpenLP - Sammuta ohjelma. + + + + Export settings to a *.config file. + Vie asetukset *.config tiedostoon. + + + + Import settings from a *.config file previously exported from this or another machine. + Tuo OpenLP:n asetukset .config muotoisesta asetustiedostosta. + + + + &Projectors + &Projektorit + + + + Hide or show Projectors. + Näytä tai piilota Projektorien hallinta + + + + Toggle visibility of the Projectors. + Näytä tai piilota Projektorien hallinta. + + + + L&ibrary + &Kirjasto + + + + Hide or show the Library. + Näytä tai piilota Kirjasto + + + + Toggle the visibility of the Library. + Näytä tai piilota Kirjasto. + + + + &Themes + &Teemat + + + + Hide or show themes + Näytä tai piilota teemat + + + + Toggle visibility of the Themes. + Näytä tai piilota teemojen hallinta. + + + + &Service + &Lista + + + + Hide or show Service. + Näytä tai piilota Lista + + + + Toggle visibility of the Service. + Näytä tai piilota Lista. + + + + &Preview + &Esikatselu + + + + Hide or show Preview. + Näytä tai piilota Esikatselu. + + + + Toggle visibility of the Preview. + Näytä tai piilota Esikatselu. + + + + Li&ve + Esi&tys + + + + Hide or show Live + Näytä tai piilota Esitys + + + + L&ock visibility of the panels + &Lukitse paneelien näkyvyys + + + + Lock visibility of the panels. + Lukitsee paneelien näkyvyysasetukset. + + + + Toggle visibility of the Live. + Näytä tai piilota Esitys + + + + You can enable and disable plugins from here. + Täältä voit ottaa tai poistaa käytöstä ohjelman osia + + + + More information about OpenLP. + Lisää tietoa OpenLP:stä. + + + + Set the interface language to {name} + Aseta käyttöliittymän kieleksi {name} + + + + &Show all + &Näytä kaikki + + + + Reset the interface back to the default layout and show all the panels. + Palauta ulkoasun oletusasetukset ja näytä kaikki paneelit. + + + + Use layout that focuses on setting up the Service. + Käytä ulkoasua, joka keskittyy Listan tekemiseen. + + + + Use layout that focuses on Live. + Käytä ulkoasua, joka keskittyy Esitykseen. + + + + OpenLP Settings (*.conf) + OpenLP:n asetukset (*.conf) + + + + &User Manual + + 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 - Tietokanta, jota yritetään tuoda, on luotu uudemmalla OpenLP:n versiolla. Tietokannan versio on %d, nykyisen asennuksen versio on: %d. - -Tietokantaa ei voida tuoda. - -Tietokanta: %s. - - - + OpenLP cannot load your database. -Database: %s - OpenLP ei voi tuoda tietokantaa. +Database: {db} + OpenLP ei pystynyt avaamaan tietokantaasi: -Tietokanta: %s. +{db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + Tuotava tietokanta on luotu uudemmassa OpenLP:n versiossa. + +Tietokannan versio on: {db_ver} + Tämä OpenLP:n versio kuitenkin on: + {db_up}. + +Tietokantaa ei voida tuoda. OpenLP.MediaManagerItem - + No Items Selected Valinta on tyhjä - + &Add to selected Service Item &Lisää osaksi Listan kuvaryhmää - + You must select one or more items to preview. Sinun pitää valita yksi tai useampi kohta esikatseluun. - + You must select one or more items to send live. Valitse yksi tai useampi kohde lähetettäväksi Esitykseen. - + You must select one or more items. Sinun pitää valita yksi tai useampi kohta. - + You must select an existing service item to add to. Sinun täytyy valita Listan kohta johon haluat lisätä. - + Invalid Service Item Vihreellinen Listan kohta - - You must select a %s service item. - Ole hyvä ja valitse Listasta %s johon haluat lisätä Kuvan(t). -Voit lisätä Kuvia ainoastaan Listassa jo oleviin Kuviin. - - - + You must select one or more items to add. Sinun täytyy valita yksi tai useampi kohta lisättäväksi. - - No Search Results - Ei hakutuloksia - - - + Invalid File Type Virheellinen tiedostomuoto - - Invalid File %s. -Suffix not supported - Virheellinen tiedosto: %s. -Tiedostopäätettä ei tueta. - - - + &Clone &Luo kopio - + Duplicate files were found on import and were ignored. Tuotaesa löytyi päällekkäisiä tiedostoja ja ne ohitettiin. + + + Invalid File {name}. +Suffix not supported + Tiedostoa: {name} +ei voitu avata, tiedostomuotoa ei tueta. + + + + You must select a {title} service item. + Ole hyvä ja valitse {title} Listasta. + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> Tunniste puuttuu. - + <verse> tag is missing. <verse> Tunniste puuttuu. @@ -4686,22 +4665,22 @@ Tiedostopäätettä ei tueta. OpenLP.PJLink1 - + Unknown status Tilaa ei tunnisteta - + No message Ei viestiä - + Error while sending data to projector Virhe lähetettäessä tiedot projektorille - + Undefined command: Määrittelemätön komento: @@ -4709,89 +4688,84 @@ Tiedostopäätettä ei tueta. OpenLP.PlayerTab - + Players Mediasoittimet - + Available Media Players Saatavilla olevat mediasoittimet - + Player Search Order Soittimen hakujärjestys - + Visible background for videos with aspect ratio different to screen. Taustaväri videoille jotka eivät täytä koko näyttöä. - + %s (unavailable) %s (ei saatavilla) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - HUOM! Käyttääksesi VLC:tä sinun on asennettava versio %s + HUOM! Käyttääksesi VLC:tä tarvitset %s version VLC:stä OpenLP.PluginForm - + Plugin Details Moduulin tiedot - + Status: Tila: - + Active Käytössä - - Inactive - Poissa käytöstä - - - - %s (Inactive) - %s (Poissa käytöstä) - - - - %s (Active) - %s (Käytössä) + + Manage Plugins + Moduulien hallinta - %s (Disabled) - %s (Estetty) + {name} (Disabled) + {name} (Ei käytössä) - - Manage Plugins - Moduulien hallinta + + {name} (Active) + {name} (Käytössä) + + + + {name} (Inactive) + {name} (Ei käytössä) OpenLP.PrintServiceDialog - + Fit Page Sovita sivulle - + Fit Width Sovita leveyteen @@ -4799,77 +4773,77 @@ Tiedostopäätettä ei tueta. OpenLP.PrintServiceForm - + Options Asetukset - + Copy Kopioi - + Copy as HTML Kopioi HTML:nä - + Zoom In Lähennä - + Zoom Out Loitonna - + Zoom Original Alkuperäiseen kokoon - + Other Options Muut asetukset - + Include slide text if available Ota mukaan dian teksti, jos saatavilla - + Include service item notes Ota mukaan muistiinpanot - + Include play length of media items Ota mukaan toistettavan median pituus - + Add page break before each text item Lisää sivunvaihto ennen jokaista tekstiä - + Service Sheet OpenLP:n lista - + Print Tulosta - + Title: Nimi: - + Custom Footer Text: Mukautettu alatunniste: @@ -4877,258 +4851,258 @@ Tiedostopäätettä ei tueta. OpenLP.ProjectorConstants - + OK OK - + General projector error Yleinen projektorivirhe - + Not connected error Yhteysvirhe - + Lamp error Lampun virhe - + Fan error Jäähdytyksen virhe - + High temperature detected Liian korkea lämpötila havaittu - + Cover open detected Kansi on avoinna - + Check filter Tarkista suodatin - + Authentication Error Kirjautusmisvirhe - + Undefined Command Määrittelemätön komento - + Invalid Parameter Virheellinen arvo - + Projector Busy Projektori varattu - + Projector/Display Error Projektori/Näyttövirhe - + Invalid packet received Virheellinen paketti vastaanotettu - + Warning condition detected Varoitustila havaittu - + Error condition detected Virhetila havaittu - + PJLink class not supported PJLink luokka ei ole tuettu - + Invalid prefix character Virheellinen etuliite - + The connection was refused by the peer (or timed out) Toinen osapuoli kieltäytyi yhteydestä (tai aikakatkaisu) - + The remote host closed the connection Etäpalvelin sulki yhteyden - + The host address was not found Palvelimen osoitetta ei löytynyt - + 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) Viimeisintä toimintoa ei ole vielä suoritettu loppuun. (Toimintoa suoritetaan yhä 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 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öä @@ -5136,17 +5110,17 @@ Tiedostopäätettä ei tueta. OpenLP.ProjectorEdit - + 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ä @@ -5154,52 +5128,52 @@ Tiedostopäätettä ei tueta. OpenLP.ProjectorEditForm - + Add New Projector Lisää uusi projektori. - + Edit Projector Muokkaa projektoria. - + IP Address IP-osoite - + Port Number Portti - + PIN PIN - + Name Nimi - + Location Sijainti - + Notes Muistiinpanot - + Database Error Tietokantavirhe - + There was an error saving projector information. See the log for the error Tapahtui virhe projektorin tietojen tallennuksessa. Katso logista virhettä @@ -5207,305 +5181,360 @@ Tiedostopäätettä ei tueta. OpenLP.ProjectorManager - + 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 - + Port Portti - + Notes Muistiinpanot - + 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 - + No message Ei viestiä - + Not Implemented Yet Ei ole vielä toteutettu - - Delete projector (%s) %s? - Haluatko poistaa projektorin (%s) %s? - - - + Are you sure you want to delete this projector? Haluatko varmasti poistaa tämän projektorin? + + + Add a new projector. + Lisää uusi projektori. + + + + Edit selected projector. + Muokkaa valittua projektoria. + + + + Delete selected projector. + Poista valittu projektori. + + + + Choose input source on selected projector. + Valitse sisääntulo valitulle projektorille. + + + + View selected projector information. + Näytä valitun projektorin tiedot. + + + + Connect to selected projector. + Yhdistä valittuun projektoriin. + + + + Connect to selected projectors. + Yhdistä valitut projektorit. + + + + Disconnect from selected projector. + Katkaise yhteys valittuun projektoriin. + + + + Disconnect from selected projectors. + Katkaise yhteys valittuihin projektoreihin. + + + + Power on selected projector. + Käynnistä valittu projektori. + + + + Power on selected projectors. + Käynnistä valitut projektorit. + + + + Put selected projector in standby. + Aseta valittu projektori valmiustilaan. + + + + Put selected projectors in standby. + Aseta valitut projektorit valmiustilaan. + + + + Blank selected projectors screen + Pimennä valittu projektorinäyttö + + + + Blank selected projectors screen. + Pimennä valitut projektorinäyttöt. + + + + Show selected projector screen. + Näytä valittu projektorinäyttö. + + + + Show selected projectors screen. + Näytä valitut projektorinäytöt. + + + + is on + On päällä + + + + is off + On pois päältä + + + + Authentication Error + Kirjautusmisvirhe + + + + No Authentication Error + Tunnistautumisessa tapahtui virhe + OpenLP.ProjectorPJLink - + Fan Tuuletin - + Lamp Lamppu - + Temperature Lämpötila - + Cover Peite - + Filter Suodin - + Other Muu @@ -5551,17 +5580,17 @@ Tiedostopäätettä ei tueta. OpenLP.ProjectorWizard - + Duplicate IP Address Päällekkäinen IP-osoite - + Invalid IP Address Virheellinen IP-osoite - + Invalid Port Number Virheellinen porttinumero @@ -5574,27 +5603,27 @@ Tiedostopäätettä ei tueta. Näyttö - + primary ensisijainen OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Alku</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Pituus</strong>: %s - - [slide %d] - [dia %d] + [slide {frame:d}] + [dia {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Alku</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Pituus</strong>: {length} @@ -5658,52 +5687,52 @@ Tiedostopäätettä ei tueta. Poista valittu kohde Listasta. - + &Add New Item &Lisää uusi rivi - + &Add to Selected Item Lisää valittuun kohtaan - + &Edit Item &Muokkaa valittua kohdetta - + &Reorder Item Järjestä &uudelleen - + &Notes Muistiin&panot - + &Change Item Theme &Muuta kohteen teemaa - + File is not a valid service. Tiedosto ei ole kelvollinen OpenLP:n Lista. - + 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 Kohdetta ei voida näyttää! @@ -5732,7 +5761,7 @@ Voit hallita moduuleja ”Asetukset” valikon kautta. Supista kaikki Listan kohteet. - + Open File Tiedoston valinta @@ -5762,22 +5791,22 @@ Voit hallita moduuleja ”Asetukset” valikon kautta. Lähetä kohde Esitykseen. - + &Start Time &Alku aika - + Show &Preview &Esikatsele - + Modified Service Sulkeminen - + The current service has been modified. Would you like to save this service? Nykyistä Listaa on muokattu, haluatko tallentaa sen? @@ -5797,27 +5826,27 @@ Voit hallita moduuleja ”Asetukset” valikon kautta. Toistoaika: - + Untitled Service Tallentamaton Lista - + 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. Listatiedosto on tyhjä. - + Corrupt File Turmeltunut tiedosto @@ -5837,147 +5866,148 @@ Voit hallita moduuleja ”Asetukset” valikon kautta. Valitse teema Listalle. - + Slide theme Dian teema - + Notes Muistiinpanot - + Edit Muokkaa valittua - + Service copy only Vain ajoilstan kopio - + Error Saving File Virhe tallennettaessa tiedostoa - + There was an error saving your file. Tiedoston tallentamisessa tapahtui virhe. - + Service File(s) Missing Jumalanpalveluksen tiedosto(t) puuttuvat - + &Rename... &Uudelleennimeä - + Create New &Custom Slide Luo kohteesta &Tekstidia - + &Auto play slides Toista &automaatisesti - + Auto play slides &Loop Toista &loputtomasti. - + Auto play slides &Once Toista &loppuun. - + &Delay between slides &Viive diojen välissä. - + OpenLP Service Files (*.osz *.oszl) OpenLP:n Lista (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP:n Lista (*.osz);; OpenLP:n Lista - ilman liitetiedostoja (*.oszl) - + OpenLP Service Files (*.osz);; OpenLP:n Lista (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Tiedosto ei ole kelvollinen Lista. 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. Lista, jota yrität käyttää on vanhempaa muotoa. Tallenna se käyttäen OpenLP:n versiota 2.0.2. tai uudempaa. - + This file is either corrupt or it is not an OpenLP 2 service file. Tämä tiedosto on vahingoittunut tai se ei ole OpenLP 2 Lista. - + &Auto Start - inactive &Automaattinen toisto - Ei päällä - + &Auto Start - active &Automaattinen toisto - päällä - + Input delay Vaihtoaika - + Delay between slides in seconds. Automaattisen toiston vaihtoaika sekunteina. - + Rename item title &Uudelleennimeä otsikko - + Title: Nimi: - - An error occurred while writing the service file: %s - Virhe kirjoitettaessa Listan tiedostoa: %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Seuraavat Listan tiedosto(t) puuttuvat: %s + Seuraavat Listan tiedosto(t) puuttuvat: {name} -Nämä tiedostot poistetaan jos tallennat. +Nämä tiedostot poistetaan jos jatkat tallenntamista. + + + + An error occurred while writing the service file: {error} + Listaa tallentaessa tapahtui virhe: +{error} @@ -6009,15 +6039,10 @@ Nämä tiedostot poistetaan jos tallennat. Pikanäppäin - + Duplicate Shortcut Painike on jo käytössä - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Pikanäppäin "%s" on varattu jo toiseen käyttöön, ole hyvä ja valitse jokin toinen. - Alternate @@ -6063,219 +6088,235 @@ Nämä tiedostot poistetaan jos tallennat. Configure Shortcuts Muokkaa Pikanäppäimiä + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Piilota - + Go To - Säkeen valinta - - - - Blank Screen - Pimennä näyttö. + Valitse säe - Blank to Theme - Näytä vain teeman tausta. - - - Show Desktop Näytä työpöytä. - + Previous Service Siirry edelliseen Listan kohteeseen - + Next Service Siirry seuraavaan Listan kohteeseen - - Escape Item - Piilota Esityksessä oleva kohde - - - + Move to previous. Siirry edelliseen. - + Move to next. Siirry seuraavaan. - + Play Slides Toista diat - + Delay between slides in seconds. Automaattisen toiston vaihtoaika sekunteina. - + Move to live. Lähetä Esitykseen. - + Add to Service. Lisää Listaan. - + Edit and reload song preview. Muokkaa ja esikatsele. - + Start playing media. Aloita median toistaminen - + Pause audio. Pysäytä kappale. - + Pause playing media. Pysäytä median toistaminen. - + Stop playing media. Keskeytä median toistaminen. - + Video position. Videon kohta. - + Audio Volume. Äänenvoimakkuus - + Go to "Verse" Siirry "Säkeistöön" - + Go to "Chorus" Siirry "Kertosäkeeseen" - + Go to "Bridge" Siirry "Bridgeen (C-osaan)" - + Go to "Pre-Chorus" Siirry "Esi-kertosäkeeseen" - + Go to "Intro" Siirry "Introon" - + Go to "Ending" Siirry "Lopetukseen" - + Go to "Other" Siirry "Muuhun" - + Previous Slide Edellinen dia - + Next Slide Seuraava dia - + Pause Audio Keskeytä toisto - + Background Audio Taustamusiikki - + Go to next audio track. Aloita seuraava kappale - + Tracks Kappaleet + + + Loop playing media. + Uudelleentoista mediaa automaattisesti. + + + + Video timer. + Videon ajastin. + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + 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 käyttäjän määrittämä teksti ja palauta PJLink:in oletusteksti. - + 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 - + 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? @@ -6283,17 +6324,17 @@ Nämä tiedostot poistetaan jos tallennat. OpenLP.SpellTextEdit - + Spelling Suggestions Tavutus ehdotuksia - + Formatting Tags Tekstin muotoilu - + Language: Kieli: @@ -6372,7 +6413,7 @@ Nämä tiedostot poistetaan jos tallennat. OpenLP.ThemeForm - + (approximately %d lines per slide) Näytölle mahtuu %d riviä tekstiä tällä koolla ja nykyisillä näyttöasetuksilla. @@ -6380,82 +6421,77 @@ Nämä tiedostot poistetaan jos tallennat. OpenLP.ThemeManager - + Create a new theme. Luo uusi teema. - + Edit Theme Muokkaa teemaa - + Edit a theme. Muokkaa teemaa. - + Delete Theme Poista teema - + Delete a theme. Poista teema. - + Import Theme Tuo teema - + Import a theme. Tuo teema. - + Export Theme Vie teema - + Export a theme. Vie teema. - + &Edit Theme &Muokkaa teemaa - + &Delete Theme &Poista teema - + Set As &Global Default Aseta &Yleiseksi teemaksi - - %s (default) - %s (Oletus) - - - + You must select a theme to edit. Sinun pitää valita muokattava teema. - + You are unable to delete the default theme. Et voi poistaa "Yleiseksi" asetettua teemaa. - + You have not selected a theme. Teemaa ei ole valittu. @@ -6463,451 +6499,467 @@ Ole hyvä ja valitse haluttu teema teemojen listasta. - - 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 - + Select Theme Import File Valitse tuotava OpenLP:n teematiedosto - + File is not a valid theme. Tiedosto ei ole kelvollinen teema. - + &Copy Theme &Luo kopio - + &Rename Theme &Uudelleennimeä teema - + &Export Theme &Vie teema - + You must select a theme to rename. Sinun pitää valita uudelleennimettävä teema. - + Rename Confirmation Nimeämisen vahvistaminen - + Rename %s theme? Uudelleennimetäänkö %s teema? - + You must select a theme to delete. Sinun pitää valita poistettava teema. - + Delete Confirmation Poistaminen - + Delete %s theme? Haluatko varmasti poistaa teeman: %s - + Validation Error Virhe - + A theme with this name already exists. Teema tällä nimellä on jo olemassa. - - Copy of %s - Copy of <theme name> - 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 Teema (*.otz) - - %s time(s) by %s - %s kerta(a) %s :sta - - - + Unable to delete theme Teemaa ei voi poistaa + + + {text} (default) + {text} (Oletus) + + + + Copy of {name} + Copy of <theme name> + Kopio {name}:sta + + + + Save Theme - ({name}) + Tallenna teema - ({name}) + + + + The theme export failed because this error occurred: {err} + Teeman vienti epäonnistui. +Virhe: {err} + + + + {name} (default) + {name} (oletus) + + + + Theme {name} already exists. Do you want to replace it? + Teema "{name}" on jo olemassa, haluatko korvata sen? + + {count} time(s) by {plugin} + {count} kpl seuraavien moduulien toimesta: +{plugin} + + + Theme is currently used -%s - Teemaa ei voida poistaa, -siihen on yhdistetty: +{text} + Teemaa käytetään seuraavissa kohteissa: -%s + {text} OpenLP.ThemeWizard - + Theme Wizard Teemojen ohjattu toiminto - + Welcome to the Theme Wizard Uuden teeman luonti - + Set Up Background Taustan asetukset - + Set up your theme's background according to the parameters below. Valitse listasta haluttu tausta. Läpinäkyvä tausta mahdollistaa esimerkiksi PowerPoint tai videotaustojen käyttämisen erillisellä ohjelmalla. - + Background type: Valitse haluttu tausta: - + Gradient Liukuväri - + Gradient: Kuvio: - + Horizontal Vaakasuora - + Vertical Pystysuora - + Circular Säteittäinen - + Top Left - Bottom Right Ylhäältä vasemmalta - alas oikealle - + Bottom Left - Top Right Alhaalta vasemmalta - ylhäälle oikealle - + Main Area Font Details Fontin asetukset - + Define the font and display characteristics for the Display text Valitse käytettävä fontti ja muotoilut. - + Font: Fontti: - + Size: Koko: - + Line Spacing: Riviväli: - + &Outline: &Ääriviivat - + &Shadow: &Varjostus - + Bold Lihavointi - + Italic Kursiivi - + Footer Area Font Details Alatunnisteen fontti - + Define the font and display characteristics for the Footer text Valitse käytettävä fontti ja muotoilut alatunnisteessa. - + Text Formatting Details Tekstin lisäasetukset - + Allows additional display formatting information to be defined Valitse tekstin tasauksen ja siirtymäefektien asetukset. - + Horizontal Align: Vaakasuora tasaus: - + Left Vasempaan reunaan - + Right Oikeaan reunaan - + Center Keskitetty - + Output Area Locations Näyttöalueen asetukset - + &Main Area &Tekstialue - + &Use default location &Määritä automaattisesti - + X position: Vaakatason sisennys: - + px pikseliä - + Y position: Pystytason sisennys: - + Width: Leveys: - + Height: Korkeus: - + Use default location Määritä automaattisesti - + Theme name: Teeman nimi: - - Edit Theme - %s - Muokkaa teemaa - %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. <font size="4">Tämän työkalun avulla voit luoda uuden teeman.<br> Aloita teeman luonti painamalla 'Seuraava'.</font> - + Transitions: Näytä siirtymäefekti diaa vaihtaessa: - + &Footer Area &Alatunniste - + Starting color: Aloittava väri: - + Ending color: Lopettava väri: - + Background color: Taustan väri: - + Justify Tasaa molemmat reunat - + Layout Preview Ulkoasun esikatselu - + Transparent Läpinäkyvä - + Preview and Save Teeman yhteenveto - + Preview the theme and save it. Voit nyt tallentaa teeman tai palata muokkaukseen. Alapuolella on malli teeman ulkoasusta. - + Background Image Empty Taustakuva tyhjä - + Select Image Valitse kuva - + Theme Name Missing Teeman nimikenttä on tyhjä - + There is no name for this theme. Please enter one. <font size="4">Teema tarvitsee nimen, anna teemalle nimi ennen tallentamista. </font> - + Theme Name Invalid Teeman nimi on virheellinen - + Invalid theme name. Please enter one. Teeman nimi on kelvoton. Ole hyvä ja anna uusi. - + Solid color Yhtenäinen väri - + color: Väri: - + Allows you to change and move the Main and Footer areas. Voit halutessasi muuttaa käytettävissä olevaa näytön resoluutiota sekä tekstin sisennystä reunoilta. - + You have not selected a background image. Please select one before continuing. Taustakuvaa ei ole valittu. Sinun on valittava kuva ennen kuin voit jatkaa eteenpäin. + + + Edit Theme - {name} + Muokkaa Teemaa - {name} + + + + Select Video + Valitse video + OpenLP.ThemesTab @@ -7007,73 +7059,73 @@ sillä kohdekohtaiset ja Listan teemat. Pystysuuntainen tasaus: - + Finished import. Tuominen valmis. - + Format: Tiedostomuoto: - + Importing Tuominen - + Importing "%s"... Tuodaan "%s"... - + Select Import Source Valitse tuonnin lähde - + Select the import format and the location to import from. Valitse tuotavan tiedoston muoto ja sijainti. - + Open %s File Avaa %s tiedosto - + %p% %p% - + Ready. Valmis. - + Starting import... Aloitetaan tuontia... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Sinun pitää määritellä vähintää yksi %s tiedosto tuotavaksi. - + Welcome to the Bible Import Wizard Raamattujen tuonti - + Welcome to the Song Export Wizard Laulujen vienti - + Welcome to the Song Import Wizard Laulujen tuonti @@ -7091,7 +7143,7 @@ sillä kohdekohtaiset ja Listan teemat. - © + © Copyright symbol. © @@ -7123,39 +7175,34 @@ sillä kohdekohtaiset ja Listan teemat. XML kielioppivirhe - - Welcome to the Bible Upgrade Wizard - Raamattujen päivittäminen - - - + Open %s Folder Avaa %s kansio - + You need to specify one %s file to import from. A file type e.g. OpenSong Sinun tulee määritellä ainakin yksi %s tiedosto tuotavaksi. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Sinun on määritettävä vähintään yksi %s kansio, josta haluat tuoda tiedostoja. - + Importing Songs Tuodaan lauluja - + Welcome to the Duplicate Song Removal Wizard Päällekkäisten laulujen haku - + Written by Sanat @@ -7165,502 +7212,490 @@ sillä kohdekohtaiset ja Listan teemat. Tekijä tuntematon - + About Tietoja - + &Add &Lisää - + Add group Luo ryhmä - + Advanced - Paikan valinta + Lisäasetukset - + All Files Kaikki tiedostot - + Automatic Automaattinen - + Background Color Taustaväri - + Bottom Alareunaan - + Browse... Selaa... - + Cancel Peruuta - + CCLI number: CCLI numero: - + Create a new service. Luo uusi Lista. - + Confirm Delete Vahvista poisto - + Continuous Jatkuva - + Default Oletusarvo - + Default Color: Taustan väri: - + 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. Lista-%d.%m.%Y luotu %H.%M - + &Delete &Poista - + Display style: Numeroiden sulut: - + Duplicate Error Päällekkäisyys virhe - + &Edit &Muokkaa - + Empty Field Tyhjä kenttä - + Error Virhe - + Export Vienti - + File Tiedosto - + File Not Found Tiedostoa ei löydy - - File %s not found. -Please try selecting it individually. - Tiedostoa %s ei löydy. -Ole hyvä ja yritä valita se erikseen. - - - + pt Abbreviated font pointsize unit pt - + Help Ohjeet - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Valittu tiedostosijainti on virheellinen - + Invalid File Selected Singular Virheellinen tiedosto on valittu - + Invalid Files Selected Plural Virheelliset tiedostot on valittu - + Image Kuvat - + Import Tuo tiedosta… - + Layout style: Rivitys: - + Live Esitys - + Live Background Error Esityksen taustan virhe - + Live Toolbar Esityksen-työkalurivi - + Load Lataa - + Manufacturer Singular Valmistaja - + Manufacturers Plural Valmistajat - + Model Singular Malli - + Models Plural Mallit - + m The abbreviated unit for minutes m - + Middle Keskitetty - + New Uusi - + New Service Uusi Lista - + New Theme Uusi teema - + Next Track Seuraava kappale - + No Folder Selected Singular Kansiota ei ole valittu - + No File Selected Singular Yhtään tiedostoa ei ole valittu - + No Files Selected Plural Tiedostoja ei ole valittu - + No Item Selected Singular Tyhjä kenttä - + No Items Selected Plural Valinta on tyhjä - + OpenLP is already running. Do you wish to continue? OpenLP on jo käynnissä. Haluatko silti jatkaa? - + Open service. Avaa Lista. - + Play Slides in Loop Toista loputtomasti - + Play Slides to End Toista loppuun - + Preview Esikatselu - + Print Service Tulosta Lista - + Projector Singular Projektori - + Projectors Plural Projektorit - + Replace Background Korvaa tausta - + Replace live background. Korvaa Esityksen tausta. - + Reset Background Nollaa tausta - + Reset live background. Palauta Esityksen tausta. - + s The abbreviated unit for seconds s - + Save && Preview Tallenna && Esikatsele - + Search Etsi - + Search Themes... Search bar place holder text Hae teeman mukaan... - + 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 Listan tallentaminen - + Service Lista - + Optional &Split &Puolituskohta - + Split a slide into two only if it does not fit on the screen as one slide. Jos teksti ei mahdu yhdelle dialle, voit lisätä haluamasi jakokohdan. - - Start %s - Käynnistä %s - - - + Stop Play Slides in Loop Keskeytä loputon toisto - + Stop Play Slides to End Keskeytä loppuun asti toistaminen - + Theme Singular Teema - + Themes Plural Teema - + Tools Työkalut - + Top Yläreunaan - + Unsupported File Tiedostomuotoa ei tueta. - + Verse Per Slide Jae per dia - + Verse Per Line Jae per rivi - + Version Käännös - + View Näytä - + View Mode Näyttötila - + CCLI song number: CCLI laulun numero: - + Preview Toolbar Esikatselun työkalurivi - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Taustakuvan korvaaminen ei ole käytettävissä jos WebKit mediasoitinta ei ole otettu käyttöön asetuksista. @@ -7677,32 +7712,101 @@ mediasoitinta ei ole otettu käyttöön asetuksista. Plural Laulukirjat + + + Background color: + Taustan väri: + + + + Add group. + Lisää ryhmä. + + + + File {name} not found. +Please try selecting it individually. + Tiedostoa {name} ei löytynyt. +Voit yrittää valita sen yksittäin. + + + + Start {code} + Aloitusaika {code} + + + + Video + Video + + + + Search is Empty or too Short + Haku on tyhjä tai liian lyhyt + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>Syöttämäsi hakusana on tyhjä tai lyhyempi kuin 3 merkkiä pitkä.</strong><br><br>Ole hyvä ja yritä uudestaan pidemmällä hakusanalla. + + + + No Bibles Available + Raamattuja ei ole saatavilla + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>Yhtään Raamattua ei ole asennettu.</strong><br><br> +Ole hyvä ja tuo Raamattuja "Tiedosto > Tuo" valikon kautta. + + + + Book Chapter + Kirja Luku + + + + Chapter + Luku + + + + Verse + Säe + + + + Psalm + Psalmi + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + Kirjan nimiä voidaan myös lyhentää, esimerkiksi Ps 23 = Psalmi 23 + + + + No Search Results + Ei hakutuloksia + + + + Please type more text to use 'Search As You Type' + + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s ja %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, ja %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7792,49 +7896,50 @@ Ohjaimia on mahdollista tarkkailla<br/> Esitä käyttäen: - + File Exists Tiedosto on jo olemassa - + A presentation with that filename already exists. Tällä nimellä löytyy jo toinen presentaatio. - + This type of presentation is not supported. Tämän muotoista esitysgrafiikkaa ei tueta. - - Presentations (%s) - Presentaatiot (%s) - - - + Missing Presentation Presentaatiota ei löydy - - The presentation %s is incomplete, please reload. - Presentaatio %s on vioittunut, yritä avata tiedostoa uudestaan. + + Presentations ({text}) + Presentaatiot ({text}) - - The presentation %s no longer exists. - Tiedostoa: %s -ei enää ole - se on poistettu, siirretty tai uudelleennimetty. + + The presentation {name} no longer exists. + Presentaatiota {name} ei enää ole olemassa. + + + + The presentation {name} is incomplete, please reload. + Tiedosto: {name} +on vioittunut, ole hyvä ja yritä uudestaan. PresentationPlugin.PowerpointDocument - - An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - Jokin meni pieleen ja PowerPoint ei toiminut odotetusti. -Käynnistä esitys uudelleen, jos tahdot esittää sen. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + PowerPointin kanssa kommunikoinnissa tapahtui virhe ja esitys pysäytetään. + +Voit halutessasi lähettää tiedoston esitettäväksi uudestaan. @@ -7844,11 +7949,6 @@ Käynnistä esitys uudelleen, jos tahdot esittää sen. Available Controllers Käytettävissä olevat sovellukset - - - %s (unavailable) - %s (ei saatavilla) - Allow presentation application to be overridden @@ -7866,12 +7966,12 @@ Käynnistä esitys uudelleen, jos tahdot esittää sen. (OpenLP käyttää oletuksena sisäänrakennettua) - + 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. @@ -7882,15 +7982,21 @@ Käynnistä esitys uudelleen, jos tahdot esittää sen. - Clicking on a selected slide in the slidecontroller advances to next effect. - Toista diaesityksen efektit, kuten animaatiot ja siirtymät. + Clicking on the current slide advances to the next effect + Toista diaesityksen efektit, kuten animaatiot ja siirtymät klikkaamalla. - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) Anna PowerPointin määritellä käytettävät näyttöasetukset (Voi korjata Windows 8:n ja 10:n liityviä PowePoint ongelmia) + + + {name} (unavailable) + {name} (ei saatavilla) + RemotePlugin @@ -7937,127 +8043,127 @@ Esitys verkkoselaimeen sekä käyttää lavanäkymää. RemotePlugin.Mobile - + Service Manager Lista - + Slide Controller Esitys - + Alerts Huomioviestit - + 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ä huomioviesti - + Go Live Lähetä Esitykseen - + Add to Service Lisää Listaan - + Add &amp; Go to Service Lisää &amp;Siirry Listaan - + No Results Ei tuloksia - + Options Asetukset - + Service Lista - + Slides Esitys - + Settings Asetukset - + Remote Etähallinta - + Stage View Lavanäyttö - + Live View Esitysnäkymä @@ -8065,81 +8171,142 @@ Esitys verkkoselaimeen sekä käyttää lavanäkymää. RemotePlugin.RemoteTab - + Serve on IP address: IP osoite: - + Port number: Portti: - + Server Settings Palvelimen asetukset - + Remote URL: Etähallinnan osoite: - + Stage view URL: Lavanäytön osoite: - + Display stage time in 12h format Näytä aika 12-tunnin muodossa - + Android App Android sovellus - + Live view URL: Esitysnäkymän osoite: - + HTTPS Server HTTPS palvelin - + 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 sertifikaattia ei löydy. HTTPS palvelinta ei voi käyttää ellei SSL sertifikaattia ole saatavilla. Katso ohjekirjasta lisätietoja. - + User Authentication Käyttäjän todentaminen - + User id: Käyttäjän id: - + Password: Salasana: - + Show thumbnails of non-text slides in remote and stage view. Näytä pienet kuvat tekstittömistä dioista etähallinnassa ja lavanäkymässä - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Skannaa QR-koodi tai <a href="%s">klikkaa tästä</a> ja -asenna Android-sovellus Google Play:stä. + + iOS App + iOS App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Skannaa QR-koodi tai klikkaa <a <a href="{qr}">lataa</a> asentaaksesi Android-sovelluksen Google Play:sta. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Skannaa QR-koodi tai klikkaa <a <a href="{qr}">lataa</a> asentaaksesi IOS-sovelluksen App Storesta. + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Kohdetiedostoa ei ole valittu + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Raportin luominen + + + + Report +{name} +has been successfully created. + Tiedosto: {name} +luotiin onnistuneesti. + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8180,7 +8347,7 @@ asenna Android-sovellus Google Play:stä. 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</strong><br/><br/> @@ -8188,45 +8355,45 @@ Tämän moduulin avulla voidaan<br/> tilastoida käytettyjä lauluja. - + SongUsage name singular Laulujen käyttötilastointi - + SongUsage name plural Laulujen käyttötilastointi - + SongUsage container title Laulujen käyttötilastointi - + Song Usage Laulun käyttötilasto - + Song usage tracking is active. Laulujen käyttötilastointi on päällä. - + Song usage tracking is inactive. Laulujen käyttötilastointi ei ole päällä. - + display näyttö - + printed tulostettu @@ -8294,24 +8461,10 @@ Kaikki tallennetut tiedot ennen tätä päivää poistetaan pysyvästi.Kohdetiedoston sijainti - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation Raportin luominen - - - Report -%s -has been successfully created. - Raportti - %s -on onnistuneesti luotu. - Output Path Not Selected @@ -8325,14 +8478,27 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + usage_detail_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + Tiedosto: {name} +luotiin onnistuneesti. + + + + An error occurred while creating the report: {error} + Raporttia luodessa tapahtui virhe: {error} @@ -8348,7 +8514,7 @@ Ole hyvä ja valitse olemassaoleva kansio tietokoneestasi. 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</strong><br/><br/> @@ -8356,97 +8522,97 @@ Tämä moduuli mahdollistaa laulujen<br/> näyttämisen ja hallinnoinnin. - + &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... Laulutietokantaa järjestellään… - + Arabic (CP-1256) Arabialainen (CP-1256) - + Baltic (CP-1257) Balttia (CP-1257) - + Central European (CP-1250) Keski-Eurooppa (CP-1250) - + Cyrillic (CP-1251) Kyrillinen (CP-1251) - + Greek (CP-1253) Kreikka (CP-1253) - + Hebrew (CP-1255) Heprea (CP-1255) - + Japanese (CP-932) Japani (CP-932) - + Korean (CP-949) Korea (CP-949) - + Simplified Chinese (CP-936) Kiina Simplified (CP-936) - + Thai (CP-874) Thai (CP-874) - + Traditional Chinese (CP-950) Kiina Traditional (CP-950) - + Turkish (CP-1254) Turkki (CP-1254) - + Vietnam (CP-1258) Vietnam (CP-1258) - + Western European (CP-1252) Läntinen Eurooppa (CP-1252) - + Character Encoding Merkistö - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8455,26 +8621,26 @@ oikean merkistöesityksen. Yleensä esivalittu merkistö on varsin toimiva valinta. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Ole hyvä ja valitse merkistön enkoodaus. Enkoodaus määrittelee tekstille oikean merkistöesityksen. - + Song name singular Laulut - + Songs name plural Laulut - + Songs container title Laulut @@ -8485,37 +8651,37 @@ Enkoodaus määrittelee tekstille oikean merkistöesityksen. Vie lauluja käyttäen tuonnin ohjattua toimintoa. - + Add a new song. Lisää uusi laulu. - + Edit the selected song. Muokkaa valittua laulua. - + Delete the selected song. Poista valittu laulu. - + Preview the selected song. Esikatsele valittua laulua. - + Send the selected song live. Lähetä valittu laulu Esitykseen. - + Add the selected song to the service. Lisää valittu laulu Listaan. - + Reindexing songs Uudelleenindeksoidaan lauluja @@ -8530,15 +8696,30 @@ Enkoodaus määrittelee tekstille oikean merkistöesityksen. Tuo laulut CCLI SongSelect Listatiedostosta. - + Find &Duplicate Songs &Päällekkäisten laulujen haku - + Find and remove duplicate songs in the song database. Hae ja poista päällekkäisiä lauluja. + + + Songs + Laulut + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8624,63 +8805,68 @@ Enkoodaus määrittelee tekstille oikean merkistöesityksen. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Ylläpitäjä %s - - - - "%s" could not be imported. %s - "%s" ei voi tuoda. %s - - - + Unexpected data formatting. Odottamaton tiedostomuoto. - + No song text found. Laulun sanoja ei löydy. - + [above are Song Tags with notes imported from EasyWorship] [yllä on laulun tagit muistiinpanoineen, jotka on tuotu EasyWorshipistä] - + 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öydetty. Varmista, että se on tallennettuna samaan kansioon 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. + + + Administered by {admin} + Ylläpitäjä {admin} + + + + "{title}" could not be imported. {entry} + "{title}" ei voitu tuoda. {entry} + + + + "{title}" could not be imported. {error} + "{title}" ei voitu tuoda. {error} + SongsPlugin.EditBibleForm - + Meta Data Tiedot - Kieli - + Custom Book Names Kirjojen nimet @@ -8763,57 +8949,57 @@ Varmista, että se on tallennettuna samaan kansioon kuin ”Songs.DB” tiedosto Teema - Tekijäinoikeudet - Kommentit - + Add Author Lisää tekijä - + This author does not exist, do you want to add them? Tätä tekijää ei ole olemassa, haluatko lisätä sen? - + This author is already in the list. Tämä tekijä on jo luettelossa. - + 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. Sinun pitää valita kelvollinen tekijä. Valitse tekijä joko luettelosta tai kirjoita uusi tekijä ja paina "Lisää tekijä lauluun" -painiketta. - + Add Topic Lisää aihe - + This topic does not exist, do you want to add it? Tätä aihetta ei ole olemassa, tahdotko sinä lisätä sen? - + This topic is already in the list. Tämä aihe on jo luettelossa. - + 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. <font size="4">Aihe ei voi olla tyhjä, kirjoita haluttu aihe tai<br> valitse jo olemassa oleva aihe listasta.<font size="4"> - + You need to type in a song title. Laulun ”Nimi” ei voi olla tyhjä. - + You need to type in at least one verse. Sinun pitää syöttää ainakin yksi jae. - + You need to have an author for this song. Sinun pitää määritellä tekijä tälle laululle. @@ -8838,7 +9024,7 @@ Varmista, että se on tallennettuna samaan kansioon kuin ”Songs.DB” tiedosto Poista &Kaikki - + Open File(s) Avaa tiedosto(t) @@ -8853,14 +9039,7 @@ Varmista, että se on tallennettuna samaan kansioon kuin ”Songs.DB” tiedosto <strong>Huom:</strong> Voit halutessasi muuttaa säkeiden järjestystä kirjaamalla lyhenteet kenttään. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Ei löydy vastinetta jakeelle "%(invalid)". Kelvolliset jaeviitteet ovat %(valid) -Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. - - - + Invalid Verse Order Säkeiden järjestys on virheellinen @@ -8870,22 +9049,15 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. &Muokkaa tekijän tyyppiä - + Edit Author Type Muokkaa tekijän tyyppiä - + Choose type for this author Valitse tyyppi tällä tekijälle - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Ei löydy vastinetta jakeille "%(invalid)s". Kelvollisia jaeviitteitä ovat %(valid)s -Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. - &Manage Authors, Topics, Songbooks @@ -8907,46 +9079,83 @@ Ole hyvä ja syötä jaeviitteet välilyönnein erotettuina. Tekijät - Aiheet - Laulukirjat - + Add Songbook Lisää Laulukirja - + This Songbook does not exist, do you want to add it? Laulukirjaa ei ole olemassa, haluatko luoda sen? - + This Songbook is already in the list. Laulukirja on jo listassa - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Et ole valinnut kelvollista laulukirjaa. Valitse laulukirja listasta tai lisää uusi laulukirja painamalla ”Lisää lauluun” painiketta. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Vastaavaa säettä "{invalid}" ei lötynyt. +Kelvollisia säkeitä ovat: {valid}. + +Käytäthän välilyöntiä säkeiden erottamiseen. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Vastaavaa säettä "{invalid}" ei lötynyt. +Kelvollisia säkeitä ovat: {valid}. + +Käytäthän välilyöntiä säkeiden erottamiseen. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + Seuraavissa säkeissä on käytetty virheellisiä muotoilutunnuksia: + +{tag} + +Ole hyvä ja korjaa tilanne muokkaamalla säkeitä. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + Sinulla on käytössäsi {count} kpl säettä {name} {number}. +Voit käyttää samaa säettä enintään 26 kertaa. + SongsPlugin.EditVerseForm - + Edit Verse Sanojen muokkaus - + &Verse type: &Säkeen tyyppi: - + &Insert &Lisää - + Split a slide into two by inserting a verse splitter. Jaa dia kahteen osaan lisäämällä jakeen jakaja. @@ -8959,77 +9168,77 @@ uusi laulukirja painamalla ”Lisää lauluun” painiketta. Laulujen viennin ohjattu toiminto - + Select Songs Laulujen valinta - + Check the songs you want to export. Valitse laulut, jotka haluat tallentaa. - + Uncheck All Poista valinnat - + Check All Valitse kaikki - + Select Directory Valitse tiedostosijainti - + Directory: Tiedostosijainti: - + Exporting Tallennetaan... - + Please wait while your songs are exported. Lauluja tallennetaan, ole hyvä ja odota hetki. - + You need to add at least one Song to export. Sinun pitää lisätä ainakin yksi laulu vietäväksi. - + No Save Location specified Sijaintia tallennukselle ei ole määritelty - + Starting export... Aloitetaan vienti... - + You need to specify a directory. Sinun täytyy määritellä tiedostosijainti. - + Select Destination Folder Valitse tiedostosijainti. - + Select the directory where you want the songs to be saved. Valitse tiedostosijainti, jonne haluat tallentaa laulut. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. <font size="4">Tämä toiminto auttaa sinua tallentamaan<br> laulusi <strong>OpenLyrics</strong> muotoon. <br><br>Näin OpenLyrics tiedostomuotoa tukevat <br> sovellukset pystyvät käyttämään laulujasi.<br><br> @@ -9039,7 +9248,7 @@ Paina "Seuraava" aloittaaksesi</font> SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Virheellinen Foilpresenter -laulutiedosto. Jakeita ei löydy. @@ -9047,7 +9256,7 @@ Paina "Seuraava" aloittaaksesi</font> SongsPlugin.GeneralTab - + Enable search as you type Etsi jo kirjoitettaessa @@ -9055,7 +9264,7 @@ Paina "Seuraava" aloittaaksesi</font> SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Valitse asiakirja/esitysgrafiikka tiedostot @@ -9065,238 +9274,257 @@ Paina "Seuraava" aloittaaksesi</font> Laulujen tuonti - + 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. <font size="4">Tämä toiminto auttaa sinua tuomaan ohjelmaan lauluja erilaisista tiedostoista. <br><br> Paina ”Seuraava” aloittaaksesi.</font> - + Generic Document/Presentation Geneerinen asiakirja/esitysgrafiikka - + Add Files... Lisää tiedostoja... - + Remove File(s) Poista tiedosto(ja) - + Please wait while your songs are imported. Ole hyvä ja odota, kunnes laulut on tuotu. - + Words Of Worship Song Files Words Of Worship -laulutiedostot - + Songs Of Fellowship Song Files Songs Of Fellowship -laulutiedostot - + SongBeamer Files SongBeamer -laulutiedostot - + SongShow Plus Song Files SongShow Plus -laulutiedostot - + Foilpresenter Song Files Foilpresenter -laulutiedostot - + Copy Kopioi - + Save to File Tallenna tiedostoksi - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Songs of Fellowship tuonti on pois käytöstä, koska OpenLP ei havaitse OpenOffice tai LibreOffice -ohjelmisto asennettuna. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Geneerinen asiakirjan/esitysgrafiikan tuonti on poissa käytöstä, koska OpenLP ei havaitse asennettua OpenOffice tai LiberOffice -ohjelmistoa. - + OpenLyrics Files OpenLyrics tiedostot - + CCLI SongSelect Files CCLI SongSelect tiedostot - + EasySlides XML File EasySlides XML-tiedosto - + EasyWorship Song Database EasyWorship tietokanta - + DreamBeam Song Files DreamBeam laulutiedostot - + You need to specify a valid PowerSong 1.0 database folder. Annetun tiedostosijainnin pitää sisältää toimiva PowerSong 1.0 tietokanta. - + 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>. Ensiksi muunna ZionWorx tietokanta CSV-tekstiksi niin kuin on selitetty <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Käyttöohjeessa</a>. - + SundayPlus Song Files SundayPlus laulutiedostot - + This importer has been disabled. Tämä tuontitoiminto on estetty. - + MediaShout Database MediaShout tietokanta - + 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 tuonti on tuettu ainoastaan Windowsissa. Se on estetty, koska tarvittavaa Python-moduulia ei ole. Jos tahdot käyttää tätä tuontia, sinun pitää asentaa "pyodbc" moduuli. - + SongPro Text Files SongPro tekstitiedostot - + SongPro (Export File) SongPro (vientitiedosto) - + In SongPro, export your songs using the File -> Export menu SongProssa, vie ensin laulut käyttäen File->Export valikkoa. - + EasyWorship Service File EasyWorship Lista - + WorshipCenter Pro Song Files WorshipCenter Pro laulutiedostot - + 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 tuonti on tuettu ainoastaan Windowsissa. Se on estetty, koska tarvittavaa Python-moduulia ei ole. Jos tahdot käyttää tätä tuontia, sinun pitää asentaa "pyodbc" moduuli. - + 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. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics tai OpenLP 2:sta tuotu laulu - + OpenLP 2 Databases OpenLP 2:n tietokannat - + LyriX Files LyriX Tiedostot - + LyriX (Exported TXT-files) Viety LyriX tiedosto (.TXT) - + VideoPsalm Files VideoPsalm:in laulutiedosto - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - VideoPsalm laulukirjat sijaitsevat normaalisti kansiossa %s + + OPS Pro database + OPS Pro Tietokanta + + + + The OPS 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. + OPS Pro tuontia tuetaan ainoastaan Windows käyttöjärjestelmässä. +Se on poistettu käytöstä puuttuvan Python moduulin vuoksi. +Jos haluat käyttää tätä tuontimuotoa, sinun on asennettava Pythonin +"pyodbc" moduuli. + + + + ProPresenter Song Files + ProPresenterin Laulutiedosto + + + + The VideoPsalm songbooks are normally located in {path} + VideoPsalmin laulukirjat sijaitsevat yleensä seuraavassa kansiossa: +{path} SongsPlugin.LyrixImport - Error: %s - Virhe: %s + File {name} + Tiedosto {nimi} + + + + Error: {error} + Virhe: {error} @@ -9315,80 +9543,119 @@ Paina ”Seuraava” aloittaaksesi.</font> SongsPlugin.MediaItem - + Titles Nimi - + Lyrics Sanat - + CCLI License: CCLI Lisenssi - + Entire Song Nimi tai sanat - + Maintain the lists of authors, topics and books. Ylläpidä luetteloa tekijöistä, kappaleista ja laulukirjoista. - + copy For song cloning kopioi - + Search Titles... Hae nimellä... - + Search Entire Song... Hae nimellä tai sanoilla... - + Search Lyrics... Hae sanoilla... - + Search Authors... Hae tekijöitä... - - Are you sure you want to delete the "%d" selected song(s)? - Haluatko varmasti poistaa valitut laulut? -Valittuna poistettavaksi on: %d laulu/laulua - - - + Search Songbooks... Hae Laulukirjan mukaan... + + + Search Topics... + Hae Aiheita... + + + + Copyright + Tekijäinoikeudet + + + + Search Copyright... + Hae Tekijänoikeuksia... + + + + CCLI number + CCLI numero + + + + Search CCLI number... + Hae CCLI numerolla... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + Haluatko varmasti poistaa valitut laulut? + +"{items:d}" + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Ei voi avata MediaShout tietokantaa. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Ei voitu yhdistää OPS Pro tiedostokantaan. + + + + "{title}" could not be imported. {error} + "{title}" ei voitu tuoda. {error} + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Valittu tiedosto ei ole yhteensopiva OpenLP 2:n tietokanta @@ -9396,9 +9663,9 @@ Valittuna poistettavaksi on: %d laulu/laulua SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Tallennetaan "%s"... + + Exporting "{title}"... + Viedään "{title}"... @@ -9417,29 +9684,46 @@ Valittuna poistettavaksi on: %d laulu/laulua Ei lauluja tuotavaksi. - + Verses not found. Missing "PART" header. Jakeita ei löytynyt. Puuttuva "PART" tunniste. - No %s files found. - Ei %s tiedostoja löytynyt. + No {text} files found. + Tiedostoja {text} ei löytynyt. - Invalid %s file. Unexpected byte value. - Virheellinen %s tiedosto. Odottamaton tavun arvo. + Invalid {text} file. Unexpected byte value. + Tiedosto on virheellinen: +{text} + +Odottamaton tavun arvo. - Invalid %s file. Missing "TITLE" header. - Virheellinen %s tiedosto. "TITLE" tunniste puuttuu. + Invalid {text} file. Missing "TITLE" header. + Tiedosto on virheellinen: +{text} + +Puuttuva "TITLE" header. - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Virheellinen %s tiedosto. Puuttuva "COPYRIGHTLINE" tunniste. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Tiedosto on virheellinen: +{text} + +Puuttuva "COPYRIGHTLINE" header. + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + Tiedosto ei ole XML-muodossa, muita tiedostomuotoja ei tueta. @@ -9468,19 +9752,20 @@ Valittuna poistettavaksi on: %d laulu/laulua SongsPlugin.SongExportForm - + Your song export failed. Laulun vienti epäonnistui. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Valmista! Voit avata tiedoston toisessa asennuksessa <strong>OpenLyrics</strong> tuonnin avulla. - - Your song export failed because this error occurred: %s - Laulujen vienti epäonnistui, koska tämä virhe tapahtui: %s + + Your song export failed because this error occurred: {error} + Laulujen vienti epäonnistui. +Virhe: {error} @@ -9496,17 +9781,17 @@ Valittuna poistettavaksi on: %d laulu/laulua Seuraavia lauluja ei voi tuoda: - + Cannot access OpenOffice or LibreOffice OpenOffice tai LibreOffice -ohjelmistoa ei löydy. - + Unable to open file Ei voida avata tiedostoa - + File not found Tiedostoa ei löydy @@ -9514,109 +9799,118 @@ Valittuna poistettavaksi on: %d laulu/laulua SongsPlugin.SongMaintenanceForm - + Could not add your author. Tekijää ei voida lisätä. - + This author already exists. Tämä tekijä on jo olemassa. - + Could not add your topic. Aihetta ei voida lisätä. - + This topic already exists. Aihe on jo olemassa. - + Could not add your book. Kirjaa ei voida lisätä. - + This book already exists. Tämä kirja on jo olemassa. - + Could not save your changes. Muutoksia ei voida tallentaa. - + Could not save your modified author, because the author already exists. Ei voida tallentaa muokattua tekijää, koska tekijä on jo olemassa. - + Could not save your modified topic, because it already exists. Ei voida tallentaa muokattua aihetta, koska se on jo olemassa. - + Delete Author Poista tekijä - + Are you sure you want to delete the selected author? Oletko varma, että haluat poistaa valitun tekijän? - + This author cannot be deleted, they are currently assigned to at least one song. Tätä tekijää ei voida poistaa, koska sitä käytetään ainakin yhdessä laulussa. - + Delete Topic Poista aihe - + Are you sure you want to delete the selected topic? Oletko varma, että haluat poistaa valitun aiheen? - + This topic cannot be deleted, it is currently assigned to at least one song. Tätä aihetta ei voi poistaa, koska se on käytössä ainakin yhdessä laulussa. - + Delete Book Poista kirja - + Are you sure you want to delete the selected book? Haluatko varmasti poistaa valitun kirjan? - + This book cannot be deleted, it is currently assigned to at least one song. Tätä kirjaa ei voi poistaa, koska sitä käytetään ainakin yhdessä laulussa. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Tekijä %s on jo olemassa. Tahdotko muuttaa ne laulut, jotka on tehnyt %s käyttämään tekijänä %s. + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + Tekijä {original} on jo olemassa. +Haluatko käyttää {original} tekijää +uuden tekijän sijaan niissä lauluissa +joissa uusi tekijä {new} esiintyy? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Aihe %s on jo olemassa. Tahdotko muuttaa laulut aiheella %s käyttämään olemassa olevaa aihetta %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + Aihe {original} on jo olemassa. +Haluatko käyttää {original} aihetta +uuden aiheen sijaan niissä lauluissa +joissa uusi aihe {new} esiintyy? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Kirja %s on jo olemassa. Tahdotko muuttaa ne laulut, jotka kuuluvat kirjaan %s kuulumaan kirjaan %s. + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + Laulukirja {original} on jo olemassa. +Haluatko käyttää {original} kirjaa +uuden kirjan sijaan niissä lauluissa +joissa uusi kirja {new} esiintyy? @@ -9662,52 +9956,47 @@ Valittuna poistettavaksi on: %d laulu/laulua Etsi - - Found %s song(s) - Löytyi %s laulu(a) - - - + Logout Kirjaudu ulos - + View Näytä - + Title: Nimi: - + Author(s): Tekijä(t): - + Copyright: Tekijäinoikeudet: - + CCLI Number: CCLI numero: - + Lyrics: Sanoitus: - + Back Takaisin - + Import Tuo tiedosta… @@ -9747,7 +10036,7 @@ Valittuna poistettavaksi on: %d laulu/laulua Kirjautumisessa oli ongelmia, ehkä käyttäjätunnus tai salasana on virheellinen? - + Song Imported Laulu on tuotu @@ -9762,7 +10051,7 @@ Valittuna poistettavaksi on: %d laulu/laulua Tästä laulusta puuttuu osa tiedoista, kuten sanoitus ja sitä ei voi täten tuoda. - + Your song has been imported, would you like to import more songs? Laulusi on tuotu, haluaisitko tuoda lisää lauluja? @@ -9771,6 +10060,11 @@ Valittuna poistettavaksi on: %d laulu/laulua Stop Lopeta + + + Found {count:d} song(s) + {count:d} laulu(a) löydettiin + SongsPlugin.SongsTab @@ -9779,30 +10073,30 @@ Valittuna poistettavaksi on: %d laulu/laulua Songs Mode Laulut - - - Display verses on live tool bar - Näytä jakeet Esityksen-työkalurivillä - Update service from song edit Päivitä Lista laulun muokkauksesta - - - Import missing songs from service files - Tuo puuttuvat laulut Listatiedostoista - Display songbook in footer Näytä laulukirja alatunnisteessa + + + Enable "Go to verse" button in Live panel + Näytä "Valitse säe" Esityksen paneelissa + + + + Import missing songs from Service files + Tuo puuttuvat laulut Listatiedostoista + - Display "%s" symbol before copyright info - Näytä "%s" symboli ennen tekijäinoikeusinfoa. + Display "{symbol}" symbol before copyright info + Näytä "{symbol}" merkki tekijänoikeuksien edessä @@ -9826,37 +10120,37 @@ Valittuna poistettavaksi on: %d laulu/laulua SongsPlugin.VerseType - + Verse Säe - + Chorus Kertosäe - + Bridge Bridge (C-osa) - + Pre-Chorus Esi-kertosäe - + Intro Intro - + Ending Lopetus - + Other Muu @@ -9864,22 +10158,26 @@ Valittuna poistettavaksi on: %d laulu/laulua SongsPlugin.VideoPsalmImport - - Error: %s - Virhe: %s + + Error: {error} + Virhe: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Virheellinen Words of Worship tiedosto. Puuttuva "%s" otsikko.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + Words of Worship laulutiedosto on virheellinen. +Seuraavaa tunnistetta ei löydetty: +"{text}" header. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Virheellinen Words of Worship tiedosto. Puuttuva "%s" merkkijono.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + Words of Worship laulutiedosto on virheellinen. +Seuraavaa tietoa ei löydetty: +"{text}" string. @@ -9890,30 +10188,31 @@ Valittuna poistettavaksi on: %d laulu/laulua Virhe luettaessa CSV-tiedostoa. - - Line %d: %s - Rivi %d. %s - - - - Decoding error: %s - Dekoodauksen virhe: %s - - - + File not valid WorshipAssistant CSV format. Tiedosto ei ole kelvollista WorshipAssistant CSV muotoa. - - Record %d - Tietue %d + + Line {number:d}: {error} + Rivi {number:d}: {error} + + + + Record {count:d} + Löytyi {count:d} kappaletta + + + + Decoding error: {error} + Virhe tiedoston lukemisessa: {error} +(decoding error) SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Yhdistäminen WorshipCenter Pro tietokantaan ei onnistu. @@ -9926,25 +10225,31 @@ Valittuna poistettavaksi on: %d laulu/laulua Virhe luettaessa CSV-tiedostoa. - + File not valid ZionWorx CSV format. Tiedosto ei ole kelvollista ZionWorx CSV -muotoa. - - Line %d: %s - Rivi %d. %s - - - - Decoding error: %s - Dekoodauksen virhe: %s - - - + Record %d Tietue %d + + + Line {number:d}: {error} + Rivi {number:d}: {virhe} + + + + Record {index} + Tietue {index} + + + + Decoding error: {error} + Virhe tiedoston lukemisessa: {error} +(decoding error) + Wizard @@ -9954,7 +10259,7 @@ Valittuna poistettavaksi on: %d laulu/laulua Avustaja - + 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. Tämä avustaja auttaa päällekkäisten laulujen löytämisessä. @@ -9962,34 +10267,955 @@ Avustaja hakee päällekkäisiä lauluja, voit itse valita poistatko ne vai et. Avustaja ei siis poista lauluja ilman hyväksyntääsi. - + Searching for duplicate songs. Etsitään päällekkäisiä lauluja... - + Please wait while your songs database is analyzed. Ole hyvä ja odota, kunnes laulutietokanta on analysoitu. - + Here you can decide which songs to remove and which ones to keep. Täällä voit päättää, mitkä laulut poistetaan ja mitkä säilytetään. - - Review duplicate songs (%s/%s) - Päällekkäisten laulujen tarkastelu (%s/%s) - - - + Information Tietoa - + No duplicate songs have been found in the database. Päällekkäisiä lauluja ei löytynyt. + + + Review duplicate songs ({current}/{total}) + Päällekkäisten laulujen tarkistus ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + oromo + + + + Abkhazian + Language code: ab + abhaasi + + + + Afar + Language code: aa + afar + + + + Afrikaans + Language code: af + afrikaans + + + + Albanian + Language code: sq + Albania + + + + Amharic + Language code: am + amhara + + + + Amuzgo + Language code: amu + amuzgo + + + + Ancient Greek + Language code: grc + muinaiskreikka + + + + Arabic + Language code: ar + arabia + + + + Armenian + Language code: hy + armenia + + + + Assamese + Language code: as + assami + + + + Aymara + Language code: ay + aimara + + + + Azerbaijani + Language code: az + azerbaidžani + + + + Bashkir + Language code: ba + baškiiri + + + + Basque + Language code: eu + baski + + + + Bengali + Language code: bn + bengali + + + + Bhutani + Language code: dz + bhutan + + + + Bihari + Language code: bh + bihari + + + + Bislama + Language code: bi + bislama + + + + Breton + Language code: br + bretoni + + + + Bulgarian + Language code: bg + bulgaria + + + + Burmese + Language code: my + burma + + + + Byelorussian + Language code: be + valkovenäjä + + + + Cakchiquel + Language code: cak + caksiquel + + + + Cambodian + Language code: km + kambodza + + + + Catalan + Language code: ca + katalaani + + + + Chinese + Language code: zh + kiina + + + + Comaltepec Chinantec + Language code: cco + Comaltepec Chinantec + + + + Corsican + Language code: co + korsika + + + + Croatian + Language code: hr + kroatia + + + + Czech + Language code: cs + tšekki + + + + Danish + Language code: da + tanska + + + + Dutch + Language code: nl + hollanti + + + + English + Language code: en + Suomi + + + + Esperanto + Language code: eo + esperanto + + + + Estonian + Language code: et + viro + + + + Faeroese + Language code: fo + fääri + + + + Fiji + Language code: fj + fidži + + + + Finnish + Language code: fi + suomi + + + + French + Language code: fr + ranska + + + + Frisian + Language code: fy + friisi + + + + Galician + Language code: gl + gaeli + + + + Georgian + Language code: ka + georgia + + + + German + Language code: de + Saksa + + + + Greek + Language code: el + kreikka + + + + Greenlandic + Language code: kl + grönlanti + + + + Guarani + Language code: gn + guarani + + + + Gujarati + Language code: gu + gudžarati + + + + Haitian Creole + Language code: ht + haiti + + + + Hausa + Language code: ha + hausa + + + + Hebrew (former iw) + Language code: he + heprea + + + + Hiligaynon + Language code: hil + hiligaino + + + + Hindi + Language code: hi + hindi + + + + Hungarian + Language code: hu + Unkari + + + + Icelandic + Language code: is + islanti + + + + Indonesian (former in) + Language code: id + indonesia + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Interlingue + + + + Inuktitut (Eskimo) + Language code: iu + inuktitut + + + + Inupiak + Language code: ik + inupiatun + + + + Irish + Language code: ga + irlanti + + + + Italian + Language code: it + italia + + + + Jakalteko + Language code: jac + jakalteko + + + + Japanese + Language code: ja + japani + + + + Javanese + Language code: jw + jaava + + + + K'iche' + Language code: quc + k'iche' + + + + Kannada + Language code: kn + kannada + + + + Kashmiri + Language code: ks + kašmiri + + + + Kazakh + Language code: kk + kazakki + + + + Kekchí + Language code: kek + Kekchí + + + + Kinyarwanda + Language code: rw + ruanda + + + + Kirghiz + Language code: ky + Kirgiisi + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Korea + + + + Kurdish + Language code: ku + Kurdi + + + + Laothian + Language code: lo + Lao + + + + Latin + Language code: la + Latina + + + + Latvian, Lettish + Language code: lv + latvia + + + + Lingala + Language code: ln + Lingala + + + + Lithuanian + Language code: lt + Liettua + + + + Macedonian + Language code: mk + makedonia + + + + Malagasy + Language code: mg + Madagaskarin + + + + Malay + Language code: ms + Malaiji + + + + Malayalam + Language code: ml + Malajalam + + + + Maltese + Language code: mt + malta + + + + Mam + Language code: mam + Mam + + + + Maori + Language code: mi + maori + + + + Maori + Language code: mri + maori + + + + Marathi + Language code: mr + Marathi + + + + Moldavian + Language code: mo + moldova + + + + Mongolian + Language code: mn + mongolia + + + + Nahuatl + Language code: nah + Nahuatl + + + + Nauru + Language code: na + Nauru + + + + Nepali + Language code: ne + nepal + + + + Norwegian + Language code: no + norja + + + + Occitan + Language code: oc + oksitaani + + + + Oriya + Language code: or + Oriya + + + + Pashto, Pushto + Language code: ps + pashtu + + + + Persian + Language code: fa + persia + + + + Plautdietsch + Language code: pdt + Plautdietsch + + + + Polish + Language code: pl + puola + + + + Portuguese + Language code: pt + portugali + + + + Punjabi + Language code: pa + punjabi + + + + Quechua + Language code: qu + Quechua + + + + Rhaeto-Romance + Language code: rm + rheto-romania + + + + Romanian + Language code: ro + romania + + + + Russian + Language code: ru + venäjä + + + + Samoan + Language code: sm + samoa + + + + Sangro + Language code: sg + Sangro + + + + Sanskrit + Language code: sa + sanskriitti + + + + Scots Gaelic + Language code: gd + Gaeli + + + + Serbian + Language code: sr + serbia + + + + Serbo-Croatian + Language code: sh + Serbokroaatti + + + + Sesotho + Language code: st + Sesotho + + + + Setswana + Language code: tn + Setswana + + + + Shona + Language code: sn + Shona + + + + Sindhi + Language code: sd + Sindhi + + + + Singhalese + Language code: si + Sinhalese + + + + Siswati + Language code: ss + Swati + + + + Slovak + Language code: sk + slovakia + + + + Slovenian + Language code: sl + Slovenia + + + + Somali + Language code: so + somalia + + + + Spanish + Language code: es + espanja + + + + Sudanese + Language code: su + sudan + + + + Swahili + Language code: sw + swahili + + + + Swedish + Language code: sv + ruotsi + + + + Tagalog + Language code: tl + Tagalog + + + + Tajik + Language code: tg + Tadžikki + + + + Tamil + Language code: ta + Tamili + + + + Tatar + Language code: tt + tataari + + + + Tegulu + Language code: te + Tegulu + + + + Thai + Language code: th + thai + + + + Tibetan + Language code: bo + tiibet + + + + Tigrinya + Language code: ti + Tigrinya + + + + Tonga + Language code: to + Tonga + + + + Tsonga + Language code: ts + Tsonga + + + + Turkish + Language code: tr + turkki + + + + Turkmen + Language code: tk + turkmen + + + + Twi + Language code: tw + Twi + + + + Uigur + Language code: ug + Uiguuri + + + + Ukrainian + Language code: uk + ukraina + + + + Urdu + Language code: ur + urdu + + + + Uspanteco + Language code: usp + Uspanteco + + + + Uzbek + Language code: uz + uzbek + + + + Vietnamese + Language code: vi + vietnam + + + + Volapuk + Language code: vo + Volapük + + + + Welch + Language code: cy + Welch + + + + Wolof + Language code: wo + Wolof + + + + Xhosa + Language code: xh + Xhosa + + + + Yiddish (former ji) + Language code: yi + Jiddiš (ennen ji) + + + + Yoruba + Language code: yo + Joruba + + + + Zhuang + Language code: za + Zhuang + + + + Zulu + Language code: zu + zulu + + + diff --git a/resources/i18n/fr.ts b/resources/i18n/fr.ts index 30d4f0fdc..1ab4b461d 100644 --- a/resources/i18n/fr.ts +++ b/resources/i18n/fr.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Voulez-vous tout de même continuer ? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Le texte d'alerte ne contient pas '<>'. Voulez-vous tout de même continuer ? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Vous n'avez pas spécifié de texte pour votre alerte. Veuillez entrer votre message puis cliquer sur Nouveau. @@ -120,32 +121,27 @@ Veuillez entrer votre message puis cliquer sur Nouveau. AlertsPlugin.AlertsTab - + Font Police - + Font name: Nom de la police : - + Font color: Couleur de la police : - - Background color: - Couleur de fond : - - - + Font size: Taille de la police : - + Alert timeout: Temps d'alerte : @@ -153,88 +149,78 @@ Veuillez entrer votre message puis cliquer sur Nouveau. 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. Importer 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évisualiser 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. - Genesis @@ -739,160 +725,121 @@ Veuillez entrer votre message puis cliquer sur Nouveau. Cette Bible existe déjà. Veuillez importer une autre Bible ou supprimer la Bible existante. - - You need to specify a book name for "%s". - Vous devez spécifier un nom de livre pour "%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. - Le nom du livre "%s" est incorrect. -Les nombres peuvent être utilisés uniquement au début et doivent être suivis par un ou plusieurs caractères non numériques. - - - + Duplicate Book Name Dupliquer le nom du livre - - The Book Name "%s" has been entered more than once. - Le nom du livre "%s" a été entré plus d'une fois. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + 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 + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Votre référence biblique n'est pas supportée par OpenLP ou est invalide. Veuillez vous assurer que votre référence est conforme à l'un des motifs ci-dessous ou consultez le manuel d'utilisation :⏎ -⏎ -Livre Chapitre⏎ -Livre Chapitre%(range)sChapitre⏎ -Livre Chapitre%(verse)sVerset%(range)sVerset⏎ -Livre Chapitre%(verse)sVerset%(range)sVerset%(list)sVerset%(range)sVerset⏎ -Livre Chapitre%(verse)sVerset%(range)sVerset%(list)sChapitre%(verse)sVerset%(range)sVerset⏎ -Livre Chapitre%(verse)sVerset%(range)sChapitre%(verse)sVerset +This means that the currently used Bible +or Second Bible is installed as Web Bible. + +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Affichage de versets - + Only show new chapter numbers Afficher uniquement les nouveaux numéros de chapitre - + Bible theme: Thème : - + No Brackets Pas de parenthèses - + ( And ) ( et ) - + { And } { et } - + [ And ] [ et ] - - Note: -Changes do not affect verses already in the service. - Remarque : -Les modifications ne s'appliquent pas aux versets déjà dans le service. - - - + Display second Bible verses Afficher les versets de la seconde Bible - + Custom Scripture References Références bibliques personnalisées - - Verse Separator: - Séparateur de verset : - - - - Range Separator: - Séparateur d'intervalle : - - - - List Separator: - Séparateur de liste : - - - - End Mark: - Marque de fin : - - - + 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. @@ -901,37 +848,83 @@ Ils doivent être séparés par la barre verticale "|".⏎ Veuillez supprimer cette ligne pour utiliser la valeur par défaut. - + English Français - + Default Bible Language Langue de la bible par défaut - + Book name language in search field, search results and on display: Langue du livre dans le champ de recherche, résultats de recherche et à l'affichage : - + Bible Language Langue de la bible - + Application Language Langue de l'application - + Show verse numbers Voir les numéros de versets + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -987,70 +980,71 @@ résultats de recherche et à l'affichage : BiblesPlugin.CSVBible - - Importing books... %s - Import des livres... %s + + Importing books... {book} + - - Importing verses... done. - Import des versets... terminé. + + Importing verses from {book}... + Importing verses from <book name>... + BiblesPlugin.EditBibleForm - + Bible Editor Éditeur de bible - + License Details Détails de la licence - + Version name: Nom de la version : - + Copyright: Droits d'auteur : - + Permissions: Autorisations : - + Default Bible Language Langue de la bible par défaut - + Book name language in search field, search results and on display: Langue du livre dans le champ de recherche, résultats de recherche et à l'affichage : - + Global Settings Paramètres généraux - + Bible Language Langue de la bible - + Application Language Langue de l'application - + English Français @@ -1070,225 +1064,260 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. Bible enregistrée. Veuillez noter que les versets seront téléchargés à la demande, par conséquent une connexion Internet sera nécessaire. - + Click to download bible list Cliquer pour télécharger la liste des bibles - + Download bible list Télécharge la liste des bibles - + Error during download Erreur durant le téléchargement - + An error occurred while downloading the list of bibles from %s. Une erreur est survenue lors du téléchargement de la liste des bibles depuis %s. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1319,293 +1348,155 @@ Ce n'est pas possible de personnaliser le nom des livres. BiblesPlugin.MediaItem - - Quick - Rapide - - - + Find: Recherche : - + Book: Carnet de chants : - + Chapter: Chapitre : - + Verse: Verset : - + From: De : - + To: A : - + Text Search Recherche de texte - + Second: Deuxième : - + Scripture Reference Référence biblique - + Toggle to keep or clear the previous results. Cocher pour garder ou effacer le résultat précédent. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Vous ne pouvez pas combiner les résultats de recherche pour les versets bibliques simples et doubles. Voulez-vous effacer les résultats et effectuer une nouvelle recherche ? - + Bible not fully loaded. Bible partiellement chargée. - + Information 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. - La seconde Bible ne contient pas tous les versets présents dans la Bible principale. Seulement les versets trouvés dans les deux Bibles seront affichés. %d versets n'ont pas été inclus dans les résultats. - - - + Search Scripture Reference... Recherche de référence biblique... - + Search Text... Recherche dans le texte... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Recherche + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Êtes-vous sûrs de vouloir complètement supprimer la Bible "%s" d'OpenLP? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -Vous devrez réimporter cette Bible avant de pouvoir l'utiliser de nouveau. - - - - Advanced - Avancé - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Fichier Bible incorrect. Les Bibles OpenSong peuvent être compressées. Vous devez les décompresser avant de les importer. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - Fichier Bible incorrect. Ca ressemble à une bible au format Zefania XML, veuillez utiliser les options d'import Zefania. - - - - BiblesPlugin.Opensong - - - Importing %(bookname)s %(chapter)s... - Import de %(bookname)s %(chapter)s... +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Retirer les balises inutilisées (cela peut prendre quelques minutes)... - - Importing %(bookname)s %(chapter)s... - Import de %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Sélectionner un répertoire de sauvegarde + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Assistant de mise a jours des Bibles - - - - 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. - Cet assistant vous permet de mettre à jour vos Bibles de version antérieures à OpenLP 2. Cliquer sur le bouton suivant ci-dessous afin de commencer le processus de mise a jour. - - - - Select Backup Directory - Sélectionner un répertoire de sauvegarde - - - - Please select a backup directory for your Bibles - Veuillez sélectionner un répertoire de sauvegarde pour vos 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>. - Les versions précédentes d'OpenLP 2.0 ne sont pas capables d'utiliser les Bibles mises à jour. Une sauvegarde de vos Bibles va être effectuée de sorte que vous puissiez simplement copier ces fichiers vers votre répertoire de données d'OpenLP si vous avez besoin de revenir à une version précédente de OpenLP. La procédure de restauration des fichiers est disponible dans notre <a href="http://wiki.openlp.org/faq">Foire aux questions</ a>. - - - - Please select a backup location for your Bibles. - Veuillez sélectionner un répertoire de sauvegarde pour vos Bibles. - - - - Backup Directory: - Répertoire de sauvegarde : - - - - There is no need to backup my Bibles - Il n'est pas nécessaire de sauvegarder mes Bibles - - - - Select Bibles - Sélectionner des Bibles - - - - Please select the Bibles to upgrade - Veuillez sélectionner les Bibles à mettre à jour - - - - Upgrading - Mise à jour - - - - Please wait while your Bibles are upgraded. - Merci de patienter durant la mise à jour de vos Bibles. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - La sauvegarde à échouée. -Pour sauvegarder vos Bibles vous devez disposer des droits en écriture sur le répertoire donné. - - - - Upgrading Bible %s of %s: "%s" -Failed - Mise à jour de la Bible %s sur %s : "%s" -Échouée - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Mise a jour de la Bible %s sur %s : "%s" -Mise à jour ... - - - - Download Error - Erreur de téléchargement - - - - To upgrade your Web Bibles an Internet connection is required. - Pour mettre à jour vos Bibles Web, une connexion à Internet est nécessaire. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Mise a jour de la Bible %s sur %s : "%s" -Mise à jour %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Mise a jour de la Bible %s sur %s : "%s" -Terminée - - - - , %s failed - , %s échouée - - - - Upgrading Bible(s): %s successful%s - Mise à jour de(s) (la) Bible(s) : %s avec succès%s - - - - Upgrade failed. - La mise à jour a échouée. - - - - You need to specify a backup directory for your Bibles. - Vous devez spécifier un répertoire de sauvegarde pour vos Bibles. - - - - Starting upgrade... - Démarrage de la mise à jour... - - - - There are no Bibles that need to be upgraded. - Il n'y a pas de Bibles à mettre à jour. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Mise a jour de(s) (la) Bible(s) : %(success)d avec succès%(failed_text)s -Veuillez noter que les versets des Bibles Web seront téléchargés à la demande, par conséquent une connexion Internet sera nécessaire. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Fichier Bible incorrecte. Les bibles Zefania peuvent être compressées. Vous devez les décompresser avant de les importer. @@ -1613,9 +1504,9 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Import de %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1730,7 +1621,7 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand Édite toutes les diapositives en une. - + Split a slide into two by inserting a slide splitter. Sépare la diapositive en deux en insérant un séparateur de diapositive. @@ -1745,7 +1636,7 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand &Crédits : - + You need to type in a title. Vous devez spécifier un titre. @@ -1755,12 +1646,12 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand Édite &tous - + Insert Slide Insère une diapositive - + You need to add at least one slide. Vous devez ajouter au moins une diapositive. @@ -1768,7 +1659,7 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand CustomPlugin.EditVerseForm - + Edit Slide Éditer la diapo @@ -1776,9 +1667,9 @@ 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 "%d" selected custom slide(s)? - Etes-vous sur de vouloir supprimer les "%d" diapositive(s) personnalisée(s) sélectionnée(s) ? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1806,11 +1697,6 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand container title Images - - - Load a new image. - Charge une nouvelle image. - Add a new image. @@ -1841,6 +1727,16 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand Add the selected image to the service. Ajoute l'image sélectionnée au service. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1865,12 +1761,12 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand Vous devez entrer un nom de groupe. - + Could not add the new group. Impossible d'ajouter un nouveau groupe. - + This group already exists. Ce groupe existe déjà. @@ -1906,7 +1802,7 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand ImagePlugin.ExceptionDialog - + Select Attachment Sélectionner un objet @@ -1914,39 +1810,22 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand ImagePlugin.MediaItem - + Select Image(s) Sélectionner 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. @@ -1956,25 +1835,41 @@ Voulez-vous ajouter les autres images malgré tout ? -- Groupe principal -- - + You must select an image or group to delete. Vous devez sélectionner une image ou un groupe à supprimer. - + Remove group Retirer un groupe - - Are you sure you want to remove "%s" and everything in it? - Etes-vous sûr de vouloir supprimer %s et tout ce qu'il contient ? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Fond d'écran visible pour les images avec un ratio différent de celui de l'écran. @@ -1982,27 +1877,27 @@ Voulez-vous ajouter les autres images malgré tout ? Media.player - + Audio Audio - + Video Vidéo - + VLC is an external player which supports a number of different formats. VLC est un lecteur externe qui supporte de nombreux formats différents. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit est un lecteur de médias embarqué dans un navigateur. Ce lecteur permet l'affichage de texte sur de la vidéo. - + This media player uses your operating system to provide media capabilities. Ce lecteur multimédia s'appuie sur les capacités de votre système d'exploitation. @@ -2010,60 +1905,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évisualiser 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. @@ -2179,47 +2074,47 @@ Voulez-vous ajouter les autres images malgré tout ? VLC player n'arrive pas à lire le média - + CD not loaded correctly CD incorrectement chargé - + The CD was not loaded correctly, please re-load and try again. Le CD ne s'est pas correctement chargé, merci de le recharger. - + DVD not loaded correctly DVD incorrectement chargé - + The DVD was not loaded correctly, please re-load and try again. Le DVD ne s'est pas correctement chargé, merci de le recharger. - + Set name of mediaclip Nommer le clip multimédia - + Name of mediaclip: Nom du clip multimédia : - + Enter a valid name or cancel Entrer un nom valide ou annuler - + Invalid character Caractère invalide - + The name of the mediaclip must not contain the character ":" Le nom du clip multimédia ne soit pas contenir de caractère ":" @@ -2227,90 +2122,100 @@ Voulez-vous ajouter les autres images malgré tout ? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Fichier non supporté - + Use Player: Utiliser le lecteur : - + VLC player required Lecteur VLC requis - + VLC player required for playback of optical devices Lecteur VLC requis pour lire les périphériques optiques - + Load CD/DVD Charger CD/DVD - - Load CD/DVD - only supported when VLC is installed and enabled - Charger CD/DVD - seulement supporté si VLC est installé et activé - - - - The optical disc %s is no longer available. - Le disque optique %s n'est plus disponible. - - - + Mediaclip already saved Clip multimédia déjà sauvegardé - + This mediaclip has already been saved Ce clip multimédia a déjà été sauvegardé + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2321,94 +2226,93 @@ Voulez-vous ajouter les autres images malgré tout ? - Start Live items automatically - Démarrer les articles du live automatiquement - - - - OPenLP.MainWindow - - - &Projector Manager - Gestionnaire de &projecteurs + Start new Live media automatically + OpenLP - + Image Files Fichiers image - - Information - Information - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Le format de Bible à changé. -Vous devez mettre à jour vos Bibles existantes. -Voulez-vous que OpenLP effectue la mise à jour maintenant ? - - - + Backup Sauvegarde - - OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - OpenLP a été mis à jour, voulez-vous faire sauvegarder le répertoire de données d'OpenLP ? - - - + Backup of the data folder failed! Sauvegarde du répertoire des données échoué ! - - A backup of the data folder has been created at %s - Une sauvegarde du répertoire des données a été créée à %s - - - + Open Ouvrir + + + Video Files + + + + + Data Directory Error + Erreur du dossier de données + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Crédits - + License Licence - - build %s - révision %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. Ce programme est un logiciel libre; vous pouvez le redistribuer et/ou le modifier au titre des clauses de la Licence Publique Générale GNU, telle que publiée par la Free Software Foundation; version 2 de la Licence. - + 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. Ce programme est distribué dans l'espoir qu'il sera utile, mais SANS AUCUNE GARANTIE, sans même la garantie implicite de COMMERCIALISATION ou D'ADAPTATION A UN USAGE PARTICULIER. Voir ci-dessous pour plus de détails. - + 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. @@ -2425,174 +2329,157 @@ Apprenez-en plus au sujet d'OpenLP: http://openlp.org OpenLP est développé et maintenu par des bénévoles. Si vous souhaitez voir développer d'autres logiciels libres chrétiens, envisagez de devenir bénévole en cliquant le bouton ci-dessous. - + Volunteer Aidez-nous - + Project Lead Chef de projet - + Developers Développeurs - + Contributors Contributeurs - + Packagers Packageurs - + Testers Testeurs - + Translators Traducteurs - + Afrikaans (af) Afrikaans (af) - + Czech (cs) Tchèque (cs) - + Danish (da) Danois (da) - + German (de) Allemand (de) - + Greek (el) Grec (el) - + English, United Kingdom (en_GB) Anglais, Royaume Uni (en_GB) - + English, South Africa (en_ZA) Anglais, Afrique du Sud (en_ZA) - + Spanish (es) Espanol (es) - + Estonian (et) Estonien (et) - + Finnish (fi) Finlandais (fi) - + French (fr) Français (fr) - + Hungarian (hu) Hongrois (hu) - + Indonesian (id) Indonésien (id) - + Japanese (ja) Japonais (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norvégien bokmål (nb) - + Dutch (nl) Hollandais (nl) - + Polish (pl) Polonais (pl) - + Portuguese, Brazil (pt_BR) Portugais, Brésil (pt_BR) - + Russian (ru) Russe (ru) - + Swedish (sv) Suédois (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamil, Sri-Lanka (ta_LK) - + Chinese(China) (zh_CN) Chinois, Chine (zh_CN) - + Documentation Documentation - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Développé avec - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: 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 @@ -2610,332 +2497,244 @@ OpenLP est développé et maintenu par des bénévoles. Si vous souhaitez voir d Le crédit final revient à Dieu notre père pour avoir envoyé son fils mourir sur la croix afin de nous délivrer du péché. Nous mettons ce logiciel à votre disposition gratuitement parce qu'il nous a donné gratuitement. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Propriétés de l'interface utilisateur - - - Number of recent files to display: - Nombre de fichiers récents à afficher : - - Remember active media manager tab on startup - Se souvenir de l'onglet actif du gestionnaire de média au démarrage - - - - Double-click to send items straight to live - Double-cliquer pour envoyer les éléments directement au live - - - Expand new service items on creation Étendre les nouveaux éléments du service à la création - + Enable application exit confirmation Demander une confirmation avant de quitter l'application - + Mouse Cursor Curseur de la souris - + Hide mouse cursor when over display window Cacher le curseur de la souris quand elle se trouve sur l'écran live - - Default Image - Image par défaut - - - - Background color: - Couleur de fond : - - - - Image file: - Fichier image : - - - + Open File Ouvrir un fichier - + Advanced Avancé - - - Preview items when clicked in Media Manager - Prévisualiser l’élément cliqué du gestionnaire de média - - Browse for an image file to display. - Parcoure pour trouver une image à afficher. - - - - Revert to the default OpenLP logo. - Retour au logo OpenLP par défaut. - - - Default Service Name Nom de service par défaut - + Enable default service name Activer le nom de service par défaut - + Date and Time: Date et Heure : - + Monday Lundi - + Tuesday Mardi - + Wednesday Mercredi - + Friday Vendredi - + Saturday Samedi - + Sunday Dimanche - + Now Maintenant - + Time when usual service starts. Heure de début du service habituelle. - + Name: Nom : - + Consult the OpenLP manual for usage. Veuillez consulter le manuel d'OpenLP. - - Revert to the default service name "%s". - Restaurer le nom du service par défaut "%s". - - - + Example: Exemple : - + Bypass X11 Window Manager Contourner le gestionnaire de fenêtres X11 - + Syntax error. Erreur de syntaxe. - + Data Location Emplacement des données - + Current path: Chemin courant : - + Custom path: Chemin personnalisé : - + Browse for new data file location. Sélectionnez un nouvel emplacement pour le fichier de données. - + Set the data location to the default. Définir cet emplacement pour les données comme emplacement par défaut. - + Cancel Annuler - + Cancel OpenLP data directory location change. Annuler le changement d'emplacement du dossier de données d'OpenLP. - + Copy data to new location. Copier les données vers un nouvel emplacement. - + Copy the OpenLP data files to the new location. Copier les fichiers de données d'OpenLP vers le nouvel emplacement. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>ATTENTION:</strong> Le nouveau dossier de données contient des fichiers de données OpenLP. Ces fichiers seront remplacés pendant la copie. - - Data Directory Error - Erreur du dossier de données - - - + Select Data Directory Location Sélectionnez un emplacement pour le dossier de données - + Confirm Data Directory Change Confirmez le changement de dossier de données - + Reset Data Directory Remise à zéro du dossier de données - + Overwrite Existing Data Écraser les données existantes - - 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. - Le répertoire de données d'OpenLP est introuvable: - -%s - -Ce répertoire de données a été changé de l'emplacement par défaut. Si le nouvel emplacement est sur un support amovible, ce support doit être rendu disponible. - -Cliquez "non" pour arreter le chargement d'OpenLP. Vous pourrez alors corriger le problème. - -Cliquez "oui" pour réinitialiser le répertoire de données à son emplacement par défaut. - - - - 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. - Êtes-vous sûrs de vouloir changer l'emplacement du répertoire de données d'OpenLP? Le nouveau répertoire sera: -%s - -Le répertoire de données changera lorsque vous fermerez OpenLP. - - - + Thursday Jeudi - + Display Workarounds Afficher contournements - + Use alternating row colours in lists Utiliser une couleur de ligne alternative dans la liste - - 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? - AVERTISSEMENT: - -L'emplacement que vous avez sélectionné - -%s - -contient apparemment des fichiers de données OpenLP. Voulez-vous remplacer ces fichiers avec les fichiers de données courants? - - - + Restart Required Redémarrage requis - + This change will only take effect once OpenLP has been restarted. Cette modification ne prendra effet qu'une fois OpenLP redémarré. - + 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. @@ -2943,11 +2742,142 @@ This location will be used after OpenLP is closed. Cet emplacement sera utilisé après avoir fermé OpenLP. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatique + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Clique pour sélectionner une couleur. @@ -2955,252 +2885,252 @@ Cet emplacement sera utilisé après avoir fermé OpenLP. OpenLP.DB - + 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 - + Digital 1 Numérique 1 - + Digital 2 Numérique 2 - + Digital 3 Numérique 3 - + Digital 4 Numérique 4 - + Digital 5 Numérique 5 - + Digital 6 Numérique 6 - + Digital 7 Numérique 7 - + Digital 8 Numérique 8 - + Digital 9 Numérique 9 - + 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 @@ -3208,62 +3138,74 @@ Cet emplacement sera utilisé après avoir fermé OpenLP. OpenLP.ExceptionDialog - + Error Occurred Erreur survenue - + Send E-Mail Envoyer un courriel - + Save to File Enregistre dans un fichier - + Attach File Attacher un fichier - - - Description characters to enter : %s - Description : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Veuillez entrer une description de ce que vous faisiez au moment de l'erreur. Écrivez si possible en anglais. -(Minimum 20 caractères) - - 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. Also attach any files that triggered the problem. - Oups! OpenLP a rencontré un problème et ne peut pas continuer à s'exécuter. Le texte dans le champ ci-dessous contient des informations qui pourraient être utiles aux développeurs d'OpenLP, veuillez s'il vous plaît envoyer un courriel à bugs@openlp.org, avec une description détaillée de ce que vous faisiez lorsque le problème est survenu. Veuillez joindre également les fichiers qui ont provoqués l'erreur. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Plateforme : %s - - - - + Save Crash Report Enregistrer le rapport d'erreur - + Text files (*.txt *.log *.text) Fichiers texte (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3304,268 +3246,259 @@ Cet emplacement sera utilisé après avoir fermé OpenLP. 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... Activer 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électionner et télécharger des chants du domaine public. - + Sample Bibles Bibles d'exemple - + Select and download free Bibles. Sélectionner et télécharger des Bibles gratuites. - + Sample Themes Exemple de Thèmes - + Select and download sample themes. Sélectionner et télécharger 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électionner 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. - Aucune connexion internet trouvée. L'assistant de démarrage a besoin d'une connexion internet afin de télécharger les examplaires de chansons, de Bibles, et de thèmes. Cliquez sur Finir pour démarrer OpenLP avec la configuration par défaut sans données exemplaires. - -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. Il y a eu un problème de connexion durant le téléchargement, les prochains téléchargements seront ignorés. Esasyez de ré-executer l'Assistant de Premier Démarrage plus tard. - - Download complete. Click the %s button to return to OpenLP. - Téléchargement terminé. Cliquez sur le bouton %s pour revenir à OpenLP. - - - - Download complete. Click the %s button to start OpenLP. - Téléchargement terminé. Cliquez sur le bouton %s pour démarrer OpenLP. - - - - Click the %s button to return to OpenLP. - Cliquez sur le bouton %s pour revenir à OpenLP. - - - - Click the %s button to start OpenLP. - Cliquez sur le bouton %s pour démarrer OpenLP. - - - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Il y a eu un problème de connexion durant le téléchargement, les prochains téléchargements seront ignorés. Esasyez de ré-executer l'Assistant de Premier Démarrage plus tard. - - This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - Cet assistant vous permet de configurer OpenLP pour sa première utilisation. Cliquez sur le bouton %s pour démarrer. - - - - - -To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - - -Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliquez sur le bouton %s maintenant. - - - + Downloading Resource Index Téléchargement de l'index des ressources - + Please wait while the resource index is downloaded. Merci de patienter durant le téléchargement de l'index des ressources. - + Please wait while OpenLP downloads the resource index file... Merci de patienter pendant qu'OpenLP télécharge le fichier d'index des ressources... - + Downloading and Configuring Téléchargement et configuration en cours - + Please wait while resources are downloaded and OpenLP is configured. Merci de patienter pendant le téléchargement des ressources et la configuration d'OpenLP. - + Network Error Erreur réseau - + There was a network error attempting to connect to retrieve initial configuration information Il y a eu une erreur réseau durant la connexion pour la récupération des informations de configuration initiales - - Cancel - Annuler - - - + Unable to download some files Impossible de télécharger certains fichiers + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3608,44 +3541,49 @@ Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliqu OpenLP.FormattingTagForm - + <HTML here> <HTML ici> - + Validation Error Erreur de validation - + Description is missing La description est manquante - + Tag is missing La balise est manquante - Tag %s already defined. - Balise %s déjà définie. + Tag {tag} already defined. + - Description %s already defined. - Description %s déjà définie. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Balise ouvrante %s n'est pas valide au format HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Baliste fermante %(end)s ne correspond pas à la fermeture pour la balise ouvrante %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3734,170 +3672,200 @@ Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliqu OpenLP.GeneralTab - + General Général - + Monitors Moniteurs - + Select monitor for output display: Sélectionner l’écran pour la sortie d'affichage live : - + Display if a single screen Afficher si il n'y a qu'un écran - + Application Startup Démarrage de l'application - + Show blank screen warning Afficher un avertissement d'écran vide - - Automatically open the last service - Ouvrir automatiquement le dernier service - - - + Show the splash screen Afficher l'écran de démarrage - + Application Settings Préférence de l'application - + Prompt to save before starting a new service Demander d'enregistrer avant de commencer un nouveau service - - Automatically preview next item in service - Prévisualiser automatiquement l'élément suivant du service - - - + sec sec - + CCLI Details CCLI détails - + SongSelect username: Nom d'utilisateur SongSelect : - + SongSelect password: Mot de passe SongSelect : - + X X - + Y Y - + Height Hauteur - + Width Largeur - + Check for updates to OpenLP Vérifie si des mises à jours d'OpenLP sont disponibles - - Unblank display when adding new live item - Retirer l'écran noir lors de l'ajout de nouveaux éléments au direct - - - + Timed slide interval: Intervalle de temps entre les diapositives : - + Background Audio Audio en fond - + Start background audio paused Démarrer le son de fond en pause - + Service Item Slide Limits Limites des éléments de service - + Override display position: Surcharger la position d'affichage : - + Repeat track list Répéter la liste des pistes - + Behavior of next/previous on the last/first slide: Comportement suivant/précédent sur la dernière/première diapositive : - + &Remain on Slide &Rester sur la diapositive - + &Wrap around &Retour à la ligne automatique - + &Move to next/previous service item &Déplacer l'élément du service vers suivant/précédent + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Parcoure pour trouver une image à afficher. + + + + Revert to the default OpenLP logo. + Retour au logo OpenLP par défaut. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Langage - + Please restart OpenLP to use your new language setting. Veuillez redémarrer OpenLP pour utiliser votre nouveau paramétrage de langue. @@ -3905,7 +3873,7 @@ Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliqu OpenLP.MainDisplay - + OpenLP Display Affichage OpenLP @@ -3913,352 +3881,188 @@ Pour annuler complètement le premier assistant (et ne pas lancer OpenLP), cliqu OpenLP.MainWindow - + &File &Fichier - + &Import &Import - + &Export E&xport - + &View &Visualiser - - M&ode - M&ode - - - + &Tools &Outils - + &Settings O&ptions - + &Language &Langue - + &Help &Aide - - Service Manager - Gestionnaire de services - - - - Theme Manager - Gestionnaire de thèmes - - - + Open an existing service. Ouvrir un service existant. - + Save the current service to disk. Enregistre le service courant sur le disque. - + Save Service As Enregistrer le service sous - + Save the current service under a new name. Enregistre le service courant sous un nouveau nom. - + E&xit &Quitter - - Quit OpenLP - Quitter OpenLP - - - + &Theme &Thème - + &Configure OpenLP... &Configuration d'OpenLP... - - &Media Manager - Gestionnaire de &médias - - - - Toggle Media Manager - Gestionnaire de Média - - - - Toggle the visibility of the media manager. - Change la visibilité du gestionnaire de média. - - - - &Theme Manager - Gestionnaire de &thèmes - - - - Toggle Theme Manager - Gestionnaire de Thème - - - - Toggle the visibility of the theme manager. - Change la visibilité du gestionnaire de tème. - - - - &Service Manager - Gestionnaire de &services - - - - Toggle Service Manager - Gestionnaire de service - - - - Toggle the visibility of the service manager. - Change la visibilité du gestionnaire de service. - - - - &Preview Panel - Panneau de &prévisualisation - - - - Toggle Preview Panel - Panneau de prévisualisation - - - - Toggle the visibility of the preview panel. - Change la visibilité du panel de prévisualisation. - - - - &Live Panel - Panneau du &direct - - - - Toggle Live Panel - Panneau du direct - - - - Toggle the visibility of the live panel. - Change la visibilité du directe. - - - - List the Plugins - Liste des modules - - - - &User Guide - &Guide utilisateur - - - + &About À &propos - - More information about OpenLP - Plus d'information sur OpenLP - - - - &Online Help - &Aide en ligne - - - + &Web Site Site &Web - + Use the system language, if available. Utilise le langage système, si disponible. - - Set the interface language to %s - Défini la langue de l'interface à %s - - - + Add &Tool... Ajoute un &outils... - + Add an application to the list of tools. Ajoute une application à la liste des outils. - - &Default - &Défaut - - - - Set the view mode back to the default. - Redéfini le mode vue comme par défaut. - - - + &Setup &Configuration - - Set the view mode to Setup. - Mode vue Configuration. - - - + &Live &Direct - - Set the view mode to Live. - Mode vue Direct. - - - - 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 version %s d'OpenLP est maintenant disponible au téléchargement (vous utiliser actuellement la version %s). - -Vous pouvez télécharger la dernière version à partir de http://openlp.org/. - - - + OpenLP Version Updated Version d'OpenLP mis à jour - + OpenLP Main Display Blanked OpenLP affichage principal noirci - + The Main Display has been blanked out L'affichage principal a été noirci - - Default Theme: %s - Thème par défaut : %s - - - + English Please add the name of your language here Français - + Configure &Shortcuts... Personnalisation des &raccourcis... - + Open &Data Folder... &Ouvrir le répertoire de données... - + Open the folder where songs, bibles and other data resides. Ouvrir le répertoire où se trouve les chants, bibles et autres données. - + &Autodetect &Détecter automatiquement - + Update Theme Images Mettre à jour les images de thèmes - + Update the preview images for all themes. Mettre à jour les images de tous les thèmes. - + Print the current service. Imprimer le service courant. - - L&ock Panels - &Verrouille les panneaux - - - - Prevent the panels being moved. - Empêcher les panneaux d'être déplacé. - - - + Re-run First Time Wizard Re-démarrer l'assistant de démarrage - + Re-run the First Time Wizard, importing songs, Bibles and themes. Re-démarrer l'assistant de démarrage, importer les chants, Bibles et thèmes. - + Re-run First Time Wizard? Re-démarrer l'assistant de démarrage ? - + 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. @@ -4267,107 +4071,68 @@ 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. - + Configure &Formatting Tags... Configurer les &balises de formatage... - - Export OpenLP settings to a specified *.config file - Exporte la configuration d'OpenLP vers un fichier *.config spécifié - - - + Settings Paramètres - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importe la configuration d'OpenLP à partir d'un fichier *.config précédemment exporté depuis un autre ordinateur. - - - + Import settings? Import de la configuration ? - - Open File - Ouvrir un fichier - - - - OpenLP Export Settings Files (*.conf) - Fichier de configuration OpenLP (*.conf) - - - + Import settings Import de la configuration - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP va se terminer maintenant. La Configuration importée va être appliquée au prochain démarrage. - + Export Settings File Export de la configuration - - OpenLP Export Settings File (*.conf) - 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 - La copie du répertoire de données OpenLP a échoué - -%s - - - + General Général - + Library Bibliothèque - + Jump to the search box of the current active plugin. Aller au champ de recherche du plugin actif actuel. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4380,7 +4145,7 @@ Importer la configuration va changer de façon permanente votre configuration d& Importer une configuration incorrect peut provoquer des comportements imprévisible d'OpenLP et le fermer anormalement. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4389,191 +4154,370 @@ Processing has terminated and no changes have been made. L'opération est terminée et aucun changement n'a été fait. - - Projector Manager - Gestionnaire de projecteurs - - - - Toggle Projector Manager - Afficher/Masquer le gestionnaire de projecteurs - - - - Toggle the visibility of the Projector Manager - Change la visibilité du manageur de projecteurs - - - + Export setting error Erreur de configuration des exports - - The key "%s" does not have a default value so it will be skipped in this export. - La clé "%s" n'a pas de valeur par défaut, elle ne sera donc pas exportée. - - - - An error occurred while exporting the settings: %s - Une erreur est survenue lors de l'export des paramètres : %s - - - + &Recent Services Services &récents - + &New Service &Nouveau service - + &Open Service &Ouvrir le service - + &Save Service &Enregistrer le service - + Save Service &As... Enregistrer le service so&us... - + &Manage Plugins &Gestion des extensions - + Exit OpenLP Quitter OpenLP - + Are you sure you want to exit OpenLP? Êtes vous sur de vouloir quitter OpenLP ? - + &Exit OpenLP &Quitter OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Service + + + + Themes + Thèmes + + + + Projectors + Projecteurs + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + + 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 - La base de données utilisée a été créé avec une version plus récente d'OpenLP. La base de données est en version %d, tandis que OpenLP attend la version %d. La base de données ne peux pas être chargée. - -Base de données: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP ne peut pas charger votre base de données. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Base de données: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Aucun éléments sélectionnés - + &Add to selected Service Item &Ajoute à l'élément sélectionné du service - + You must select one or more items to preview. Vous devez sélectionner un ou plusieurs éléments à prévisualiser. - + You must select one or more items to send live. Vous devez sélectionner un ou plusieurs éléments pour les envoyer au direct. - + You must select one or more items. Vous devez sélectionner un ou plusieurs éléments. - + You must select an existing service item to add to. Vous devez sélectionner un élément existant du service pour l'ajouter. - + Invalid Service Item Élément du service invalide - - You must select a %s service item. - Vous devez sélectionner un %s élément du service. - - - + You must select one or more items to add. Vous devez sélectionner un ou plusieurs éléments à ajouter. - - No Search Results - Aucun résultat de recherche - - - + Invalid File Type Type de fichier invalide - - Invalid File %s. -Suffix not supported - Fichier invalide %s. -Extension non supportée - - - + &Clone &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. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. La balise <lyrics> est manquante. - + <verse> tag is missing. La balise <verse> est manquante. @@ -4581,22 +4525,22 @@ Extension non supportée OpenLP.PJLink1 - + Unknown status Status inconnu - + No message Pas de message - + Error while sending data to projector Erreur lors de l'envoi de données au projecteur - + Undefined command: Commande indéfinie : @@ -4604,32 +4548,32 @@ Extension non supportée OpenLP.PlayerTab - + Players Lecteurs - + Available Media Players Lecteurs de Média disponibles - + Player Search Order Ordre de recherche du lecteur - + Visible background for videos with aspect ratio different to screen. Fond d'écran visible pour les vidéos avec un ratio différent de celui de l'écran. - + %s (unavailable) %s (non disponible) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" REMARQUE: Pour utiliser VLC vous devez installer la version %s @@ -4638,55 +4582,50 @@ Extension non supportée OpenLP.PluginForm - + Plugin Details Détails du module - + Status: État : - + Active Actif - - Inactive - Inactif - - - - %s (Inactive) - %s (Inactif) - - - - %s (Active) - %s (Actif) + + Manage Plugins + Gestion des extensions - %s (Disabled) - %s (Désactivé) + {name} (Disabled) + - - Manage Plugins - Gestion des extensions + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Ajuster à la page - + Fit Width Ajuster à la largeur @@ -4694,77 +4633,77 @@ Extension non supportée OpenLP.PrintServiceForm - + Options Options - + Copy Copier - + Copy as HTML Copier comme de l'HTML - + Zoom In Zoom avant - + Zoom Out Zoom arrière - + Zoom Original Zoom d'origine - + Other Options Autres options - + Include slide text if available Inclure le texte des diapositives si disponible - + Include service item notes Inclure les notes des éléments du service - + Include play length of media items Inclure la durée des éléments média - + Add page break before each text item Ajoute des sauts de page entre chaque éléments - + Service Sheet Feuille de service - + Print Imprimer - + Title: Titre : - + Custom Footer Text: Texte de pied de page personnalisé : @@ -4772,257 +4711,257 @@ Extension non supportée OpenLP.ProjectorConstants - + OK OK - + General projector error Erreur générale de projecteur - + Not connected error Erreur de connexion - + Lamp error Erreur d'ampoule - + Fan error Erreur de ventilateur - + High temperature detected Détection de température élevée - + Cover open detected Détection d'ouverture du couvercle - + Check filter Vérifiez le filtre - + Authentication Error Erreur d'identification - + Undefined Command Commande indéfinie - + Invalid Parameter Paramètre invalide - + Projector Busy Projecteur occupé - + Projector/Display Error Erreur de projecteur / affichage - + Invalid packet received Paquets reçus invalides - + Warning condition detected Alertes détectées - + Error condition detected Erreurs détectées - + PJLink class not supported Classe PJLink non supportée - + Invalid prefix character Caractère de préfixe invalide - + The connection was refused by the peer (or timed out) La connexion est refusée par le pair (ou délai dépassé) - + The remote host closed the connection L'hôte distant a fermé la connexion - + The host address was not found L'adresse de l'hôte n'est pas trouvée - + The socket operation failed because the application lacked the required privileges L'opération de connection a échoué parce que l'application n'a pas les droits nécessaires - + The local system ran out of resources (e.g., too many sockets) Le sytème local n'a plus de ressources (ex : trop de connexions) - + The socket operation timed out L'opération de connexion est dépassée - + The datagram was larger than the operating system's limit La trame réseau est plus longue que ne l'autorise le système d'exploitation - + An error occurred with the network (Possibly someone pulled the plug?) Une erreur réseau est survenue (Quelqu'un a débranché le câble ?) - + The address specified with socket.bind() is already in use and was set to be exclusive L'adresse spécifiée avec socket.bind() est déjà utilisée et est à usage exclusive. - + The address specified to socket.bind() does not belong to the host L'adresse donnée à socket.bind() n'appartient à l'hôte - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) L'opération de connexion n'est pas supportée par le système d'exploitation (ex : IPv6 non supporté) - + The socket is using a proxy, and the proxy requires authentication La connexion utilise un proxy qui demande une authentification - + The SSL/TLS handshake failed La validation SSL/TLS a échouée - + The last operation attempted has not finished yet (still in progress in the background) La dernière tentative n'est pas encore finie (toujours en cours en arrière plan) - + Could not contact the proxy server because the connection to that server was denied Ne peut pas joindre le serveur proxy car la connexion au serveur est refusée - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) La connexion au serveur proxy s'est coupée inopinément (avant que la connexion au destinataire final soit établie) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. La délai de la connexion au serveur proxy est dépassé ou le serveur proxy ne répond plus durant la phase d'identification. - + The proxy address set with setProxy() was not found L'adresse proxy configuré avec setProxy() n'est pas trouvée - + An unidentified error occurred Une erreur non identifiée est survenue - + Not connected Non connecté - + Connecting En cours de connexion - + Connected Connecté - + Getting status Récupération du status - + Off Eteind - + Initialize in progress Initialisation en cours - + Power in standby Alimentation en veille - + Warmup in progress Préchauffage en cours - + Power is on Alimentation démarrée - + Cooldown in progress Refroidissement en cours - + Projector Information available Informations du projecteur disponibles - + Sending data Envoi de données - + Received data Réception de données - + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood La négociation de la connexion avec le serveur proxy a échoué car la réponse du serveur n'est pas compréhensible @@ -5030,17 +4969,17 @@ Extension non supportée OpenLP.ProjectorEdit - + Name Not Set Nom non défini - + You must enter a name for this entry.<br />Please enter a new name for this entry. Vous devez saisir un nom pour cette entrée.<br />Merci de saisir un nouveau nom pour cette entrée. - + Duplicate Name Nom dupliqué @@ -5048,52 +4987,52 @@ Extension non supportée OpenLP.ProjectorEditForm - + Add New Projector Ajouter nouveau projecteur - + Edit Projector Modifier projecteur - + IP Address Adresse IP - + Port Number Numéro de port - + PIN NIP - + Name Nom - + Location Localisation - + Notes Notes - + Database Error Erreur de base de données - + There was an error saving projector information. See the log for the error Erreur lors de la sauvegarde des informations du projecteur. Voir le journal pour l'erreur @@ -5101,305 +5040,360 @@ Extension non supportée OpenLP.ProjectorManager - + Add Projector Ajouter projecteur - - Add a new projector - Ajouter un nouveau projecteur - - - + Edit Projector Modifier projecteur - - Edit selected projector - Editer projecteur sélectionné - - - + Delete Projector Supprimer projecteur - - Delete selected projector - Supprimer projecteur sélectionné - - - + Select Input Source Choisir la source en entrée - - Choose input source on selected projector - Choisir la source en entrée pour le projecteur sélectionné - - - + View Projector Voir projecteur - - View selected projector information - Voir les informations du projecteur sélectionné - - - - Connect to selected projector - Connecter le projecteur sélectionné - - - + Connect to selected projectors Connecter les projecteurs sélectionnés - + Disconnect from selected projectors Déconnecter les projecteurs sélectionnés - + Disconnect from selected projector Déconnecter le projecteur sélectionné - + Power on selected projector Allumer le projecteur sélectionné - + Standby selected projector Mettre en veille le projecteur sélectionné - - Put selected projector in standby - Mettre le projecteur sélectionné en veille - - - + Blank selected projector screen Obscurcir le projecteur sélectionner - + Show selected projector screen Voir l'écran des projecteurs sélectionnés - + &View Projector Information &Voir projecteur informations - + &Edit Projector Modifi&er projecteur - + &Connect Projector &Connecter le projecteur - + D&isconnect Projector Déconnect&er le projecteur - + Power &On Projector Allumer projecteur - + Power O&ff Projector Eteindre projecteur - + Select &Input Cho&isir entrée - + Edit Input Source Modifier la source d'entrée - + &Blank Projector Screen Masquer l'écran du projecteur - + &Show Projector Screen Afficher l'écran du projecteur - + &Delete Projector Supprimer le projecteur - + Name Nom - + IP IP - + Port Port - + Notes Notes - + Projector information not available at this time. Informations du projecteur indisponibles pour l'instant. - + Projector Name Nom du projecteur - + Manufacturer Constructeur - + Model Modèle - + Other info Autres infos - + Power status Status de l'alimentation - + Shutter is Le cache est - + Closed Fermé - + Current source input is Entrée actuelle est - + Lamp Ampoule - - On - Allumé - - - - Off - Eteind - - - + Hours Heures - + No current errors or warnings Pas d'erreurs ou alertes actuellement - + Current errors/warnings Erreurs/alertes en cours - + Projector Information Information du projecteur - + No message Pas de message - + Not Implemented Yet Pas encore implémenté - - Delete projector (%s) %s? - Supprimer le projecteur (%s) %s ? - - - + Are you sure you want to delete this projector? Êtes-vous sûr de bien vouloir supprimer ce projecteur ? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Erreur d'identification + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Ventilateur - + Lamp Ampoule - + Temperature Température - + Cover Couvercle - + Filter Filtre - + Other Autre @@ -5445,17 +5439,17 @@ Extension non supportée OpenLP.ProjectorWizard - + Duplicate IP Address Adresse IP dupliquée - + Invalid IP Address Adresse IP invalide - + Invalid Port Number Numéro de port invalide @@ -5468,27 +5462,27 @@ Extension non supportée Écran - + primary primaire OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Début</strong> : %s - - - - <strong>Length</strong>: %s - <strong>Longueur</strong> : %s - - [slide %d] - [diapo %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5552,52 +5546,52 @@ Extension non supportée Retirer l'élément sélectionné du service. - + &Add New Item &Ajoute un nouvel élément - + &Add to Selected Item &Ajoute à l'élément sélectionné - + &Edit Item &Édite l'élément - + &Reorder Item &Réordonne l'élément - + &Notes &Notes - + &Change Item Theme &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é @@ -5622,7 +5616,7 @@ Extension non supportée Réduit tous les éléments du service. - + Open File Ouvrir un fichier @@ -5652,22 +5646,22 @@ Extension non supportée Afficher l'élément sélectionné en direct. - + &Start Time Temps de &début - + Show &Preview Afficher en &prévisualisation - + Modified Service Service modifié - + The current service has been modified. Would you like to save this service? Le service courant à été modifié. Voulez-vous l'enregistrer ? @@ -5687,27 +5681,27 @@ Extension non supportée Durée du service : - + Untitled Service 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 @@ -5727,147 +5721,145 @@ Extension non supportée Sélectionner 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. - + Service File(s) Missing Fichier(s) service manquant - + &Rename... &Renommer - + Create New &Custom Slide &Créer nouvelle diapositive personnalisée - + &Auto play slides Jouer les diapositives &automatiquement - + Auto play slides &Loop Jouer les diapositives automatiquement en &boucle - + Auto play slides &Once Jouer les diapositives automatiquement une &seule fois - + &Delay between slides Intervalle entre les diapositives - + OpenLP Service Files (*.osz *.oszl) Fichier service OpenLP (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) Fichier service OpenLP (*.osz);; Fichier service OpenLP - lite (*.oszl) - + OpenLP Service Files (*.osz);; Fichier service OpenLP (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. Le fichier n'est pas un fichier de service valide. Le contenu n'est pas de l'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. Le fichier service que vous tentez d'ouvrir est dans un ancien format. Merci de l'enregistrer sous OpenLP 2.0.2 ou supérieur. - + This file is either corrupt or it is not an OpenLP 2 service file. Ce fichier est sois corrompu ou n'est pas un fichier de service OpenLP 2. - + &Auto Start - inactive Démarrage &auto - inactif - + &Auto Start - active Démarrage &auto - actif - + Input delay Retard de l'entrée - + Delay between slides in seconds. Intervalle entre les diapositives en secondes. - + Rename item title Renommer titre article - + Title: Titre : - - An error occurred while writing the service file: %s - Une erreur est survenue lors de l'écriture dans le fichier du service : %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Les fichiers suivants sont absents du service : %s - -Ces fichiers seront supprimés si vous continuez la sauvegarde. + + + + + An error occurred while writing the service file: {error} + @@ -5899,15 +5891,10 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Raccourci - + Duplicate Shortcut Raccourci dupliqué - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Le raccourci "%s" est déjà assigné à une autre action, veuillez utiliser un autre raccourci. - Alternate @@ -5953,219 +5940,235 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Configure Shortcuts Configurer les raccourcis + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Cacher - + Go To Aller à - - - Blank Screen - Écran noir - - Blank to Theme - Thème vide - - - Show Desktop Afficher le bureau - + Previous Service Service précédent - + Next Service Service suivant - - Escape Item - Élément d'échappement - - - + Move to previous. Déplace au précédant. - + Move to next. Déplace au suivant. - + Play Slides Joue les diapositives - + Delay between slides in seconds. Intervalle entre les diapositives en secondes. - + Move to live. Déplacer sur le direct. - + Add to Service. Ajoute au service. - + Edit and reload song preview. Édite et recharge la prévisualisation du chant. - + Start playing media. Joue le média. - + Pause audio. Mettre en pause la lecture audio. - + Pause playing media. Mettre en pause la lecture. - + Stop playing media. Arrêter la lecture. - + Video position. Position vidéo. - + Audio Volume. Volume sonore. - + Go to "Verse" Aller au "Couplet" - + Go to "Chorus" Aller au "Refrain" - + Go to "Bridge" Aller au "Pont" - + Go to "Pre-Chorus" Aller au "Pré-Refrain" - + Go to "Intro" Aller à "Intro" - + Go to "Ending" Aller à "Fin" - + Go to "Other" Aller à "Autre" - + Previous Slide Diapositive précédente - + Next Slide Diapositive suivante - + Pause Audio Pause Audio - + Background Audio Audio en fond - + Go to next audio track. Aller à la piste audio suivante. - + Tracks Pistes + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source Choisir la source du projecteur - + Edit Projector Source Text Modifier le texte de la source du projecteur - + Ignoring current changes and return to OpenLP Ignorer les changements actuels et retourner à OpenLP - + Delete all user-defined text and revert to PJLink default text Supprimer le texte personnalisé et recharger le texte par défaut de PJLink - + Discard changes and reset to previous user-defined text Annuler les modifications et recharger le texte personnalisé précédent - + Save changes and return to OpenLP Sauvegarder les changements et retourner à OpenLP - + Delete entries for this projector Supprimer les entrées pour ce projecteur - + Are you sure you want to delete ALL user-defined source input text for this projector? Êtes-vous sûr de bien vouloir supprimer tout le texte d'entrée source de ce projecteur ? @@ -6173,17 +6176,17 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. OpenLP.SpellTextEdit - + Spelling Suggestions Suggestions orthographiques - + Formatting Tags Tags de formatage - + Language: Langue : @@ -6262,7 +6265,7 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. OpenLP.ThemeForm - + (approximately %d lines per slide) (environ %d lignes par diapo) @@ -6270,523 +6273,531 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. OpenLP.ThemeManager - + Create a new theme. Crée un nouveau thème. - + Edit Theme Édite le thème - + Edit a theme. Édite un thème. - + Delete Theme Supprime le thème - + Delete a theme. Supprime un thème. - + Import Theme Import le thème - + Import a theme. Import un thème. - + Export Theme Export le thème - + Export a theme. Export un thème. - + &Edit Theme &Édite le thème - + &Delete Theme &Supprime le thème - + Set As &Global Default Définir comme défaut &Global - - %s (default) - %s (défaut) - - - + You must select a theme to edit. 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. - + 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é - + 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. - + &Copy Theme &Copie le thème - + &Rename Theme &Renomme le thème - + &Export Theme &Exporte le thème - + You must select a theme to rename. Vous devez sélectionner un thème à renommer. - + Rename Confirmation Confirme le renommage - + Rename %s theme? Renomme le thème %s ? - + You must select a theme to delete. Vous devez sélectionner un thème à supprimer. - + Delete Confirmation Confirmation de suppression - + Delete %s theme? 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. - - Copy of %s - Copy of <theme name> - 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 - L'export du thème a échoué car cette erreur est survenue : %s - - - + OpenLP Themes (*.otz) Thèmes OpenLP (*.otz) - - %s time(s) by %s - %s fois par %s - - - + Unable to delete theme Impossible de supprimer le thème + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Le thème est actuellement utilisé - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Assistant de thème - + Welcome to the Theme Wizard Bienvenue dans l'assistant de thème - + Set Up Background Choisir le font - + Set up your theme's background according to the parameters below. Choisir le fond de votre thème à l'aide des paramètres ci-dessous. - + Background type: Type de fond : - + Gradient Dégradé - + Gradient: Dégradé : - + Horizontal Horizontal - + Vertical Vertical - + Circular Circulaire - + Top Left - Bottom Right Haut gauche - Bas droite - + Bottom Left - Top Right Bas gauche - Haut droite - + Main Area Font Details Détails de la police de la zone principale - + Define the font and display characteristics for the Display text Définir la police et les caractéristique d'affichage de ce texte - + Font: Police : - + Size: Taille : - + Line Spacing: Espace entre les lignes : - + &Outline: &Contour : - + &Shadow: &Ombre : - + Bold Gras - + Italic Italique - + Footer Area Font Details Détails de la police de la zone du pied de page - + Define the font and display characteristics for the Footer text Définir la police et les caractéristiques d'affichage du texte de pied de page - + Text Formatting Details Détails de formatage du texte - + Allows additional display formatting information to be defined Permet de définir des paramètres d'affichage supplémentaires - + Horizontal Align: Alignement horizontal : - + Left Gauche - + Right Droite - + Center Centré - + Output Area Locations Emplacement de la zone d'affichage - + &Main Area Zone &principale - + &Use default location &Utilise l'emplacement par défaut - + X position: Position x : - + px px - + Y position: Position y : - + Width: Largeur : - + Height: Hauteur : - + Use default location Utilise l'emplacement par défaut - + Theme name: Nom du thème : - - Edit Theme - %s - Édite le thème - %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. Cet assistant vous permet de créer et d'éditer vos thèmes. Cliquer sur le bouton suivant pour démarrer le processus en choisissant votre fond. - + Transitions: Transitions : - + &Footer Area Zone de &pied de page - + Starting color: Couleur de début : - + Ending color: Couleur de fin : - + Background color: Couleur de fond : - + Justify Justifier - + Layout Preview Prévisualiser la mise en page - + Transparent Transparent - + Preview and Save Prévisualiser et Sauvegarder - + Preview the theme and save it. Prévisualiser le thème et le sauvegarder. - + Background Image Empty L'image de fond est vide - + Select Image Sélectionnez une image - + Theme Name Missing Nom du thème manquant - + There is no name for this theme. Please enter one. Ce thème n'a pas de nom. Veuillez en saisir un. - + Theme Name Invalid Nom du thème invalide - + Invalid theme name. Please enter one. Nom du thème invalide. Veuillez en saisir un. - + Solid color Couleur unie - + color: couleur : - + Allows you to change and move the Main and Footer areas. Permet de déplacer les zones principale et de pied de page. - + You have not selected a background image. Please select one before continuing. Vous n'avez pas sélectionné une image de fond. Veuillez en sélectionner une avant de continuer. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6869,73 +6880,73 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Alignement &vertical : - + Finished import. Import terminé. - + Format: Format : - + Importing Import en cours - + Importing "%s"... Importation de "%s"... - + Select Import Source Sélectionnez la source à importer - + Select the import format and the location to import from. Sélectionner le format d'import et le chemin du fichier à importer. - + Open %s File Ouvrir le fichier %s - + %p% %p% - + Ready. Prêt. - + Starting import... Démarrage de l'import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong 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 - + Welcome to the Song Export Wizard Bienvenue dans l'assistant d'export de Chant - + Welcome to the Song Import Wizard Bienvenue dans l'assistant d'import de Chant @@ -6953,7 +6964,7 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. - © + © Copyright symbol. © @@ -6985,39 +6996,34 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Erreur de syntaxe XML - - Welcome to the Bible Upgrade Wizard - Bienvenue dans l'assistant de mise à jour de Bible - - - + Open %s Folder Ouvrir le dossier %s - + You need to specify one %s file to import from. A file type e.g. OpenSong Vous devez spécifier un fichier %s à importer. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Vous devez spécifier un dossier %s à importer. - + Importing Songs Import de chansons en cours - + Welcome to the Duplicate Song Removal Wizard Bienvenue dans l'assistant de suppression des chants en double - + Written by Ecrit par @@ -7027,543 +7033,598 @@ Ces fichiers seront supprimés si vous continuez la sauvegarde. Auteur inconnu - + About A propos de - + &Add &Ajoute - + Add group Ajouter un groupe - + Advanced Avancé - + All Files Tous les Fichiers - + Automatic Automatique - + Background Color Couleur de fond - + Bottom Bas - + Browse... Parcourir... - + Cancel Annuler - + CCLI number: Numéro CCLI : - + Create a new service. Crée un nouveau service. - + Confirm Delete Confirme la suppression - + Continuous Continu - + Default Défaut - + Default Color: Couleur par défaut : - + 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. Service %Y-%m-%d %H-%M - + &Delete &Supprime - + Display style: Style d'affichage : - + Duplicate Error Erreur de duplication - + &Edit &Édite - + Empty Field Champ vide - + Error Erreur - + Export Export - + File Fichier - + File Not Found Fichier non trouvé - - File %s not found. -Please try selecting it individually. - Fichier %s non trouvé. -Essayez de le sélectionner à part. - - - + pt Abbreviated font pointsize unit pt - + Help Aide - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Dossier sélectionné invalide - + Invalid File Selected Singular Fichier sélectionné invalide - + Invalid Files Selected Plural Fichiers sélectionnés invalides - + Image Image - + Import - Importer + Import - + Layout style: Type de disposition : - + Live Direct - + Live Background Error Erreur de fond du direct - + Live Toolbar Bar d'outils direct - + Load Charge - + Manufacturer Singular Constructeur - + Manufacturers Plural Constructeurs - + Model Singular Modèle - + Models Plural Modèles - + m The abbreviated unit for minutes m - + Middle Milieu - + New Nouveau - + New Service Nouveau service - + New Theme Nouveau thème - + Next Track Piste suivante - + No Folder Selected Singular Aucun dossier sélectionné - + No File Selected Singular Pas de fichier sélectionné - + No Files Selected Plural Aucun fichiers sélectionnés - + No Item Selected Singular Aucun élément sélectionné - + No Items Selected Plural Aucun éléments sélectionnés - + OpenLP is already running. Do you wish to continue? OpenLP est déjà en cours d'utilisation. Voulez-vous continuer ? - + Open service. Ouvrir le service. - + Play Slides in Loop Afficher les diapositives en boucle - + Play Slides to End Afficher les diapositives jusqu’à la fin - + Preview Prévisualisation - + Print Service Imprimer le service - + Projector Singular Projecteur - + Projectors Plural Projecteurs - + 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 Enregistrer && prévisualiser - + 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 Afficher - + View Mode Mode d'affichage - + CCLI song number: Numéro de chant CCLI : - + Preview Toolbar Prévisualiser barre d'outils - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + Couleur de fond : + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Vidéo + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Aucune Bible disponible + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Couplet + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Aucun résultat de recherche + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s et %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, et %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7643,47 +7704,47 @@ Essayez de le sélectionner à part. Actuellement utilisé : - + File Exists Ce fichier existe - + A presentation with that filename already exists. Une présentation utilise déjà ce nom de fichier. - + This type of presentation is not supported. Ce type de présentation n'est pas supporté. - - Presentations (%s) - 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. + + Presentations ({text}) + - - The presentation %s no longer exists. - La présentation %s n'existe plus. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + PresentationPlugin.PowerpointDocument - - An error occurred in the Powerpoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. - Un erreur s'est produite lors de l'intégration de Powerpoint et la présentation va être arrêtée. Veuillez relancer la relancer si nécessaire. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7693,11 +7754,6 @@ Essayez de le sélectionner à part. Available Controllers Logiciels de présentation disponibles - - - %s (unavailable) - %s (non disponible) - Allow presentation application to be overridden @@ -7714,12 +7770,12 @@ Essayez de le sélectionner à part. Utilisez le chemin fourni pour mudraw ou l'exécutable de ghostscript : - + Select mudraw or ghostscript binary. Sélectionnez mudraw ou l'exécutable ghostscript. - + The program is not ghostscript or mudraw which is required. Le programme qui a été fourni n'est pas mudraw ni ghostscript. @@ -7730,13 +7786,19 @@ Essayez de le sélectionner à part. - Clicking on a selected slide in the slidecontroller advances to next effect. - En cliquant sur une diapositive sélectionnée dans le contrôleur de diapositives permet de passer à l'effet suivant. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Laisser PowerPoint contrôler la taille et la position de la fenêtre de présentation (contournement du problème de mise à l'échelle de Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7778,127 +7840,127 @@ Essayez de le sélectionner à part. 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 - + Remote Contrôle à distance - + Stage View Prompteur - + Live View Vue du direct @@ -7906,79 +7968,140 @@ Essayez de le sélectionner à part. RemotePlugin.RemoteTab - + Serve on IP address: Ecoute sur l'adresse IP : - + Port number: Numéro de port : - + Server Settings Configuration du serveur - + Remote URL: URL du contrôle à distance : - + Stage view URL: URL du Prompteur : - + Display stage time in 12h format Affiche l'heure du prompteur au format 12h - + Android App Application Android - + Live view URL: URL du direct : - + HTTPS Server Serveur 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. Ne peut pas trouver de certificat SSL. Le serveur HTTPS ne sera pas disponible sans certificat SSL. Merci de vous reporter au manuel pour plus d'informations. - + User Authentication Indentification utilisateur - + User id: ID utilisateur : - + Password: Mot de passe : - + Show thumbnails of non-text slides in remote and stage view. Afficher les miniatures des diapositives sans texte sur la vue distante et le prompteur. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Scannez le QR code ou cliquez sur <a href="%s">télécharger</a> pour installer l'application Android à partir de Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Répertoire de destination non sélectionné + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Création du rapport + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8019,50 +8142,50 @@ Essayez de le sélectionner à part. Activer/Désactiver 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é @@ -8130,24 +8253,10 @@ Toutes les données enregistrées avant cette date seront définitivement suppri 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. - Le rapport -%s -à été crée avec succès. - Output Path Not Selected @@ -8161,14 +8270,26 @@ Please select an existing path on your computer. Veuillez sélectionner un répertoire existant sur votre ordinateur. - + Report Creation Failed Création du rapport en échec - - An error occurred while creating the report: %s - Une erreur est survenue lors de la création du rapport : %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8184,102 +8305,102 @@ Veuillez sélectionner un répertoire existant sur votre ordinateur.Importer 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... - + Arabic (CP-1256) Arabe (CP-1256) - + Baltic (CP-1257) Baltique (CP-1257) - + Central European (CP-1250) Europe centrale (CP-1250) - + Cyrillic (CP-1251) Cyrillique (CP-1251) - + Greek (CP-1253) Grecque (CP-1253) - + Hebrew (CP-1255) Hébreux (CP-1255) - + Japanese (CP-932) Japonais (CP-932) - + Korean (CP-949) Coréen (CP-949) - + Simplified Chinese (CP-936) Chinois simplifié (CP-936) - + Thai (CP-874) Thaï (CP-874) - + Traditional Chinese (CP-950) Chinois Traditionnel (CP-950) - + Turkish (CP-1254) Turque (CP-1254) - + Vietnam (CP-1258) Vietnamiens (CP-1258) - + Western European (CP-1252) Europe de l'ouest (CP-1252) - + Character Encoding Encodage des caractères - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8288,26 +8409,26 @@ permet un affichage correct des caractères. L'option déjà sélectionnée est en général la bonne. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Veuillez choisir l'encodage des caractères. L'encodage permet un affichage correct des caractères. - + Song name singular Chant - + Songs name plural Chants - + Songs container title Chants @@ -8318,37 +8439,37 @@ L'encodage permet un affichage correct des caractères. 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évisualiser 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 @@ -8363,15 +8484,30 @@ L'encodage permet un affichage correct des caractères. Importer les chants à partir du service SongSelect CCLI. - + Find &Duplicate Songs Trouver chants &dupliqués - + Find and remove duplicate songs in the song database. Trouve et supprime les doublons dans la base des chants. + + + Songs + Chants + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8457,62 +8593,67 @@ L'encodage permet un affichage correct des caractères. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administré par %s - - - - "%s" could not be imported. %s - "%s" ne peut pas être importé. %s - - - + Unexpected data formatting. Format de fichier inattendu. - + No song text found. Aucun chant n'a été trouvé. - + [above are Song Tags with notes imported from EasyWorship] [ci-dessus les balises des chants avec des notes importées de EasyWorship] - + This file does not exist. Ce fichier n'existe pas. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Ne trouve pas le fichier "Songs.MB". Il doit être dans le même dossier que le fichier "Songs.DB". - + This file is not a valid EasyWorship database. Ce fichier n'est pas une base EasyWorship valide. - + Could not retrieve encoding. Impossible de trouver l'encodage. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Méta données - + Custom Book Names Noms de livres personnalisés @@ -8595,57 +8736,57 @@ L'encodage permet un affichage correct des caractères. Thème, copyright && commentaires - + Add Author Ajoute un auteur - + This author does not exist, do you want to add them? Cet auteur n'existe pas, voulez-vous l'ajouter ? - + This author is already in the list. Cet auteur ce trouve déjà dans la liste. - + 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. Vous n'avez pas sélectionné un auteur valide. Vous pouvez sélectionner un auteur dans la liste, ou entrer le nom d'un nouvel auteur et cliquez sur "Ajouter un auteur au Chant". - + Add Topic Ajoute un sujet - + This topic does not exist, do you want to add it? Ce sujet n'existe pas voulez-vous l'ajouter ? - + This topic is already in the list. Ce sujet ce trouve déjà dans la liste. - + 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. Vous n'avez pas sélectionné de sujet valide. Vous pouvez sélectionner un sujet dans la liste, ou entrer le nom d'un nouveau sujet et cliquez sur "Ajouter un sujet au Chant". - + You need to type in a song title. Vous devez entrer un titre pour ce chant. - + You need to type in at least one verse. Vous devez entrer au moins un paragraphe. - + You need to have an author for this song. Vous devez entrer un auteur pour ce chant. @@ -8670,7 +8811,7 @@ L'encodage permet un affichage correct des caractères. Supprime &tout - + Open File(s) Ouvrir un(des) fichier(s) @@ -8685,14 +8826,7 @@ L'encodage permet un affichage correct des caractères. <strong>Attention :</strong> Vous n'avez pas entré d'ordre de verset. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Il n'y a pas de strophe correspondant à "%(invalid)s". Les valeurs possibles sont %(valid)s. -Veuillez entrer les strophes séparées par des espaces. - - - + Invalid Verse Order Ordre des paragraphes invalides @@ -8702,82 +8836,101 @@ Veuillez entrer les strophes séparées par des espaces. &Modifier le type d'auteur - + Edit Author Type Modifier le type d'auteur - + Choose type for this author Choisir un type pour cet auteur - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Il n'y a pas de strophe correspondant à "%(invalid)s". Les valeurs possibles sont %(valid)s. -Veuillez entrer les strophes séparées par des espaces. - &Manage Authors, Topics, Songbooks - + Add &to Song - + Re&move - + Authors, Topics && Songbooks - + - + Add Songbook - + - + This Songbook does not exist, do you want to add it? - + - + This Songbook is already in the list. - + - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse Édite le paragraphe - + &Verse type: &Type de paragraphe : - + &Insert &Insère - + Split a slide into two by inserting a verse splitter. Divise une diapositive en deux en insérant un séparateur de paragraphe. @@ -8790,77 +8943,77 @@ Veuillez entrer les strophes séparées par des espaces. Assistant d'export de chant - + Select Songs Sélectionner des chants - + Check the songs you want to export. Coche les chants que vous voulez exporter. - + Uncheck All Décoche tous - + Check All Coche tous - + Select Directory Sélectionner un répertoire - + Directory: Répertoire : - + Exporting Exportation - + Please wait while your songs are exported. Merci d'attendre que vos chants soient exportés. - + You need to add at least one Song to export. Vous devez exporter au moins un chant. - + No Save Location specified Aucun emplacement de sauvegarde défini - + Starting export... Démarre l'export... - + You need to specify a directory. Vous devez spécifier un répertoire. - + Select Destination Folder Sélectionner le répertoire de destination - + Select the directory where you want the songs to be saved. Sélectionner le répertoire où vous voulez enregistrer vos chants. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Cet assistant vous aide à exporter vos chants au format de chants de louange libre et gratuit <strong>OpenLyrics</strong>. @@ -8868,7 +9021,7 @@ Veuillez entrer les strophes séparées par des espaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Fichier Foilpresenter invalide. Pas de couplet trouvé. @@ -8876,7 +9029,7 @@ Veuillez entrer les strophes séparées par des espaces. SongsPlugin.GeneralTab - + Enable search as you type Activer la recherche à la frappe @@ -8884,7 +9037,7 @@ Veuillez entrer les strophes séparées par des espaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Sélectionner les fichiers Document/Présentation @@ -8894,237 +9047,252 @@ Veuillez entrer les strophes séparées par des espaces. Assistant d'import de Chant - + 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. Cet assistant vous permet d'importer des chants de divers formats. Cliquez sur le bouton suivant ci-dessous pour démarrer le processus en sélectionnant le format à importer. - + Generic Document/Presentation Document/Présentation générique - + Add Files... Ajoute des fichiers... - + Remove File(s) Supprime un(des) fichier(s) - + Please wait while your songs are imported. Veuillez patienter pendant l'import de vos chants. - + Words Of Worship Song Files Fichiers Chant Words Of Worship - + Songs Of Fellowship Song Files Fichiers Chant Songs Of Fellowship - + SongBeamer Files Fichiers SongBeamer - + SongShow Plus Song Files Fichiers Chant SongShow Plus - + Foilpresenter Song Files Fichiers Chant Foilpresenter - + Copy Copier - + Save to File Enregistre dans un fichier - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. L'import de chants Fellowship a été désactivé car OpenLP ne peut accéder à OpenOffice ou LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. L'import générique de document/présentation a été désactivé car OpenLP ne peut accéder à OpenOffice ou LibreOffice. - + OpenLyrics Files Fichiers OpenLyrics - + CCLI SongSelect Files CCLI Song Sélectionner Fichiers - + EasySlides XML File Fichier XML EasySlides - + EasyWorship Song Database Base de données de chants d'EasyWorship - + DreamBeam Song Files Fichiers chants DreamBeam - + You need to specify a valid PowerSong 1.0 database folder. Vous devez spécifier un dossier de données PowerSong 1.0 valide. - + 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>. D'abord, convertissez votre base de données ZionWorx à un fichier texte CSV, comme c'est expliqué dans le <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">manuel utilisateur</a>. - + SundayPlus Song Files Fichier chants SundayPlus - + This importer has been disabled. Cet importeur a été désactivé. - + MediaShout Database Base de données 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. L'importeur MediaShout n'est supporté que sous Windows. Il a été désactivé à cause d'un module Python manquant. Si vous voulez utiliser cet importeur, vous devez installer le module "pyodbc". - + SongPro Text Files Fichiers texte SongPro - + SongPro (Export File) SongPro (Fichiers exportés) - + In SongPro, export your songs using the File -> Export menu Dans SongPro, exportez vos chansons en utilisant le menu Fichier -> Exporter - + EasyWorship Service File Fichier de service EasyWorship - + WorshipCenter Pro Song Files Fichier 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. L'import WorshipCenter Pro ne fonctionne que sous Windows. Il a été désactivé à cause d'un module Python manquant. Si vous voulez importer, vous devez installer le module "pyodbc". - + PowerPraise Song Files Fichiers PowerPraise - + PresentationManager Song Files Fichiers PresentationManager - - ProPresenter 4 Song Files - Fichiers ProPresenter 4 - - - + Worship Assistant Files Fichiers Worship Assistant - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. À partir de Worship Assistant, exportez votre base en fichier CSV. - + OpenLyrics or OpenLP 2 Exported Song Chant exporté en OpenLyrics ou OpenLP 2.0 - + OpenLP 2 Databases Base de données OpenLP 2 - + LyriX Files Fichiers LyriX - + LyriX (Exported TXT-files) LyriX (Fichiers TXT exportés) - + VideoPsalm Files Fichiers VideoPsalm - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Les carnets de chants de VideoPsalm se trouvent en général dans %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Erreur: %s + File {name} + + + + + Error: {error} + @@ -9143,79 +9311,117 @@ Veuillez entrer les strophes séparées par des espaces. SongsPlugin.MediaItem - + Titles Titres - + Lyrics Paroles - + CCLI License: Licence CCLI : - + Entire Song Chant entier - + Maintain the lists of authors, topics and books. Maintenir la liste des auteurs, sujets et carnets de chants. - + copy For song cloning copier - + Search Titles... Recherche dans les titres... - + Search Entire Song... Recherche dans le chant entier... - + Search Lyrics... Recherche dans les paroles... - + Search Authors... Recherche dans les auteurs... - - Are you sure you want to delete the "%d" selected song(s)? - Etes-vous sur de vouloir supprimer les "%d" chant(s) sélectionné(s) ? + + Search Songbooks... + - - Search Songbooks... - + + Search Topics... + + + + + Copyright + Copyright + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Impossible d'ouvrir la base de données MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Base de données de chant OpenLP 2 invalide. @@ -9223,9 +9429,9 @@ Veuillez entrer les strophes séparées par des espaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportation "%s"... + + Exporting "{title}"... + @@ -9244,29 +9450,37 @@ Veuillez entrer les strophes séparées par des espaces. Aucun chant à importer. - + Verses not found. Missing "PART" header. Versets non trouvé. Entête "PART" manquante. - No %s files found. - Aucun fichier %s trouvé. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Fichier %s invalide. Octet inattendu. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Fichier %s invalide. Entête "TITLE" manquant. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Fichier %s invalide. Entête "COPYRIGHTLINE" manquant. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9289,25 +9503,25 @@ Veuillez entrer les strophes séparées par des espaces. Songbook Maintenance - + 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 - L'export du chant a échoué car cette erreur est survenue : %s + + Your song export failed because this error occurred: {error} + @@ -9323,17 +9537,17 @@ Veuillez entrer les strophes séparées par des espaces. Les chants suivants ne peuvent être importé : - + Cannot access OpenOffice or LibreOffice Impossible d’accéder à OpenOffice ou LibreOffice - + Unable to open file Impossible d'ouvrir le fichier - + File not found Fichier non trouvé @@ -9341,109 +9555,109 @@ Veuillez entrer les strophes séparées par des espaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Impossible d'ajouter votre auteur. - + This author already exists. Cet auteur existe déjà. - + Could not add your topic. Impossible d'ajouter votre sujet. - + This topic already exists. Ce sujet existe déjà. - + Could not add your book. Impossible d'ajouter votre carnet de chants. - + This book already exists. Ce carnet de chants existe déjà. - + Could not save your changes. Impossible d'enregistrer vos modifications. - + Could not save your modified author, because the author already exists. Impossible d'enregistrer vos modifications de l'auteur, car l'auteur existe déjà. - + Could not save your modified topic, because it already exists. Impossible d'enregistrer vos modifications du sujet, car le sujet existe déjà. - + Delete Author Supprime l'auteur - + Are you sure you want to delete the selected author? Êtes-vous sûr de bien vouloir supprimer l'auteur sélectionné ? - + This author cannot be deleted, they are currently assigned to at least one song. Cet auteur ne peut être supprimé, il est actuellement utilisé par au moins un chant. - + Delete Topic Supprime le sujet - + Are you sure you want to delete the selected topic? Êtes-vous sûr de bien vouloir supprimer le sujet sélectionné ? - + This topic cannot be deleted, it is currently assigned to at least one song. Ce sujet ne peut être supprimé, il est actuellement utilisé par au moins un chant. - + Delete Book Supprime le carnet de chants - + Are you sure you want to delete the selected book? Êtes-vous sûr de bien vouloir supprimer le carnet de chants sélectionné ? - + This book cannot be deleted, it is currently assigned to at least one song. Ce carnet de chants ne peut être supprimé, il est actuellement utilisé par au moins un chant. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - L'auteur %s existe déjà. Voulez-vous faire en sorte que les chants avec l'auteur %s utilise l'auteur existant %s ? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Le sujet %s existe déjà. Voulez-vous faire en sorte que les chants avec le sujet %s utilise le sujet existant %s ? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Le carnet de chants %s existe déjà. Voulez-vous faire en sorte que les chants du carnet de chants %s utilisent le carnet de chants existant %s ? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9489,52 +9703,47 @@ Veuillez entrer les strophes séparées par des espaces. Recherche - - Found %s song(s) - %s chant(s) trouvé(s) - - - + Logout Déconnexion - + View - Affiche + Afficher - + Title: Titre : - + Author(s): Auteur(s): - + Copyright: Droits d'auteur : - + CCLI Number: Numéro CCLI : - + Lyrics: Paroles : - + Back Arrière - + Import Import @@ -9575,7 +9784,7 @@ Veuillez affiner votre recherche. Il y a eu une erreur de connexion, peut-être un compte ou mot de passe incorrect ? - + Song Imported Chant importé @@ -9590,14 +9799,19 @@ Veuillez affiner votre recherche. Il manque des informations à ce chant, comme des paroles, il ne peut pas être importé. - + Your song has been imported, would you like to import more songs? Votre chant a été importé, voulez-vous importer plus de chants ? Stop - + + + + + Found {count:d} song(s) + @@ -9607,30 +9821,30 @@ Veuillez affiner votre recherche. Songs Mode Options de Chants - - - Display verses on live tool bar - Affiche les paragraphes dans la barre d'outils du direct - Update service from song edit Mettre à jour le service après une modification de chant - - - Import missing songs from service files - Importer les chants manquant des fichiers du service - Display songbook in footer Affiche le recueil dans le pied de page + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Afficher le symbole "%s" avant l'information de copyright + Display "{symbol}" symbol before copyright info + @@ -9654,37 +9868,37 @@ Veuillez affiner votre recherche. SongsPlugin.VerseType - + Verse Couplet - + Chorus Refrain - + Bridge Pont - + Pre-Chorus F-Pré-refrain - + Intro Introduction - + Ending Fin - + Other Autre @@ -9692,22 +9906,22 @@ Veuillez affiner votre recherche. SongsPlugin.VideoPsalmImport - - Error: %s - Erreur: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Fichier Words of Worship invalide. Entête "%s" manquante. + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Fichier Words of Worship invalide. Chaine "%s" string.CSongDoc::CBlock manquante. + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9718,30 +9932,30 @@ Veuillez affiner votre recherche. Impossible de lire le fichier CSV. - - Line %d: %s - Ligne %d: %s - - - - Decoding error: %s - Erreur de décodage: %s - - - + File not valid WorshipAssistant CSV format. Format de fichier CSV WorshipAssistant invalide. - - Record %d - Entrée %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Impossible de connecter la base WorshipCenter Pro. @@ -9754,25 +9968,30 @@ Veuillez affiner votre recherche. Impossible de lire le fichier CSV. - + File not valid ZionWorx CSV format. Format de fichier CSV ZionWorx invalide. - - Line %d: %s - Ligne %d: %s - - - - Decoding error: %s - Erreur de décodage: %s - - - + Record %d Entrée %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9782,39 +10001,960 @@ Veuillez affiner votre recherche. Assistant - + 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. Cet assistant va vous permettre de supprimer tous les chants en double. Vous pourrez les vérifier uns par uns avant qu'ils ne soient supprimés. - + Searching for duplicate songs. Recherche des chants dupliqués. - + Please wait while your songs database is analyzed. Veuillez patienter durant l'analyse de la base des chants. - + Here you can decide which songs to remove and which ones to keep. Vous pouvez choisir ici quels chants supprimer et lesquels garder. - - Review duplicate songs (%s/%s) - Examine les chants en double (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. Pas de chants en double trouvé dans la base de données. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Français + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/hu.ts b/resources/i18n/hu.ts index 739663afc..a49e68873 100644 --- a/resources/i18n/hu.ts +++ b/resources/i18n/hu.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -92,21 +93,21 @@ Folytatható? No Placeholder Found - Nem található a helyjelölő + Nem található a helykitöltő - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? A riasztás szövege nem tartalmaz „<>” karaktereket. Folytatható? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. A riasztás szövege nincs megadva. -Adj meg valamilyen szöveget az Új gombra való kattintás előtt. +Meg kell adni valamilyen szöveget az Új gombra való kattintás előtt. @@ -120,32 +121,27 @@ Adj meg valamilyen szöveget az Új gombra való kattintás előtt. AlertsPlugin.AlertsTab - + Font Betűkészlet - + Font name: Betűkészlet neve: - + Font color: Betűszín: - - Background color: - Háttérszín: - - - + Font size: Betűméret: - + Alert timeout: Riasztás időtartama: @@ -153,88 +149,78 @@ 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. + A kért könyv nem található ebben a Bibliában. A könyv neve helyesen lett írva? - + 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. - Genesis @@ -726,7 +712,7 @@ Adj meg valamilyen szöveget az Új gombra való kattintás előtt. 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. + Meg kell adni a Biblia szerzői jogait. A közkincs Bibliákat meg kell jelölni. @@ -736,203 +722,220 @@ Adj meg valamilyen szöveget az Új gombra való kattintás előtt. 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. + Ez a Biblia már létezik. Egy másik Biblia importálható vagy előbb a meglévőt szükséges törölni. - - You need to specify a book name for "%s". - Meg kell adni a könyv nevét: %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. - A könyv neve nem megfelelő: %s. -Szám csak az elején lehet és ezt követni kell - néhány nem numerikus karakternek. - - - + Duplicate Book Name Azonos könyvnév - - The Book Name "%s" has been entered more than once. - E könyvnév többször lett megadva: %s. + + You need to specify a book name for "{text}". + Meg kell adni a könyv nevét: „{text}”. + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + A könyv neve nem megfelelő: „{name}”. +Szám csak az elején lehet és ezt követni kell +néhány nem numerikus karakternek. + + + + The Book Name "{name}" has been entered more than once. + E könyvnév többször lett megadva: „{name}”. + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Igehely-hivatkozási hiba - - Web Bible cannot be used - Online Biblia nem használható + + Web Bible cannot be used in Text Search + Az online bibliában nem lehet szöveget keresni - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Ezt az igehely-hivatkozást nem támogatja az OpenLP vagy nem helyes. Kérlek, ellenőrizd, hogy a hivatkozás megfelel-e az egyik alábbi mintának, illetve segítségért tekints meg a kézikönyvet. +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Könyv fejezet -Könyv fejezet%(range)sfejezet -Könyv fejezet%(verse)svers%(range)svers -Könyv fejezet%(verse)svers%(range)svers%(list)svers%(range)svers -Könyv fejezet%(verse)svers%(range)svers%(list)sfejezet%(verse)svers%(range)svers -Könyv fejezet%(verse)svers%(range)sfejezet%(verse)svers +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + A szövegkeresés funkció nem érhető el a online bibliákon. +Az igehely-alapú keresés viszont működik. + +Ez azt is jelenti, hogy az aktuális vagy a második biblia +online bibliaként lett telepítve. + +Ha a keresés mégis igehely-alapú volt a kombinált keresésben, +akkor a hivatkozás érvénytelen. + + + + Nothing found + Semmi sem található. BiblesPlugin.BiblesTab - + Verse Display Versek megjelenítés - + Only show new chapter numbers Csak az új fejezetszámok megjelenítése - + Bible theme: - Biblia téma: + Biblia-téma: - + No Brackets - Nincsenek zárójelek + Zárójelek nélkül - + ( And ) ( és ) - + { And } { és } - + [ And ] [ és ] - - Note: -Changes do not affect verses already in the service. - Megjegyzés: -A módosítások nem érintik a már a szolgálati sorrendben lévő verseket. - - - + Display second Bible verses Második Biblia verseinek megjelenítése - + Custom Scripture References Egyedi szentírási hivatkozások - - Verse Separator: - Versek elválasztása: - - - - Range Separator: - Tartományok elválasztása: - - - - List Separator: - Felsorolások elválasztása: - - - - End Mark: - Vég jelölése: - - - + 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. - Több alternatív versszak elválasztó definiálható. + Több alternatív versszakelválasztó definiálható. Egy függőleges vonal („|”) szolgál az elválasztásukra. Üresen hagyva az alapértelmezett érték áll helyre. - + English - Magyar + angol - + Default Bible Language Alapértelmezett bibliai nyelv - + Book name language in search field, search results and on display: A keresési mezőben, a találati sorrendben és a képernyőn megjelenő könyvnevek alapértelmezett nyelve: - + Bible Language Biblia nyelve - + Application Language Alkalmazás nyelve - + Show verse numbers Versszakok számának megjelenítése + + + Note: Changes do not affect verses in the Service + Megjegyzés: +A módosítások nem érintik a szolgálati sorrendben lévő verseket. + + + + Verse separator: + Versek elválasztása: + + + + Range separator: + Tartományok elválasztása: + + + + List separator: + Felsorolások elválasztása: + + + + End mark: + Vég jelölése: + + + + Quick Search Settings + Gyorskeresési beállítások + + + + Reset search type to "Text or Scripture Reference" on startup + Indításkor a keresés típusa „szöveg vagy igehely” állapotba áll + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Hibajelzés mellőzése találat hiányában „Szöveg vagy igehely” állapotban + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Gépelés közbeni automatikus keresés (teljesítménybeli okok miatt +a keresett szöveg minimum {count} karaktert és egy üres karaktert kell tartalmazzon) + BiblesPlugin.BookNameDialog @@ -974,7 +977,7 @@ megjelenő könyvnevek alapértelmezett nyelve: The following book name cannot be matched up internally. Please select the corresponding name from the list. - A következő könyvnév nem ismerhető fel. Jelölj ki egy helyes nevet a következő listából. + A következő könyvnév nem ismerhető fel. A helyes név a következő listában jelölhető ki. @@ -988,78 +991,79 @@ megjelenő könyvnevek alapértelmezett nyelve: BiblesPlugin.CSVBible - - Importing books... %s - Könyvek importálása… %s + + Importing books... {book} + Könyvek importálása… {book} - - Importing verses... done. - Versek importálása… kész. + + Importing verses from {book}... + Importing verses from <book name>... + Versek importálása ebből a könyvből: {book}… BiblesPlugin.EditBibleForm - + Bible Editor - Biblia szerkesztő + Biblia-szerkesztő - + License Details Licenc részletei - + Version name: Verziónév: - + Copyright: Szerzői jog: - + Permissions: Engedélyek: - + Default Bible Language Alapértelmezett bibliai nyelv - + Book name language in search field, search results and on display: A keresési mezőben, a találati sorrendben és a képernyőn megjelenő könyvnevek alapértelmezett nyelve: - + Global Settings Globális beállítások - + Bible Language Biblia nyelve - + Application Language Alkalmazás nyelve - + English - Magyar + angol This is a Web Download Bible. It is not possible to customize the Book Names. - Ez egy webről letöltött Biblia. + Ez egy a webről letöltött Biblia. Nincs lehetőség a könyvnevek módosítására. @@ -1071,224 +1075,259 @@ 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. + Probléma történt a kijelölt versek letöltésekor. Javasolt az internetkapcsolat ellenőrzése, továbbá, ha a hiba nem oldódik meg, a hiba bejelentése. - + 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. + Probléma történt a kijelölt versek kicsomagolásakor. Ha a hiba nem oldódik meg, javasolt a hiba bejelentése. + + + + Importing {book}... + Importing <book name>... + Könyvek importálása… {book} 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. + A tündér segít a különféle formátumú bibliák importálásában. Az alábbi „Következő” gombbal indítható a folyamat első lépése, a formátum kiválasztása. - + Web Download 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. + Meg kell adni a Biblia licencének 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. + Türelem, 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. + Meg kell adni a Biblia szerzői jogait. A közkincs Bibliákat meg kell jelölni. - + 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. + Ez a Biblia már létezik. Egy másik Biblia importálható vagy előbb a meglévőt szükséges törölni. - + 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. + Biblia regisztrálva. Megjegyzés: a versek csak kérésre lesznek letöltve és akkor is internetkapcsolat 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. + + + Bibles: + Bibliák: + + + + SWORD data folder: + SWORD adatmappa: + + + + SWORD zip-file: + SWORD zip-fájl: + + + + Defaults to the standard SWORD data folder + Visszatérés az alapértelmezett SWORD adatmappához + + + + Import from folder + Importálás mappából + + + + Import from Zip-file + Importálás zip-fájlból + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + A SWORD bibliák importálásához a pysword python modult telepíteni kell. Az útmutató tartalmaz további instrukciókat. + BiblesPlugin.LanguageDialog @@ -1300,7 +1339,7 @@ Nincs lehetőség a könyvnevek módosítására. OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. - Az OpenLP nem képes megállapítani a bibliafordítás nyelvét. Kérem, válassz nyelvet az alábbi listából. + Az OpenLP nem képes megállapítani a bibliafordítás nyelvét. A kívánt nyelvet az alábbi listából lehet kiválasztani. @@ -1319,293 +1358,161 @@ Nincs lehetőség a könyvnevek módosítására. BiblesPlugin.MediaItem - - Quick - Gyors - - - + Find: Keresés: - + Book: Könyv: - + Chapter: Fejezet: - + Verse: Vers: - + From: Innentől: - + To: Idáig: - + Text Search Szöveg keresése - + Second: Második: - + Scripture Reference Igehely-hivatkozás - + Toggle to keep or clear the previous results. Átváltás az előző eredmény megőrzése, ill. törlése között. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - Az egyes és a kettőzött bibliaversek nem kombinálhatók. Töröljük a keresési eredményt és kezdjünk egy újabbat? + Az egyes és a kettőzött bibliaversek nem kombinálhatók. Törölhető a keresési eredmény egy újabb keresés érdekében? - + Bible not fully loaded. A Biblia nem töltődött be teljesen. - + Information Információ - - 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. - A második Biblia nem tartalmaz minden verset, ami az elsőben megtalálható. Csak a mindkét Bibliában fellelhető versek fognak megjelenni. Ezek a versek nem lesznek megtalálhatóak: %d. - - - + Search Scripture Reference... Igehely keresése… - + Search Text... Szöveg keresése… - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Keresés + + + + Select + Kijelölés + + + + Clear the search results. + Találatok törlése. + + + + Text or Reference + Szöveg vagy hivatkozás + + + + Text or Reference... + Szöveg vagy hivatkozás… + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Valóban teljes egészében törölhető ez a Biblia az OpenLP-ből: %s? + Valóban teljes egészében törölhető ez a Biblia az OpenLP-ből: „{bible}”? Az esetleges újbóli alkalmazásához újra be kell majd importálni. - - Advanced - Haladó - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - A megadott Biblia-fájl hibás. Az OpenSong Bibliák lehet, hogy tömörítve vannak. Ki kell tömöríteni őket importálás előtt. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - 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... - Importálás: %(bookname) %(chapter) fejezet + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + A második biblia nem tartalmaz minden verset, ami az elsőben megtalálható. +Csak a mindkét bibliában fellelhető versek fognak megjelenni. + +Ezek a versek nem lesznek megtalálhatóak: {count:d}. 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... - Importálás: %(bookname) %(chapter) fejezet + + Importing {book} {chapter}... + Importálás: {book}, {chapter}. fejezet - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Jelölj ki egy mappát a biztonsági mentésnek + + Importing {name}... + Importálás: {name}… + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Bibliafrissítő tündér - - - - 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. - A tündér segít az OpenLP 2 korábbi verzióiból származó bibliák frissítésében. Kattints az alábbi Következő gombra a folyamat indításhoz. - - - - Select Backup Directory - Biztonsági mentés mappája - - - - Please select a backup directory for your Bibles - Jelölj ki egy mappát a bibliáid biztonsági mentésének - - - - 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>. - Az OpenLP 2.0 előző verziói nem képesek a frissített bibliákat alkalmazni. Ez a tündér segít biztonsági mentést készíteni a jelenlegi bibliákról, így ha vissza kell térni az OpenLP egy régebbi verziójára, akkor ezeket csak be kell majd másolni az OpenLP adatmappájába. A helyreállítási tudnivalók a <a href="http://wiki.openlp.org/faq">Gyakran ismételt kérdések</a> között találhatók. - - - - Please select a backup location for your Bibles. - Jelölj ki egy helyet a bibliáid biztonsági mentésének. - - - - Backup Directory: - Biztonsági mentés helye: - - - - There is no need to backup my Bibles - Nincs szükség biztonsági másolatra - - - - Select Bibles - Bibliák kijelölése - - - - Please select the Bibles to upgrade - Jelöld ki a frissítendő bibliákat - - - - Upgrading - Frissítés - - - - Please wait while your Bibles are upgraded. - Kérlek, várj, míg a bibliák frissítés alatt állnak. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - A biztonsági mentés nem volt sikeres. -A bibliák biztonsági mentéséhez írási jogosultság szükséges a megadott mappára. - - - - Upgrading Bible %s of %s: "%s" -Failed - Biblia frissítése: %s/%s: „%s” -Sikertelen - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Biblia frissítése: %s/%s: „%s” -Frissítés… - - - - Download Error - Letöltési hiba - - - - To upgrade your Web Bibles an Internet connection is required. - A webes bibliák frissítéséhez internet kapcsolat szükséges. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Biblia frissítése: %s/%s: „%s” -Frissítés: %s … - - - - Upgrading Bible %s of %s: "%s" -Complete - Biblia frissítése: %s/%s: „%s” -Kész - - - - , %s failed - , %s sikertelen - - - - Upgrading Bible(s): %s successful%s - Biblia frissítése: %s teljesítve %s - - - - Upgrade failed. - A frissítés nem sikerült. - - - - You need to specify a backup directory for your Bibles. - Meg kell adni egy könyvtárat a bibliák biztonsági mentéséhez. - - - - Starting upgrade... - Frissítés indítása… - - - - There are no Bibles that need to be upgraded. - Nincsenek frissítésre szoruló bibliák. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Bibliák frissítése: %(success)d teljesítve %(failed_text)s. -Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor is internet kapcsolat szükségeltetik. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + Nem várt hiba történt a SWORD biblia importálása közben. Javasolt a hiba jelentése az OpenLP fejlesztőinek. +{error} 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. @@ -1613,9 +1520,9 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importálás: %(bookname) %(chapter) fejezet + + Importing {book} {chapter}... + Importálás: {book}, {chapter}. fejezet @@ -1730,9 +1637,9 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor Minden kijelölt dia szerkesztése egyszerre. - + Split a slide into two by inserting a slide splitter. - Dia ketté vágása egy diaelválasztó beszúrásával. + Dia kettévágása egy diaelválasztó beszúrásával. @@ -1745,9 +1652,9 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor &Közreműködők: - + You need to type in a title. - Meg kell adnod a címet. + Meg kell adni a címet. @@ -1755,12 +1662,12 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor &Összes szerkesztése - + Insert Slide Dia beszúrása - + You need to add at least one slide. Meg kell adni legalább egy diát. @@ -1768,7 +1675,7 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor CustomPlugin.EditVerseForm - + Edit Slide Dia szerkesztése @@ -1776,9 +1683,9 @@ 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 "%d" selected custom slide(s)? - Valóban törölhető a kijelölt „%d” speciális dia? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Valóban törölhető a kijelölt „{items:d}” speciális dia? @@ -1786,7 +1693,7 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor <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. + <strong>Kép bővítmény</strong><br />A kép 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. @@ -1806,11 +1713,6 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor container title Képek - - - Load a new image. - Új kép betöltése. - Add a new image. @@ -1841,6 +1743,16 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor Add the selected image to the service. A kijelölt kép hozzáadása a szolgálati sorrendhez. + + + Add new image(s). + Új kép(ek) hozzáadása. + + + + Add new image(s) + Új kép(ek) hozzáadása + ImagePlugin.AddGroupForm @@ -1865,12 +1777,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. @@ -1906,7 +1818,7 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor ImagePlugin.ExceptionDialog - + Select Attachment Melléklet kijelölése @@ -1914,67 +1826,67 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor ImagePlugin.MediaItem - + Select Image(s) 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. -- Top-level group -- - -- Legfelsőbb szintű csoport -- + ‒ 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? + + Are you sure you want to remove "{name}" and everything in it? + Valóban törölhető a teljes tartalmával együtt: „{name}”? + + + + The following image(s) no longer exist: {names} + A következő képek nem léteznek: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + A következő képek már nem léteznek: {names} +Más képekkel kellene helyettesíteni ezeket? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Probléma történt a háttér cseréje során, a kép nem létezik: „{name}”. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. A kép mögött látható háttér eltérő képernyőarány esetén. @@ -1982,88 +1894,88 @@ Szeretnél más képeket megadni? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. - Ez egy médialejátszó, amely együttműködik az operációs rendszerrel a média képességek érdekében. + Ez egy médialejátszó, amely együttműködik az operációs rendszerrel a médiaképességek érdekében. 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. @@ -2088,7 +2000,7 @@ Szeretnél más képeket megadni? Select drive from list - Jelöld ki a meghajtót a listából + Ki kell jelölni a meghajtót a listából @@ -2179,47 +2091,47 @@ Szeretnél más képeket megadni? A VLC nem tudta lejátszani a médiát - + CD not loaded correctly A CD nem töltődött be helyesen - + The CD was not loaded correctly, please re-load and try again. A CD nem töltődött be helyesen, meg kell próbálni újra betölteni. - + DVD not loaded correctly A DVD nem töltődött be helyesen - + The DVD was not loaded correctly, please re-load and try again. A DVD nem töltődött be helyesen, meg kell próbálni újra betölteni. - + Set name of mediaclip Klip nevének módosítása - + Name of mediaclip: Klip neve: - + Enter a valid name or cancel - Érvényes nevet kell megadni vagy elvetni + Érvényes nevet kell megadni vagy inkább elvetni - + Invalid character Érvénytelen karakter - + The name of the mediaclip must not contain the character ":" A médiaklip neve nem tartalmazhat „:” karaktert @@ -2227,90 +2139,100 @@ Szeretnél más képeket megadni? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Nem támogatott fájl - + Use Player: Lejátszó alkalmazása: - + VLC player required VLC lejátszó szükséges - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + %s fájlt nem támogatja a lejátszó: %s + + + + Unsupported Media File + Nem támogatott médiafájl + + + + CD/DVD playback is only supported if VLC is installed and enabled. + CD/DVD lejátszás csak telepített és engedélyezett VLC esetén támogatott + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Probléma történt a háttér cseréje során, médiafájl nem létezik: „{name}”. + + + + The optical disc {name} is no longer available. + Az optikai lemez már nem elérhető: {name} + + + + The file {name} no longer exists. + A fájl nem létezik: {name} + + + + Videos ({video});;Audio ({audio});;{files} (*) + Videók ({video});;Hang ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2321,94 +2243,93 @@ Szeretnél más képeket megadni? - Start Live items automatically - Élő adásban lévő elemek automatikus indítása - - - - OPenLP.MainWindow - - - &Projector Manager - &Projektorkezelő + Start new Live media automatically + Élő adásban küldött média automatikus indítása OpenLP - + Image Files Képfájlok - - Information - Információ - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - A bibliák formátuma megváltozott, -ezért frissíteni kell a már meglévő bibliákat. -Frissítheti most az OpenLP? - - - + Backup Biztonsági mentés - - OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - Az OpenLP frissítve lett, készüljön biztonsági mentés az OpenLP adatmappájáról? - - - + Backup of the data folder failed! Az adatmappa biztonsági mentése nem sikerült! - - A backup of the data folder has been created at %s - Az adatmappa biztonsági mentése létrehozva ide: %s - - - + Open Megnyitás + + + Video Files + Videofájlok + + + + Data Directory Error + Adatmappahiba + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Közreműködők - + License Licenc - - build %s - %s. build - - - + 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. Ez egy szabad szoftver; terjeszthető, illetve módosítható a GNU Általános Közreadási Feltételek dokumentumában leírtak szerint ‒ 2. verzió ‒, melyet a Szabad Szoftver Alapítvány ad ki. - + 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. Ez a program abban a reményben kerül közreadásra, hogy hasznos lesz, de minden egyéb GARANCIA NÉLKÜL, az eladhatóságra vagy valamely célra való alkalmazhatóságra való származtatott garanciát is beleértve. A további részleteket lásd alább. - + 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. @@ -2418,180 +2339,164 @@ 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> – Nyílt forrású dalszöveg vetítő -Az OpenLP egy templomi/gyülekezeti bemutató, ill. dalszöveg vetítő szabad szoftver, mely használható énekek, bibliai versek, videók, képek és bemutatók (ha az Impress, a PowerPoint vagy a PowerPoint Viewer telepítve van) vetítésére a gyülekezeti dicsőítés alatt egy számítógép és egy projektor segítségével. +Az OpenLP egy templomi/gyülekezeti bemutató, ill. dalszövegvetítő szabad szoftver, mely használható énekek, bibliai versek, videók, képek és bemutatók (ha az Impress, a PowerPoint vagy a PowerPoint Viewer telepítve van) vetítésére a gyülekezeti dicsőítés alatt egy számítógép és egy projektor segítségével. Többet az OpenLP-ről: http://openlp.org/ -Az OpenLP-t önkéntesek készítették és tartják karban. Ha szeretnél több keresztény számítógépes programot, az alábbi gombbal vedd fontolóra az önkéntes részvételt. +Az OpenLP-t önkéntesek készítették és tartják karban. A projekt örömmel veszi további önkéntesek csatlakozását, hogy még több keresztény számítógépes program legyen. - + Volunteer - Önkéntesség + Önkéntes részvétel - + Project Lead Projektvezetés - + Developers Fejlesztők - + Contributors Hozzájárulók - + Packagers Csomagkészítők - + Testers Tesztelők - + Translators Fordítók - - - Afrikaans (af) - Búr (af) - - - - Czech (cs) - Cseh (cs) - - - - Danish (da) - Dán (da) - - - - German (de) - Német (de) - - - - Greek (el) - Görög (el) - - English, United Kingdom (en_GB) - Angol, Egyesült Királyság (en_GB) + Afrikaans (af) + búr (af) - English, South Africa (en_ZA) - Angol, Dél-Afrikai Köztársaság (en_ZA) + Czech (cs) + cseh (cs) - Spanish (es) - Spanyol (es) + Danish (da) + dán (da) - Estonian (et) - Észt (et) + German (de) + német (de) - Finnish (fi) - Finn (fi) + Greek (el) + görög (el) - French (fr) - Francia (fr) + English, United Kingdom (en_GB) + angol, Egyesült Királyság (en_GB) - Hungarian (hu) - Magyar (hu) + English, South Africa (en_ZA) + angol, Dél-Afrikai Köztársaság (en_ZA) - Indonesian (id) - Indonéz (id) + Spanish (es) + spanyol (es) - Japanese (ja) - Japán (ja) + Estonian (et) + észt (et) - Norwegian Bokmål (nb) - Norvég bokmål (nb) + Finnish (fi) + finn (fi) - Dutch (nl) - Holland (nl) + French (fr) + francia (fr) - Polish (pl) - Lengyel (pl) + Hungarian (hu) + magyar (hu) - Portuguese, Brazil (pt_BR) - Brazíliai portugál (pt_BR) + Indonesian (id) + indonéz (id) - Russian (ru) - Orosz (ru) + Japanese (ja) + japán (ja) - Swedish (sv) - Svéd (sv) + Norwegian Bokmål (nb) + norvég bokmål (nb) - Tamil(Sri-Lanka) (ta_LK) - Tamil (Srí Lanka) (ta_LK) + Dutch (nl) + holland (nl) - Chinese(China) (zh_CN) - Kínai (Kína) (zh_CN) + Polish (pl) + lengyel (pl) + Portuguese, Brazil (pt_BR) + brazíliai portugál (pt_BR) + + + + Russian (ru) + orosz (ru) + + + + Swedish (sv) + svéd (sv) + + + + Tamil(Sri-Lanka) (ta_LK) + tamil (Srí Lanka) (ta_LK) + + + + Chinese(China) (zh_CN) + kínai (Kína) (zh_CN) + + + Documentation Dokumentáció - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Build -Python: http://www.python.org/ -Qt5: http://qt.io -PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro -Oxygen ikonok: 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 @@ -2617,333 +2522,244 @@ szabadnak és ingyenesnek készítettük, mert Ő tett minket szabaddá. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Szerzői jog © 2004-2016 %s -Részleges szerzői jog © 2004-2016 %s + + build {version} + {version}. build + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Felhasználói felület beállításai - - - Number of recent files to display: - Előzmények megjelenítésének hossza: - - Remember active media manager tab on startup - Újraindításkor az aktív médiakezelő fülek visszaállítása - - - - Double-click to send items straight to live - Dupla kattintással az elemek azonnali élő adásba küldése - - - Expand new service items on creation Sorrendbe kerülő elemek kibontása létrehozásukkor - + Enable application exit confirmation Kilépési megerősítés engedélyezése - + Mouse Cursor Egérmutató - + Hide mouse cursor when over display window Egérmutató elrejtése a vetítési ablak felett - - Default Image - Alapértelmezett kép - - - - Background color: - Háttérszín: - - - - Image file: - Képfájl: - - - + Open File Fájl megnyitása - + Advanced Haladó - - - Preview items when clicked in Media Manager - Elem előnézete a médiakezelőben való kattintáskor - - Browse for an image file to display. - Tallózd be a megjelenítendő képfájlt. - - - - Revert to the default OpenLP logo. - Az eredeti OpenLP logó visszaállítása. - - - Default Service Name Alapértelmezett szolgálati sorrend neve - + Enable default service name Alapértelmezett szolgálati sorrendnév - + Date and Time: Dátum és idő: - + Monday Hétfő - + Tuesday Kedd - + Wednesday Szerda - + Friday Péntek - + Saturday Szombat - + Sunday Vasárnap - + Now Most - + Time when usual service starts. A szolgálat szokásos kezdete. - + Name: Név: - + Consult the OpenLP manual for usage. Segítség az OpenLP kézikönyvben. - - Revert to the default service name "%s". - Alapértelmezett név helyreállítása: %s. - - - + Example: Példa: - + Bypass X11 Window Manager X11 ablakkezelő megkerülése - + Syntax error. Szintaktikai hiba. - + Data Location Adatok helye - + Current path: Jelenlegi útvonal: - + Custom path: Egyedi útvonal: - + Browse for new data file location. - Tallózd be az adatállományok helyét. + Be kell tallózni az adatállományok helyét. - + Set the data location to the default. Eredeti adathely visszaállítása. - + Cancel Mégsem - + Cancel OpenLP data directory location change. Az OpenLP adathely-modósításának visszavonása. - + Copy data to new location. Adatok másolása az új helyre. - + Copy the OpenLP data files to the new location. Az OpenLP adatállományainak az új helyre való másolása. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. - <strong>FIGYELMEZTETÉS:</strong> Az új mappa már tartalmaz OpenLP adatállományokat, melyek felül lesznek írva másoláskor. + <strong>FIGYELMEZTETÉS:</strong> Az új mappa már tartalmaz OpenLP adatállományokat, melyek másoláskor felül lesznek írva. - - Data Directory Error - Adatmappa hiba - - - + Select Data Directory Location Adatmappa helyének kijelölése - + Confirm Data Directory Change Adatmappa változásának megerősítése - + Reset Data Directory Adatmappa visszaállítása - + Overwrite Existing Data Meglévő adatok felülírása - - 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. - Az OpenLP adatmappa nem található - -%s - -Az OpenLP alapértelmezett mappája előzőleg meg lett változtatva. Ha ez az új hely egy cserélhető adathordozón volt, azt újra elérhetővé kell tenni. - -A „Nem” gomb megszakítja az OpenLP betöltését, lehetőséget adva a hiba javítására. - -Az „Igen” gomb helyreállítja az adatmappát az alapértelmezett helyre. - - - - 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. - Valóban szeretnéd az OpenLP adatmappa helyét megváltoztatni erre a helyre? - -%s - -Az OpenLP bezárása után jut érvényre a változás. - - - + Thursday Csütörtök - + Display Workarounds Megkerülő megjelenítési megoldások - + Use alternating row colours in lists Váltakozó színek alkalmazása a felrosolásokban - - 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? - FIGYELMEZTETÉS: - -A kijelölt - -%s - -mappa már tartalmaz OpenLP adatállományokat. Valóban felülírhatók ezek a fájlok az aktuális adatfájlokkal? - - - + Restart Required Újraindítás szükséges - + This change will only take effect once OpenLP has been restarted. Az OpenLP újraindítása során jut érvényre a változás. - + 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. @@ -2951,264 +2767,406 @@ This location will be used after OpenLP is closed. Az OpenLP bezárása után jut érvényre a változás. + + + Max height for non-text slides +in slide controller: + A nem szövegalapú diák maximális +magassága a diakezelőben: + + + + Disabled + Letiltva + + + + When changing slides: + Diák módosításakor: + + + + Do not auto-scroll + Ne legyen automatikus görgetés + + + + Auto-scroll the previous slide into view + Az előző dia automatikus görgetése a látképbe + + + + Auto-scroll the previous slide to top + Az előző dia automatikus görgetése felülre + + + + Auto-scroll the previous slide to middle + Az előző dia automatikus görgetése középre + + + + Auto-scroll the current slide into view + Az aktuális dia automatikus görgetése a látképbe + + + + Auto-scroll the current slide to top + Az aktuális dia automatikus görgetése felülre + + + + Auto-scroll the current slide to middle + Az aktuális dia automatikus görgetése középre + + + + Auto-scroll the current slide to bottom + Az aktuális dia automatikus görgetése alulra + + + + Auto-scroll the next slide into view + A következő dia automatikus görgetése a látképbe + + + + Auto-scroll the next slide to top + A következő dia automatikus görgetése felülre + + + + Auto-scroll the next slide to middle + A következő dia automatikus görgetése középre + + + + Auto-scroll the next slide to bottom + A következő dia automatikus görgetése alulra + + + + Number of recent service files to display: + Megjelenített szolgálati előzmények hossza: + + + + Open the last used Library tab on startup + Indításkor az utoljára használt könyvtár-fül megnyitása + + + + Double-click to send items straight to Live + Dupla kattintással az elemek azonnali élő adásba küldése + + + + Preview items when clicked in Library + Elem előnézete a könyvtár való kattintáskor + + + + Preview items when clicked in Service + Elem előnézete a sorrendben való kattintáskor + + + + Automatic + Automatikus + + + + Revert to the default service name "{name}". + Alapértelmezett név helyreállítása: „{name}”. + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + Valóban megváltoztatható az OpenLP adatmappájának helye erre? + +{path} + +Az OpenLP bezárása után jut érvényre a változás. + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + FIGYELMEZTETÉS: + +A kijelölt + +{path} + +mappa már tartalmaz OpenLP adatállományokat. Valóban felülírhatók ezek a fájlok az aktuális adatfájlokkal? + OpenLP.ColorButton - + Click to select a color. - Kattints a szín kijelöléséhez. + A színválasztó kattintásra jelenik meg. OpenLP.DB - + RGB RGB - + Video Videó - + Digital Digitális - + Storage Tároló - + Network Hálózat - + 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 Videó 1 - + Video 2 Videó 2 - + Video 3 Videó 3 - + Video 4 Videó 4 - + Video 5 Videó 5 - + Video 6 Videó 6 - + Video 7 Videó 7 - + Video 8 Videó 8 - + Video 9 Videó 9 - + Digital 1 Digitális 1 - + Digital 2 Digitális 2 - + Digital 3 Digitális 3 - + Digital 4 Digitális 4 - + Digital 5 Digitális 5 - + Digital 6 Digitális 6 - + Digital 7 Digitális 7 - + Digital 8 Digitális 8 - + Digital 9 Digitális 9 - + Storage 1 Tároló 1 - + Storage 2 Tároló 2 - + Storage 3 Tároló 3 - + Storage 4 Tároló 4 - + Storage 5 Tároló 5 - + Storage 6 Tároló 6 - + Storage 7 Tároló 7 - + Storage 8 Tároló 8 - + Storage 9 Tároló 9 - + Network 1 Hálózat 1 - + Network 2 Hálózat 2 - + Network 3 Hálózat 3 - + Network 4 Hálózat 4 - + Network 5 Hálózat 5 - + Network 6 Hálózat 6 - + Network 7 Hálózat 7 - + Network 8 Hálózat 8 - + Network 9 Hálózat 9 @@ -3216,62 +3174,75 @@ Az OpenLP bezárása után jut érvényre a változás. OpenLP.ExceptionDialog - + Error Occurred Hiba történt - + Send E-Mail E-mail küldése - + Save to File Mentés fájlba - + Attach File Fájl csatolása - - - Description characters to enter : %s - Leírás: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Írd le mit tettél, ami a hibához vezetett. Lehetőség szerint angolul. -(minimum 20 karakter) - - 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. Also attach any files that triggered the problem. - Hoppá! Az OpenLP hibába ütközött, és nem tudta lekezelni. Az alsó szövegdoboz olyan információkat tartalmaz, amelyek hasznosak lehetnek az OpenLP fejlesztői számára, tehát kérjük, küld el a bugs@openlp.org email címre egy részletes leírás mellett, amely tartalmazza, hogy éppen hol és mit tettél, amikor a hiba történt. Csatolj minden olyan állományt, amely a hibához vezetett. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Le kell írni a hibához vezető eseményeket.</strong> Lehetőség szerint angolul. + + + + <strong>Thank you for your description!</strong> + <strong>Köszönet a hiba leírásáért!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Mi vezetett a hibához? Mi történt előtte?</strong> + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Összeomlási jelentés mentése - + Text files (*.txt *.log *.text) Szövegfájlok (*.txt *.log *.text) + + + Platform: {platform} + + Platform: {platform} + + OpenLP.FileRenameForm @@ -3301,7 +3272,7 @@ Az OpenLP bezárása után jut érvényre a változás. Choose the translation you'd like to use in OpenLP. - Válassz egy fordítást, amit használni szeretnél az OpenLP-ben. + Ki kell választani egy fordítást az OpenLP számára. @@ -3312,268 +3283,263 @@ Az OpenLP bezárása után jut érvényre a változá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 + Nincs internetkapcsolat - + Unable to detect an Internet connection. - Nem sikerült internet kapcsolatot észlelni. + Nem sikerült internetkapcsolatot é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. + Türelem, 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. - Nem sikerült internetkapcsolatot találni. Az Első indítás tündérnek internetkapcsolatra van szüksége ahhoz, hogy a példa dalokat, bibliákat és témákat le lehessen letölteni. A Befejezés gombra való kattintással az OpenLP alapértelmezett beállításokkal és a példaadatok nélkül indul el. - -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. - - -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 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. + Türelem, 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… + Türelem, 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. + Türelem, 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 + 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. + + + Select parts of the program you wish to use + Válasszuk ki a program szükséges részeit + + + + You can also change these settings after the Wizard. + A beállítások a tündér bezárása után is is módosíthatóak. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Speciális diák ‒ Könnyebben kezelhetőek, mint a dalok és van saját dialistájuk + + + + Bibles – Import and show Bibles + Bibliák ‒ Bibliák importálása és megjelenítése + + + + Images – Show images or replace background with them + Képek ‒ Képek megjelenítése vagy háttérképek cseréje + + + + Presentations – Show .ppt, .odp and .pdf files + Bemutatók ‒ .ppt, .odp és .pdf fájlok megjelenítése + + + + Media – Playback of Audio and Video files + Média ‒ Hang- és videofájlok lejátszása + + + + Remote – Control OpenLP via browser or smartphone app + Távirányító ‒ OpenLP vezérlése böngészőből vagy okostelefonos applikációval + + + + Song Usage Monitor + Dalstatisztika-figyelő + + + + Alerts – Display informative messages while showing other slides + Riasztások ‒ Vetítés közben informatív üzenetek megjelenítése + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projektorok ‒ PJLink kompatibilis hálózati projektorok kezelése az OpenLP-ből + + + + Downloading {name}... + Letöltés: {name}… + + + + Download complete. Click the {button} button to return to OpenLP. + A letöltés befejeződött. Visszatérés az OpeLP-be az alábbi „{button}” gombbal. + + + + Download complete. Click the {button} button to start OpenLP. + A letöltés befejeződött. Az OpeLP indítása az alábbi „{button}” gombbal. + + + + Click the {button} button to return to OpenLP. + Visszatérés az OpenLP-be az alábbi „{button}” gombbal. + + + + Click the {button} button to start OpenLP. + Az OpenLP indítása az alábbi „{button}” gombbal. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + A tündér segít elkezdeni az OpenLP használatát. Az alábbi „{button}” gombbal indítható a folyamat. + + + + 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 {button} 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. + Nem sikerült internetkapcsolatot találni. Az Első indítás tündérnek internetkapcsolatra van szüksége ahhoz, hogy a példa dalokat, bibliákat és témákat le lehessen letölteni. A „{button}” gombra való kattintással az OpenLP alapértelmezett beállításokkal és a példaadatok nélkül indul el. + +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őrizni kell az internetkapcsolatot, majd ismét futtatni ezt a tündért az OpenLP „Eszközök → Első indítás tündér” menüpontjával. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +A tündér az alábbi „{button}” gombbal állítható le teljesen (és zárható be ezzel az OpenLP). + OpenLP.FormattingTagDialog @@ -3616,44 +3582,49 @@ A tündér teljes leállításához (és az OpenLP bezárásához) kattints az a OpenLP.FormattingTagForm - + <HTML here> <HTML-t ide> - + Validation Error Érvényességi hiba - + Description is missing Hiányzik a leírás - + Tag is missing Hiányzik a címke - Tag %s already defined. - A címke már létezik: %s. + Tag {tag} already defined. + A címke már létezik: {tag}. - Description %s already defined. - A leírás már létezik: %s. + Description {tag} already defined. + A leírás már létezik: {tag}. - - Start tag %s is not valid HTML - A kezdő %s címke nem érvényes HTML + + Start tag {tag} is not valid HTML + A kezdő {tag} címke nem érvényes HTML - - End tag %(end)s does not match end tag for start tag %(start)s - A záró %(end)s címke nem egyezik a %(start)s kezdő címkével. + + End tag {end} does not match end tag for start tag {start} + A záró {end} címke nem egyezik a kezdő {start} címkével. + + + + New Tag {row:d} + Új címke: {row:d} @@ -3742,170 +3713,200 @@ A tündér teljes leállításához (és az OpenLP bezárásához) kattints az a OpenLP.GeneralTab - + General Általános - + Monitors Kijelzők - + Select monitor for output display: Vetítési képernyő kijelölése: - + Display if a single screen Megjelenítés egy képernyő esetén - + Application Startup Alkalmazásindítás - + Show blank screen warning Figyelmeztetés megjelenítése az elsötétített képernyőről - - Automatically open the last service - Utolsó sorrend automatikus megnyitása - - - + Show the splash screen Indítóképernyő megjelenítése - + Application Settings Alkalmazásbeállítások - + Prompt to save before starting a new service Rákérdezés mentésre új sorrend létrehozása előtt - - Automatically preview next item in service - Következő elem automatikus előnézete a sorrendben - - - + sec mp - + CCLI Details CCLI részletek - + SongSelect username: SongSelect felhasználói név: - + SongSelect password: SongSelect jelszó: - + X X - + Y Y - + Height Magasság - + Width Szélesség - + Check for updates to OpenLP Frissítés keresése az OpenLP-hez - - Unblank display when adding new live item - Képernyő elsötétítésének visszavonása új elem élő adásba küldésekor - - - + Timed slide interval: Időzített dia intervalluma: - + Background Audio Háttérzene - + Start background audio paused Leállított háttérzene indítása - + Service Item Slide Limits Sorrendben lévő diák határai - + Override display position: Megjelenítési pozíció felülbírálása: - + Repeat track list Zenei számok ismétlése - + Behavior of next/previous on the last/first slide: A következő/előző gombok viselkedése az első és az utolsó diánál: - + &Remain on Slide &Maradjon a dián - + &Wrap around &Kezdje elölről - + &Move to next/previous service item &Ugorjon a következő/előző sorrendben lévő elemre + + + Logo + mongo + + + + Logo file: + Logó fájl: + + + + Browse for an image file to display. + Be kell tallózni a megjelenítendő képfájlt. + + + + Revert to the default OpenLP logo. + Az eredeti OpenLP logó visszaállítása. + + + + Don't show logo on startup + Indításkor ne jelenjen meg a logó + + + + Automatically open the previous service file + Előző sorrend-fájl automatikus megnyitása + + + + Unblank display when changing slide in Live + Képernyő elsötétítésének visszavonása dia módosításakor az élő adásban + + + + Unblank display when sending items to Live + Képernyő elsötétítésének visszavonása új elem élő adásba küldésekor + + + + Automatically preview the next item in service + Következő elem automatikus előnézete a sorrendben + OpenLP.LanguageManager - + Language Nyelv - + Please restart OpenLP to use your new language setting. A nyelvi beállítások az OpenLP újraindítása után lépnek érvénybe. @@ -3913,7 +3914,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 @@ -3921,352 +3922,188 @@ A tündér teljes leállításához (és az OpenLP bezárásához) kattints az a OpenLP.MainWindow - + &File &Fájl - + &Import &Importálás - + &Export &Exportálás - + &View &Nézet - - M&ode - &Mód - - - + &Tools &Eszközök - + &Settings &Beállítások - + &Language &Nyelv - + &Help &Súgó - - Service Manager - Sorrendkezelő - - - - Theme Manager - Témakezelő - - - + Open an existing service. Meglévő sorrend megnyitása. - + Save the current service to disk. Aktuális sorrend mentése lemezre. - + Save Service As Sorrend mentése másként - + Save the current service under a new name. Az aktuális sorrend más néven való mentése. - + E&xit &Kilépés - - Quit OpenLP - OpenLP bezárása - - - + &Theme &Téma - + &Configure OpenLP... OpenLP &beállítása… - - &Media Manager - &Médiakezelő - - - - Toggle Media Manager - Médiakezelő átváltása - - - - Toggle the visibility of the media manager. - A médiakezelő láthatóságának átváltása. - - - - &Theme Manager - &Témakezelő - - - - Toggle Theme Manager - Témakezelő átváltása - - - - Toggle the visibility of the theme manager. - A témakezelő láthatóságának átváltása. - - - - &Service Manager - &Sorrendkezelő - - - - Toggle Service Manager - Sorrendkezelő átváltása - - - - Toggle the visibility of the service manager. - A sorrendkezelő láthatóságának átváltása. - - - - &Preview Panel - &Előnézet panel - - - - Toggle Preview Panel - Előnézet panel átváltása - - - - Toggle the visibility of the preview panel. - Az előnézet panel láthatóságának átváltása. - - - - &Live Panel - &Élő adás panel - - - - Toggle Live Panel - Élő adás panel átváltása - - - - Toggle the visibility of the live panel. - Az élő adás panel láthatóságának átváltása. - - - - List the Plugins - Bővítmények listája - - - - &User Guide - &Felhasználói kézikönyv - - - + &About &Névjegy - - More information about OpenLP - További információk az OpenLP-ről - - - - &Online Help - &Online súgó - - - + &Web Site &Weboldal - + Use the system language, if available. Rendszernyelv használata, ha elérhető. - - Set the interface language to %s - A felhasználói felület nyelvének átváltása erre: %s - - - + Add &Tool... &Eszköz hozzáadása… - + Add an application to the list of tools. Egy alkalmazás hozzáadása az eszközök listához. - - &Default - &Alapértelmezett - - - - Set the view mode back to the default. - Nézetmód visszaállítása az alapértelmezettre. - - - + &Setup &Szerkesztés - - Set the view mode to Setup. - Nézetmód váltása a Beállítás módra. - - - + &Live &Élő adás - - Set the view mode to Live. - Nézetmód váltása az Élő módra. - - - - 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/. - Már letölthető az OpenLP %s verziója (jelenleg a %s verzió fut). - -A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be. - - - + OpenLP Version Updated OpenLP verziófrissítés - + OpenLP Main Display Blanked Elsötétített OpenLP fő képernyő - + The Main Display has been blanked out A fő képernyő el lett sötétítve - - Default Theme: %s - Alapértelmezett téma: %s - - - + English Please add the name of your language here - Magyar + magyar - + Configure &Shortcuts... &Gyorsbillentyűk beállítása… - + Open &Data Folder... &Adatmappa megnyitása… - + Open the folder where songs, bibles and other data resides. A dalokat, bibliákat és egyéb adatokat tartalmazó mappa megnyitása. - + &Autodetect &Automatikus felismerés - + Update Theme Images Témaképek frissítése - + Update the preview images for all themes. Összes téma előnézeti képének frissítése. - + Print the current service. Az aktuális sorrend nyomtatása. - - L&ock Panels - Panelek &zárolása - - - - Prevent the panels being moved. - Megakadályozza a panelek mozgatását. - - - + Re-run First Time Wizard Első indítás tündér - + Re-run the First Time Wizard, importing songs, Bibles and themes. Első indítás tündér újbóli futtatása dalok, bibliák, témák importálásához. - + Re-run First Time Wizard? Újra futtatható az Első indítás tündér? - + 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. @@ -4275,107 +4112,68 @@ 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. - + Configure &Formatting Tags... Formázó &címkék beállítása… - - Export OpenLP settings to a specified *.config file - OpenLP beállításainak mentése egy specifikus *.config fájlba - - - + Settings Beállítások - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Az OpenLP beállításainak betöltése egy előzőleg ezen vagy egy másik gépen exportált specifikus *.config fájlból - - - + Import settings? Beállítások betöltése? - - Open File - Fájl megnyitása - - - - OpenLP Export Settings Files (*.conf) - OpenLP exportált beállító fájlok (*.conf) - - - + Import settings Importálási beállítások - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. Az OpenLP most leáll. Az importált beállítások az OpenLP következő indításakor lépnek érvénybe. - + Export Settings File - Exportált beállító fájl + Exportált beállítófájl - - OpenLP Export Settings File (*.conf) - OpenLP exportált beállító fájl (*.conf) - - - + New Data Directory Error - Új adatmappa hiba + Új adatmappahiba - - 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 - Az OpenLP adatmappa másolása nem sikerül - -%s - - - + General Általános - + Library Könyvtár - + Jump to the search box of the current active plugin. Ugrás az aktuális bővítmény keresési mezőjére. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4388,7 +4186,7 @@ A beállítások betöltése tartós változásokat okoz a OpenLP jelenlegi beá Hibás beállítások betöltése rendellenes működést okozhat, vagy akár az OpenLP abnormális megszakadását is. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4397,191 +4195,379 @@ Processing has terminated and no changes have been made. A folyamat megszakad és a változások nem lesznek elmentve. - - Projector Manager - Projektorkezelő - - - - Toggle Projector Manager - Projektorkezelő átváltása - - - - Toggle the visibility of the Projector Manager - Projektorkezelő láthatóságának átváltása. - - - + Export setting error Exportbeállítási hiba - - 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 - - - + &Recent Services &Legutóbbi sorrendek - + &New Service Ú&j sorrend - + &Open Service - Sorrend &megnyitása. + Sorrend &megnyitása - + &Save Service Sorrend menté&se - + Save Service &As... S&orrend mentése másként - + &Manage Plugins &Beépülők kezelése - + Exit OpenLP OpenLP bezárása - + Are you sure you want to exit OpenLP? Valóban bezárható az OpenLP? - + &Exit OpenLP OpenLP be&zárása + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Már letölthető az OpenLP {new} verziója (jelenleg a {current} verzió fut). + +A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be. + + + + The key "{key}" 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: „{key}”. + + + + An error occurred while exporting the settings: {err} + Hiba történt a beállítás exportálása közben: {err} + + + + Default Theme: {theme} + Alapértelmezett téma: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Az OpenLP adatok új helyre való másolása folyamatban ‒ {path} ‒ Türelem a folyamat befejeződéséig + + + + OpenLP Data directory copy failed + +{err} + Az OpenLP adatmappa másolása nem sikerül + +{err} + + + + &Layout Presets + Elrendezések + + + + Service + Sorrend + + + + Themes + Témák + + + + Projectors + Projektorok + + + + Close OpenLP - Shut down the program. + OpenLP bezárása ‒ a program kikapcsolása. + + + + Export settings to a *.config file. + Beállítások mentése egy *.config fájlba. + + + + Import settings from a *.config file previously exported from this or another machine. + A beállítások betöltése egy előzőleg ezen vagy egy másik gépen exportált *.config fájlból. + + + + &Projectors + &Projektorok + + + + Hide or show Projectors. + Projektorok megjelenítése vagy elrejtése + + + + Toggle visibility of the Projectors. + Projektorok láthatóságának átváltása. + + + + L&ibrary + &Könyvtár + + + + Hide or show the Library. + Könyvtár megjelenítése vagy elrejtése. + + + + Toggle the visibility of the Library. + Könyvtár láthatóságának átváltása. + + + + &Themes + &Témák + + + + Hide or show themes + Témák megjelenítése vagy elrejtése. + + + + Toggle visibility of the Themes. + Témák láthatóságának átváltása. + + + + &Service + &Sorrend + + + + Hide or show Service. + Sorrend megjelenítése vagy elrejtése. + + + + Toggle visibility of the Service. + Sorrend láthatóságának átváltása. + + + + &Preview + &Előnézet + + + + Hide or show Preview. + Előnézet megjelenítése vagy elrejtése. + + + + Toggle visibility of the Preview. + Előnézet láthatóságának átváltása. + + + + Li&ve + Élő adás + + + + Hide or show Live + Élő adás megjelenítése vagy elrejtése. + + + + L&ock visibility of the panels + Panelek láthatóságának zárolása + + + + Lock visibility of the panels. + Panelek láthatóságának &zárolása + + + + Toggle visibility of the Live. + Élő adás láthatóságának átváltása. + + + + You can enable and disable plugins from here. + A beépülőket lehet engedélyezni vagy letiltani itt. + + + + More information about OpenLP. + További információ az OpenLP-ről + + + + Set the interface language to {name} + A felhasználói felület nyelvének átváltása erre: {name} + + + + &Show all + &Minden megjelenítése + + + + Reset the interface back to the default layout and show all the panels. + A felület alapállapotba állítása és minden panel megjelenítése. + + + + Use layout that focuses on setting up the Service. + Olyan megjelenés, amely a sorrend összeállítására fókuszál. + + + + Use layout that focuses on Live. + Olyan megjelenés, amely az élő adásra fókuszál. + + + + OpenLP Settings (*.conf) + OpenLP beállítások (*.conf) + + + + &User Manual + + OpenLP.Manager - + Database Error - Adatbázis hiba + Adatbázishiba - - 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 - A betöltés alatt álló adatbázis az OpenLP egy frissebb változatával készült. Az adatbázis verziószáma: %d, míg az OpenLP %d verziót vár el. Az adatbázis nem lesz betöltve. - -Adatbázis: %s - - - + OpenLP cannot load your database. -Database: %s +Database: {db} Az OpenLP nem képes beolvasni az adatbázist. -Adatbázis: %s +Adatbázis: {db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + A betöltés alatt álló adatbázis az OpenLP egy frissebb változatával készült. Az adatbázis verziószáma {db_ver}, míg az OpenLP {db_up} verziót vár el. Az adatbázis nem lesz betöltve. + +Adatbázis: {db_name} OpenLP.MediaManagerItem - + No Items Selected Nincsenek kijelölt elemek - + &Add to selected Service Item &Hozzáadás a kijelölt sorrendelemhez - + You must select one or more items to preview. Ki kell jelölni egy elemet az előnézethez. - + You must select one or more items to send live. Ki kell jelölni egy élő adásba küldendő elemet. - + You must select one or more items. Ki kell jelölni egy vagy több elemet. - + You must select an existing service item to add to. - Ki kell jelölni egy sorrendelemet, amihez hozzá szeretnél adni. + Ki kell jelölni egy hozzáadni kívánt sorrendelemet. - + Invalid Service Item Érvénytelen sorrendelem - - You must select a %s service item. - Ki kell jelölni egy %s sorrendelemet. - - - + You must select one or more items to add. Ki kell jelölni egy vagy több elemet a hozzáadáshoz. - - No Search Results - Nincs találat - - - + Invalid File Type Érvénytelen fájltípus - - Invalid File %s. -Suffix not supported - Érvénytelen fájl: %s. -Az utótag nem támogatott - - - + &Clone &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. + + + Invalid File {name}. +Suffix not supported + Érvénytelen fájl: {name}. +Az utótag nem támogatott + + + + You must select a {title} service item. + Ki kell jelölni egy {title} sorrend elemet. + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. A <lyrics> címke hiányzik. - + <verse> tag is missing. A <verse> címke hiányzik. @@ -4589,22 +4575,22 @@ Az utótag nem támogatott OpenLP.PJLink1 - + Unknown status Ismeretlen állapot - + No message Nincs üzenet - + Error while sending data to projector Hiba az adat projektorhoz való továbbításában - + Undefined command: Definiálatlan parancs: @@ -4612,89 +4598,84 @@ Az utótag nem támogatott OpenLP.PlayerTab - + Players Lejátszók - + Available Media Players Elérhető médialejátszók - + Player Search Order Lejátszók keresési sorrendje - + Visible background for videos with aspect ratio different to screen. A videó mögött látható háttér eltérő képernyőarány esetén. - + %s (unavailable) %s (elérhetetlen) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - MEGJEGYZÉS: A VLC használatához ezt a verziót szükséges telepíteni: %s version + MEGJEGYZÉS: A VLC használatához ezt a verziót szükséges telepíteni: %s verzió OpenLP.PluginForm - + Plugin Details Bővítmény részletei - + Status: Állapot: - + Active Aktív - - Inactive - Inaktív - - - - %s (Inactive) - %s (inaktív) - - - - %s (Active) - %s (aktív) + + Manage Plugins + Beépülők kezelése - %s (Disabled) - %s (letiltott) + {name} (Disabled) + {name} (letiltott) - - Manage Plugins - Beépülők kezelése + + {name} (Active) + {name} (aktív) + + + + {name} (Inactive) + {name} (inaktív) OpenLP.PrintServiceDialog - + Fit Page Oldal kitöltése - + Fit Width Szélesség kitöltése @@ -4702,335 +4683,335 @@ Az utótag nem támogatott OpenLP.PrintServiceForm - + Options Beállítások - + Copy Másolás - + Copy as HTML Másolás HTML-ként - + Zoom In Nagyítás - + Zoom Out Kicsinyítés - + Zoom Original Eredeti nagyítás - + Other Options További beállítások - + Include slide text if available Dia szövegének beillesztése, ha elérhető - + Include service item notes Sorrendelem megjegyzéseinek beillesztése - + Include play length of media items Sorrendelem lejátszási hosszának beillesztése - + Add page break before each text item Oldaltörés hozzáadása minden szöveg elé - + Service Sheet Szolgálati adatlap - + Print Nyomtatás - + Title: Cím: - + Custom Footer Text: - Egyedi lábjegyzet szöveg: + Egyedi lábjegyzetszöveg: OpenLP.ProjectorConstants - + OK OK - + General projector error - Általános projektor hiba + Általános projektorhiba - + Not connected error - Nem csatlakozik hiba + „Nincs csatlakozás”-hiba - + Lamp error - Lámpa hiba + Lámpahiba - + Fan error - Ventilátor hiba + Ventilátorhiba - + High temperature detected Magas hőmérséglet észlelve - + Cover open detected Nyitott fedél észlelve - + Check filter Ellenőrizni kell a szűrőt - + Authentication Error Azonosítási hiba - + Undefined Command Definiálatlan parancs - + Invalid Parameter Érvénytelen paraméter - + Projector Busy A projektor foglalt - + Projector/Display Error Projektor/Képernyő hiba - + Invalid packet received Érvénytelen fogadott csomag - + Warning condition detected Figyelmeztető állapot észlelve - + Error condition detected - Hiba állapot észlelve + Hibaállapot észlelve - + PJLink class not supported - A PJLink osztály nem támogatott + A PJLink-osztály nem támogatott - + Invalid prefix character Érvénytelen előtag karakter - + The connection was refused by the peer (or timed out) A kapcsolatot a partner elutasította (vagy lejárt) - + The remote host closed the connection A távoli gép lezárta a kapcsolatot - + The host address was not found A gép címe nem található - + The socket operation failed because the application lacked the required privileges A foglalatművelet hibába ütközött, mivel az alkalmazás nem rendelkezik megfelelő jogosultságokkal - + The local system ran out of resources (e.g., too many sockets) A helyi rendszer erőforrási elfogytak (pl. túl sok foglalat) - + The socket operation timed out A foglalatművelet időtúllépés miatt megszakadt - + The datagram was larger than the operating system's limit A datagram nagyobb az operációs rendszer által kezeltnél - + An error occurred with the network (Possibly someone pulled the plug?) Hiba a hálózatban (Valaki esetleg kihúzta a csatlakozót?) - + The address specified with socket.bind() is already in use and was set to be exclusive A socket.bind() által meghatározott cím már használatban van és kizárólagosnak lett jelölve - + The address specified to socket.bind() does not belong to the host A socket.bind() által meghatározott cím nem tartozik a géphez - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) A kért foglalatműveletet nem támogatja a helyi operációs rendszer (pl. hiányzik az IPv6 támogatás) - + The socket is using a proxy, and the proxy requires authentication A foglalat proxyt használ és a proxy felhasználói azonosítást igényel - + The SSL/TLS handshake failed Az SSL/TLS kézfogás meghiúsult - + The last operation attempted has not finished yet (still in progress in the background) Az utolsó művelet nem fejeződött be (még fut a háttérben) - + Could not contact the proxy server because the connection to that server was denied Nem lehet csatlakozni a proxy szerverhez, mivel a kapcsolatot a szerver elutasította - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) A proxy szerverhez való kapcsolódás váratlanul lezárult (mielőtt a végső partnerrel kiépült volna) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. A proxy szerverhez való kapcsolódás időtúllépés miatt megszakadt vagy a proxy szerver válasza megállt felhasználói azonosítás fázisban. - + The proxy address set with setProxy() was not found A setProxy() által megadott proxy cím nem található - + An unidentified error occurred Nem definiált hiba történt - + Not connected - Nem csatlakozik hiba + Nem csatlakozik - + Connecting Kapcsolódás - + Connected Kapcsolódva - + Getting status Állapot lekérdezése - + Off Kikapcsolva - + Initialize in progress Előkészítés folyamatban - + Power in standby Energiatakarékos állapotban - + Warmup in progress Bemelegítés folyamatban - + Power is on Bekapcsolva - + Cooldown in progress Lehűtés folyamatban - + Projector Information available Projektorinformációk elérhetők - + Sending data Adatok küldése - + 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 @@ -5038,17 +5019,17 @@ Az utótag nem támogatott OpenLP.ProjectorEdit - + Name Not Set - Név nincs beállítva + Nincs név beállítva - + You must enter a name for this entry.<br />Please enter a new name for this entry. Meg kell adni egy új nevet a bejegyzéshez. - + Duplicate Name Duplikált név @@ -5056,52 +5037,52 @@ Az utótag nem támogatott OpenLP.ProjectorEditForm - + Add New Projector Új projektor hozzáadása - + Edit Projector Projektor szerkesztése - + IP Address IP cím - + Port Number Portszám - + PIN PIN - + Name Név - + Location Hely - + Notes Jegyzetek - + Database Error - Adatbázis hiba + Adatbázishiba - + There was an error saving projector information. See the log for the error Hiba a projektorinformációk mentése közben. További információk a naplóban. @@ -5109,307 +5090,362 @@ Az utótag nem támogatott OpenLP.ProjectorManager - + Add Projector Projektor hozzáadása - - Add a new projector - Új projektor hozzáadása - - - + Edit Projector Projektor szerkesztése - - Edit selected projector - A kijelölt projektor szerkesztése - - - + Delete Projector Projektor törlése - - Delete selected projector - A kijelölt projektor törlése - - - + Select Input Source Bemeneti forrás kijelölése - - Choose input source on selected projector - Adj meg egy bemeneti forrást a kijelölt projektor számára - - - + View Projector Projektor megtekintése - - View selected projector information - Kijelölt projektorinformáció megtekintése - - - - Connect to selected projector - Kapcsolódás a kijelölt projektorhoz - - - + Connect to selected projectors Kapcsolódás a kijelölt projektorokhoz - + Disconnect from selected projectors Lekapcsolódás a kijelölt projektorról - + Disconnect from selected projector Lekapcsolódás a kijelölt projektorokról - + Power on selected projector Kijelölt projektor bekapcsolása - + Standby selected projector Kijelölt projektor takarékba - - Put selected projector in standby - Kijelölt projektor energiatakarékos állapotba küldése - - - + Blank selected projector screen Kijelölt projektor elsötítése - + Show selected projector screen Kijelölt projektor képének felkapcsolása - + &View Projector Information Projektorinformációk &megtekintése - + &Edit Projector - Projektor &szerkesztése + Projektor sz&erkesztése - + &Connect Projector &Kapcsolódás a projektorhoz - + D&isconnect Projector &Lekapcsolódás a projektorról - + Power &On Projector Projektor &bekapcsolása - + Power O&ff Projector Projektor &kikapcsolása - + Select &Input &Bemenet kijelölése - + Edit Input Source Bemeneti forrás szerkesztése - + &Blank Projector Screen Projektor &elsötítése - + &Show Projector Screen Projektor &kivilágítása - + &Delete Projector Projektor &törlése - + Name Név - + IP IP - + Port Portszám - + Notes Jegyzetek - + Projector information not available at this time. - Projektorinformációk jelenleg nem állnak rendelkezésre. + A projektorinformációk jelenleg nem állnak rendelkezésre. - + Projector Name Projektor neve - + Manufacturer Gyártó - + Model Modell - + Other info További információ - + Power status Üzemállapot - + Shutter is Zár… - + Closed Bezárva - + Current source input is Aktuális bemenet: - + Lamp Lámpa - - On - Bekapcsolva - - - - Off - Kikapcsolva - - - + Hours Óra - + No current errors or warnings Nincsenek hibák vagy figyelmeztetések - + Current errors/warnings Aktuális hibák és figyelmeztetések - + Projector Information Projektorinformációk - + No message Nincs üzenet - + Not Implemented Yet Nincs megvalósítva még - - Delete projector (%s) %s? - Törölhető a projektor: (%s) %s? - - - + Are you sure you want to delete this projector? Valóban törölhető a projektor? + + + Add a new projector. + Új projektor hozzáadása. + + + + Edit selected projector. + A kijelölt projektor szerkesztése. + + + + Delete selected projector. + A kijelölt projektor törlése. + + + + Choose input source on selected projector. + Adj meg egy bemeneti forrást a kijelölt projektor számára. + + + + View selected projector information. + Kijelölt projektorinformáció megtekintése. + + + + Connect to selected projector. + Kapcsolódás a kijelölt projektorhoz. + + + + Connect to selected projectors. + Kapcsolódás a kijelölt projektorokhoz. + + + + Disconnect from selected projector. + Lekapcsolódás a kijelölt projektorról. + + + + Disconnect from selected projectors. + Lekapcsolódás a kijelölt projektorokról. + + + + Power on selected projector. + Kijelölt projektor bekapcsolása. + + + + Power on selected projectors. + Kijelölt projektorok bekapcsolása. + + + + Put selected projector in standby. + Kijelölt projektor energiatakarékos állapotba küldése. + + + + Put selected projectors in standby. + Kijelölt projektorok energiatakarékos állapotba küldése. + + + + Blank selected projectors screen + Kijelölt projektorok elsötétítése + + + + Blank selected projectors screen. + Kijelölt projektorok elsötétítése. + + + + Show selected projector screen. + Kijelölt projektor képének felkapcsolása. + + + + Show selected projectors screen. + Kijelölt projektorok képének felkapcsolása. + + + + is on + bekapcsolva + + + + is off + kikapcsolva + + + + Authentication Error + Azonosítási hiba + + + + No Authentication Error + Nincs azonosítási hiba + OpenLP.ProjectorPJLink - + Fan Hűtő - + Lamp Lámpa - + Temperature Hőmérséglet - + Cover Fedő - + Filter Szűrő - + Other - Más + Egyéb @@ -5453,17 +5489,17 @@ Az utótag nem támogatott OpenLP.ProjectorWizard - + Duplicate IP Address Duplikált IP cím - + Invalid IP Address Érvénytelen IP cím - + Invalid Port Number Érvénytelen portszám @@ -5476,27 +5512,27 @@ Az utótag nem támogatott Képernyő - + primary elsődleges OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Kezdés</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Hossz</strong>: %s - - [slide %d] - [%d dia] + [slide {frame:d}] + [{frame:d} dia] + + + + <strong>Start</strong>: {start} + <strong>Kezdés</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Hossz</strong>: {length} @@ -5560,52 +5596,52 @@ Az utótag nem támogatott Kijelölt elem törlése a sorrendből. - + &Add New Item Új elem &hozzáadása - + &Add to Selected Item &Hozzáadás a kijelölt elemhez - + &Edit Item &Elem szerkesztése - + &Reorder Item Elem újra&rendezése - + &Notes &Jegyzetek - + &Change Item Theme 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 @@ -5630,7 +5666,7 @@ Az utótag nem támogatott Minden sorrendben lévő elem összecsukása. - + Open File Fájl megnyitása @@ -5660,24 +5696,24 @@ Az utótag nem támogatott A kijelölt elem élő adásba küldése. - + &Start Time &Kezdő időpont - + Show &Preview &Előnézet megjelenítése - + Modified Service Módosított sorrend - + The current service has been modified. Would you like to save this service? - Az aktuális sorrend módosult. Szeretnéd elmenteni? + Az aktuális sorrend módosult. Legyen elmentve? @@ -5695,27 +5731,27 @@ Az utótag nem támogatott Lejátszási idő: - + Untitled Service 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 @@ -5732,151 +5768,151 @@ Az utótag nem támogatott Select a theme for the service. - Jelöljön ki egy témát a sorrendhez. + Ki kell jelölni 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. - + Service File(s) Missing Hiányzó sorrendfájl - + &Rename... Át&nevezés - + Create New &Custom Slide Új &speciális dia létrehozása - + &Auto play slides Automatikus diavetítés - + Auto play slides &Loop Automatikus &ismétlődő diavetítés - + Auto play slides &Once Automatikus &egyszeri diavetítés - + &Delay between slides &Diák közötti késleltetés - + OpenLP Service Files (*.osz *.oszl) 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 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 + &Automatikus indítás ‒ inaktív - + &Auto Start - active - &Automatikus indítás - aktív + &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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - A következő fájlok hiányoznak a sorrendből: %s + A következő fájlok hiányoznak a sorrendből: {name} Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. + + + An error occurred while writing the service file: {error} + Hiba történt a szolgálati sorrendfájl mentése közben: {error} + OpenLP.ServiceNoteForm @@ -5907,15 +5943,10 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. Gyorsbillentyű - + Duplicate Shortcut Azonos gyorsbillentyű - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - A gyorsbillentyű már foglalt: %s - Alternate @@ -5924,7 +5955,7 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. - Jelölj ki egy parancsot és kattints egyenként az egyik alul található gombra az elsődleges vagy alternatív gyorsbillentyű elfogásához. + Egy parancs kijelölése után az alul található két gomb egyikére való kattintással lehet elkapni az elsődleges vagy alternatív gyorsbillentyűt. @@ -5961,219 +5992,235 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. Configure Shortcuts Gyorsbillentyűk beállítása + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Elrejtés - + Go To Ugrás - - - Blank Screen - Képernyő elsötétítése - - Blank to Theme - Elsötétítés a témára - - - Show Desktop Asztal megjelenítése - + Previous Service Előző sorrend - + Next Service Következő sorrend - - Escape Item - Kilépés az elemből - - - + Move to previous. Mozgatás az előzőre. - + Move to next. Mozgatás a következőre. - + Play Slides Diák vetítése - + Delay between slides in seconds. Diák közötti késleltetés másodpercben. - + Move to live. Élő adásba küldés. - + Add to Service. Hozzáadás a sorrendhez. - + Edit and reload song preview. Szerkesztés és az dal előnézetének újraolvasása. - + Start playing media. Médialejátszás indítása. - + Pause audio. Hang szüneteltetése. - + Pause playing media. Médialejátszás leállítása. - + Stop playing media. Médialejátszás szüneteltetése. - + Video position. Videó pozíciója. - + Audio Volume. Hangerő. - + Go to "Verse" Ugrás a „versszakra” - + Go to "Chorus" Ugrás a „refrénre” - + Go to "Bridge" Ugrás a „hídra” - + Go to "Pre-Chorus" Ugrás az „előrefrénre” - + Go to "Intro" Ugrás a „bevezetésre” - + Go to "Ending" Ugrás a „lezárásra” - + Go to "Other" Ugrás a „másra” - + Previous Slide Előző dia - + Next Slide Következő dia - + Pause Audio Hang szüneteltetése - + Background Audio Háttérzene - + Go to next audio track. Ugrás a következő zenei számra. - + Tracks Zenei számok + + + Loop playing media. + Lejátszott média ismétlése. + + + + Video timer. + Videó időzítő. + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source - Projektor forrás kijelölése + 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 - + 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? @@ -6181,17 +6228,17 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. OpenLP.SpellTextEdit - + Spelling Suggestions Helyesírási javaslatok - + Formatting Tags Formázó címkék - + Language: Nyelv: @@ -6270,7 +6317,7 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. OpenLP.ThemeForm - + (approximately %d lines per slide) (kb. %d sor diánként) @@ -6278,523 +6325,533 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. OpenLP.ThemeManager - + Create a new theme. Új téma létrehozása. - + Edit Theme Téma szerkesztése - + Edit a theme. Egy téma szerkesztése. - + Delete Theme Téma törlése - + Delete a theme. Egy téma törlése. - + Import Theme Téma importálása - + Import a theme. Egy téma importálása. - + Export Theme Téma exportálása - + Export a theme. Egy téma exportálása. - + &Edit Theme Téma sz&erkesztése - + &Delete Theme Téma &törlése - + Set As &Global Default Beállítás &globális alapértelmezetté - - %s (default) - %s (alapértelmezett) - - - + You must select a theme to edit. 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. - + 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 - + 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. - + &Copy Theme Téma &másolása - + &Rename Theme Téma át&nevezése - + &Export Theme Téma e&xportálása - + You must select a theme to rename. Ki kell jelölni egy témát az átnevezéséhez. - + Rename Confirmation Átnevezési megerősítés - + Rename %s theme? A téma átnevezhető: %s? - + You must select a theme to delete. Ki kell jelölni egy témát a törléshez. - + Delete Confirmation Törlés megerősítése - + Delete %s theme? 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. - - Copy of %s - Copy of <theme name> - %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) - - %s time(s) by %s - Idő: %s/%s - - - + Unable to delete theme A témát nem lehet törölni. + + + {text} (default) + {text} (alapértelmezett) + + + + Copy of {name} + Copy of <theme name> + {name} másolata + + + + Save Theme - ({name}) + Téma mentése – ({name}) + + + + The theme export failed because this error occurred: {err} + A téma exportja sikertelen a következő hiba miatt: {err} + + + + {name} (default) + {name} (alapértelmezett) + + + + Theme {name} already exists. Do you want to replace it? + Ez a téma már létezik: „{name}”. Felülírható? + + {count} time(s) by {plugin} + {count} alkalommal: {plugin} + + + Theme is currently used -%s +{text} A témát használja: -%s +{text} OpenLP.ThemeWizard - + Theme Wizard Téma tündér - + Welcome to the Theme Wizard Üdvözlet a téma tündérben - + Set Up Background Háttér beállítása - + Set up your theme's background according to the parameters below. A téma háttere az alábbi paraméterekkel állítható be. - + Background type: Háttér típusa: - + Gradient Színátmenet - + Gradient: Színátmenet: - + Horizontal Vízszintes - + Vertical Függőleges - + Circular Körkörös - + Top Left - Bottom Right Bal felső sarokból jobb alsó sarokba - + Bottom Left - Top Right Bal alsó sarokból jobb felső sarokba - + Main Area Font Details Fő tartalom betűkészletének jellemzői - + Define the font and display characteristics for the Display text A fő szöveg betűkészlete és megjelenési tulajdonságai - + Font: Betűkészlet: - + Size: Méret: - + Line Spacing: Sorköz: - + &Outline: &Körvonal: - + &Shadow: &Árnyék: - + Bold Félkövér - + Italic Dőlt - + Footer Area Font Details Lábléc betűkészletének jellemzői - + Define the font and display characteristics for the Footer text A lábléc szöveg betűkészlete és megjelenési tulajdonságai - + Text Formatting Details Szövegformázás jellemzői - + Allows additional display formatting information to be defined További megjelenési formázások - + Horizontal Align: Vízszintes igazítás: - + Left Balra zárt - + Right Jobbra zárt - + Center Középre igazított - + Output Area Locations Pozíciók - + &Main Area &Fő szöveg - + &Use default location &Alapértelmezett helyen - + X position: X pozíció: - + px px - + Y position: Y pozíció: - + Width: Szélesség: - + Height: Magasság: - + Use default location Alapértelmezett helyen - + Theme name: Téma neve: - - Edit Theme - %s - Téma szerkesztése – %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. - A tündér segít témákat létrehozni és módosítani. Kattints az alábbi Következő gombra a folyamat első lépésének indításhoz, a háttér beállításához. + A tündér segít témákat létrehozni és módosítani. Az alábbi „Következő” gombbal indítható a folyamat első lépése, a háttér beállítása. - + Transitions: Átmenetek: - + &Footer Area &Lábléc - + Starting color: Kezdő szín: - + Ending color: Befejező szín: - + Background color: Háttérszín: - + Justify Sorkizárt - + Layout Preview Elrendezés előnézete - + Transparent Átlátszó - + Preview and Save Előnézet és mentés - + Preview the theme and save it. Téma előnézete és mentése. - + Background Image Empty Háttérkép üres - + Select Image Kép kijelölése - + Theme Name Missing Téma neve nincs megadva - + There is no name for this theme. Please enter one. - A témának nincs neve, meg kell adni. + A témának nincs neve. Meg kell adni. - + Theme Name Invalid Érvénytelen témanév - + Invalid theme name. Please enter one. - A téma neve érvénytelen, érvényeset kell megadni. + A téma neve érvénytelen. Érvényeset kell megadni. - + Solid color Homogén szín - + color: Szín: - + Allows you to change and move the Main and Footer areas. A fő szöveg és a lábléc helyzetének mozgatása. - + You have not selected a background image. Please select one before continuing. Nincs kijelölt háttérkép. Meg kell adni egyet a folytatás előtt. + + + Edit Theme - {name} + Téma szerkesztése – {name} + + + + Select Video + Videó kijelölése + OpenLP.ThemesTab @@ -6877,73 +6934,73 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. &Függőleges igazítás: - + Finished import. Az importálás befejeződött. - + Format: Formátum: - + Importing Importálás - + Importing "%s"... Importálás „%s”… - + Select Import Source Importálandó forrás kijelölése - + Select the import format and the location to import from. - Jelöld ki az importálás formátumát és az importálás helyét. + Ki kell jelölni az importálás formátumát és az importálás helyét. - + Open %s File %s fájl megnyitása - + %p% %p% - + Ready. Kész. - + Starting import... Importálás indítása… - + You need to specify at least one %s file to import from. A file type e.g. OpenSong 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 - + Welcome to the Song Export Wizard Üdvözlet a dalexportáló tündérben - + Welcome to the Song Import Wizard Üdvözlet a dalimportáló tündérben @@ -6961,7 +7018,7 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. - © + © Copyright symbol. © @@ -6990,42 +7047,37 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. XML syntax error - XML szintaktikai hiba + XML-szintaktikai hiba - - Welcome to the Bible Upgrade Wizard - Üdvözlet a Bibliafrissítő tündérben - - - + Open %s Folder %s mappa megnyitása - + You need to specify one %s file to import from. A file type e.g. OpenSong Meg kell adni egy %s fájlt az importáláshoz. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Meg kell adni egy %s mappát az importáláshoz. - + Importing Songs Dalok importálása - + Welcome to the Duplicate Song Removal Wizard Üdvözlet a duplikált dalok eltávolítása tündérben - + Written by Szerző @@ -7035,502 +7087,490 @@ Ezen fájlok el lesznek távolítva, ha folytatódik a mentés. ismeretlen szerző - + About Névjegy - + &Add &Hozzáadás - + Add group Csoport hozzáadása - + Advanced Haladó - + All Files Minden fájl - + Automatic Automatikus - + Background Color Háttérszín - + Bottom Alulra - + Browse... Tallózás… - + Cancel Mégsem - + CCLI number: CCLI szám: - + Create a new service. Új szolgálati sorrend létrehozása. - + Confirm Delete Törlés megerősítése - + Continuous Folytonos - + Default Alapértelmezett - + Default Color: Alapértelmezett szín: - + 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. - Sorrend %Y-%m-%d %H-%M + Sorrend %Y. %m. %d. ‒ %H.%M - + &Delete &Törlés - + Display style: Megjelenítési stílus: - + Duplicate Error - Duplikátum hiba + Duplikátumhiba - + &Edit &Szerkesztés - + Empty Field Üres mező - + Error Hiba - + Export Exportálás - + File Fájl - + File Not Found A fájl nem található - - File %s not found. -Please try selecting it individually. - %s fájl nem található. -Meg lehet próbálni egyenként kijelölni a fájlokat. - - - + pt Abbreviated font pointsize unit pt - + Help Súgó - + h The abbreviated unit for hours ó - + Invalid Folder Selected Singular Érvénytelen kijelölt mappa - + Invalid File Selected Singular Érvénytelen kijelölt állomány - + Invalid Files Selected Plural Érvénytelen kijelölt állományok - + Image Kép - + Import Importálás - + Layout style: Elrendezés: - + Live Élő - + Live Background Error Élő háttér hiba - + Live Toolbar Élő eszköztár - + Load Betöltés - + Manufacturer Singular Gyártó - + Manufacturers Plural Gyártók - + Model Singular Modell - + Models Plural Modellek - + m The abbreviated unit for minutes p - + Middle Középre - + New Új - + New Service Új sorrend - + New Theme Új téma - + Next Track Következő szám - + No Folder Selected Singular Nincs kijelölt mappa - + No File Selected Singular Nincs kijelölt fájl - + No Files Selected Plural Nincsenek kijelölt fájlok - + No Item Selected Singular Nincs kijelölt elem - + No Items Selected Plural Nincsenek kijelölt elemek - + OpenLP is already running. Do you wish to continue? Az OpenLP már fut. Folytatható? - + Open service. Sorrend megnyitása. - + Play Slides in Loop Ismétlődő diavetítés - + Play Slides to End Diavetítés a végéig - + Preview 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: - + Preview Toolbar Előnézet eszköztár - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Az élő háttér cseréje nem elérhető, ha a WebKit lejátszó tiltva van. @@ -7546,32 +7586,100 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Plural Énekeskönyvek + + + Background color: + Háttérszín: + + + + Add group. + Csoport hozzáadása. + + + + File {name} not found. +Please try selecting it individually. + A fájl nem található: „{name}”. +Meg lehet próbálni egyenként kijelölni a fájlokat. + + + + Start {code} + Indítás: {code} + + + + Video + Videó + + + + Search is Empty or too Short + A keresendő kifejezés üres vagy túl rövid + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>A keresendő kifejezés üres vagy rövidebb, mint 3 karakter</strong><br><br>Hosszabb kifejezéssel érdemes próbálkozni. + + + + No Bibles Available + Nincsenek elérhető Bibliák + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>Jelenleg nincsenek telepített bibliák</strong><br><br>Az importálási tündérrel lehet bibliákat importálni. + + + + Book Chapter + Könyv fejezete + + + + Chapter + Fejezet + + + + Verse + Versszak + + + + Psalm + Zsoltár + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + A könyvek nevei talán rövidítve vannak, pl. 23. Zsoltár = Zsolt 23. + + + + No Search Results + Nincs találat + + + + Please type more text to use 'Search As You Type' + + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s és %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, és %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7579,7 +7687,7 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Source select dialog interface - Forráskijelölő párbeszédpanel felület + Forráskijelölő párbeszédpanel-felület @@ -7651,47 +7759,47 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Bemutatás ezzel: - + File Exists A fájl létezik - + A presentation with that filename already exists. Ilyen fájlnéven már létezik egy bemutató. - + This type of presentation is not supported. - Ez a bemutató típus nem támogatott. + Ez a bemutatótípus nem támogatott. - - Presentations (%s) - Bemutatók (%s) - - - + Missing Presentation Hiányzó bemutató - - The presentation %s is incomplete, please reload. - A bemutató hiányos, újra kell tölteni: %s. + + Presentations ({text}) + Bemutatók ({text}) - - The presentation %s no longer exists. - A bemutató már nem létezik: %s. + + The presentation {name} no longer exists. + A bemutató már nem létezik: {name}. + + + + The presentation {name} is incomplete, please reload. + A bemutató hiányos, újra kell tölteni: {name}. 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. + + 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ás után lehet újra bemutatni a prezentációt. @@ -7701,11 +7809,6 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Available Controllers Elérhető vezérlők - - - %s (unavailable) - %s (elérhetetlen) - Allow presentation application to be overridden @@ -7714,7 +7817,7 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. PDF options - PDF beállítások + PDF-beállítások @@ -7722,12 +7825,12 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. 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. + Ki kell jelölni 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. @@ -7738,13 +7841,19 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. - Clicking on a selected slide in the slidecontroller advances to next effect. - A diakezelőben a kijelölt diára való kattintással előrelép a következő hatásra. + Clicking on the current slide advances to the next effect + Az aktuális diára való kattintással előrelép a következő hatásra. - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Hagyjuk, hogy a PowerPoint kezelje a bemutató ablak méretét és pozícióját (Windows 8 átméretezési hiba megkerülése). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + Engedélyett, hogy a PowerPoint kezelje a bemutató ablak méretét és pozícióját (Windows 8 és 10 átméretezési hiba megkerülése). + + + + {name} (unavailable) + {name} (elérhetetlen) @@ -7775,138 +7884,138 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Server Config Change - Szerver beállítások módosítása + Szerverbeállítások módosítása Server configuration changes will require a restart to take effect. - A szerver beállítások módosítása után újraindítás szükséges a változások érvényre jutásához. + A szerverbeállítások módosítása után újraindítás szükséges a változások érvényre jutásához. 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 - + Remote Távirányító - + Stage View Színpadi nézet - + Live View Élő nézet @@ -7914,79 +8023,141 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. RemotePlugin.RemoteTab - + Serve on IP address: Szolgáltatás IP címe: - + Port number: Port száma: - + Server Settings - Szerver beállítások + Szerverbeállítások - + Remote URL: - Távirányító URL: + Távirányító URL-je: - + Stage view URL: - Színpadi nézet URL: + Színpadi nézet URL-je: - + Display stage time in 12h format Időkijelzés a színpadi nézeten 12 órás formában - + Android App Android alkalmazás - + Live view URL: - Élő adás nézet URL: + Élő adás-nézet URL-je: - + HTTPS Server HTTPS szerver - + 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. - Nem található SSL tanúsítvány. A HTTPS szervert nem lehet elérni SSL tanúsítvány nélkül. Lásd a súgót a további információkért. + Nem található SSL tanúsítvány. A HTTPS szervert nem lehet elérni SSL tanúsítvány nélkül. További információk a súgóban. - + User Authentication Felhasználói azonosítás - + User id: Felhasználói azonosító: - + Password: Jelszó: - + Show thumbnails of non-text slides in remote and stage view. Előnézetek megjelenítése a nem szövegalapú diák esetén a távoli és a színpadi nézetben. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Szkenneld be a QR kódot vagy kattints az Android alkalmazás <a href="%s">letöltéséhez</a> a Google Play-ből. + + iOS App + iOS app + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Az Android alkalmazást a Google Play-ből a fenti QR kóddal vagy <a href="{qr}">ezzel a linkkel</a> lehet letölteni. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Az iOS alkalmazást az alkalmazásboltból a fenti QR kóddal vagy <a href="{qr}">ezzel a linkkel</a> lehet letölteni. + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Nem kijelölt kimeneti útvonal + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Jelentés készítése + + + + Report +{name} +has been successfully created. + A riport sikeresen elkészült: +„{name}”. + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8027,50 +8198,50 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. 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 @@ -8080,17 +8251,17 @@ Meg lehet próbálni egyenként kijelölni a fájlokat. Delete Song Usage Data - Dalstatisztika adatok törlése + Dalstatisztika-adatok törlése Delete Selected Song Usage Events? - Valóban törölhetők a kijelölt dalstatisztika események? + Valóban törölhetők a kijelölt dalstatisztika-események? Are you sure you want to delete selected Song Usage data? - Valóban törölhetők a kijelölt dalstatisztika adatok? + Valóban törölhetők a kijelölt dalstatisztika-adatok? @@ -8137,22 +8308,9 @@ All data recorded before this date will be permanently deleted. 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. - A riport sikeresen elkészült: -%s. + Jelentés készítése @@ -8163,17 +8321,30 @@ has been successfully created. 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. + Nem létező útvonal lett megadva a dalstatisztika riporthoz. Ki kell jelölni egy érvényes útvonalat a számítógépen. - + Report Creation Failed - Riportkészítési hiba + Jelentéské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 + + usage_detail_{old}_{new}.txt + Dalstatisztika_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + A riport sikeresen elkészült: +„{name}”. + + + + An error occurred while creating the report: {error} + Hiba történt a riport készítése közben: {error} @@ -8189,102 +8360,102 @@ Please select an existing path on your computer. 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… - + Arabic (CP-1256) Arab (CP-1256) - + Baltic (CP-1257) Balti (CP-1257) - + Central European (CP-1250) Közép-európai (CP-1250) - + Cyrillic (CP-1251) Cirill (CP-1251) - + Greek (CP-1253) Görög (CP-1253) - + Hebrew (CP-1255) Héber (CP-1255) - + Japanese (CP-932) Japán (CP-932) - + Korean (CP-949) Koreai (CP-949) - + Simplified Chinese (CP-936) Egyszerűsített kínai (CP-936) - + Thai (CP-874) Thai (CP-874) - + Traditional Chinese (CP-950) Hagyományos kínai (CP-950) - + Turkish (CP-1254) Török (CP-1254) - + Vietnam (CP-1258) Vietnami (CP-1258) - + Western European (CP-1252) Nyugat-európai (CP-1252) - + Character Encoding Karakterkódolás - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8293,26 +8464,26 @@ a karakterek helyes megjelenítéséért. Általában az előre beállított érték megfelelő. - + Please choose the character encoding. The encoding is responsible for the correct character representation. - Válaszd ki a karakterkódolást. + Ki kell választani a karakterkódolást. A kódlap felelős a karakterek helyes megjelenítéséért. - + Song name singular Dal - + Songs name plural Dalok - + Songs container title Dalok @@ -8323,37 +8494,37 @@ A kódlap felelős a karakterek helyes megjelenítéséért. 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 @@ -8368,15 +8539,30 @@ A kódlap felelős a karakterek helyes megjelenítéséért. 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. + + + Songs + Dalok + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8462,62 +8648,67 @@ A kódlap felelős a karakterek helyes megjelenítéséért. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Adminisztrálta: %s - - - - "%s" could not be imported. %s - Nem importálható: „%s” %s - - - + Unexpected data formatting. Nem várt adatformázás. - + No song text found. A dalszöveg nem található. - + [above are Song Tags with notes imported from EasyWorship] -[felül találhatók az EasyWorship-ből megjegyzésekkel importál dal címkék] +[felül találhatók az EasyWorship-ből megjegyzésekkel importál dal-címkék] - + This file does not exist. A fájl nem létezik. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Nem található a Songs.MB fájl. Ugyanabban a mappában kell lennie, mint a Songs.DB fájlnak. - + This file is not a valid EasyWorship database. A fájl nem érvényes EasyWorship adatbázis. - + Could not retrieve encoding. Nem sikerült letölteni a kódolást. + + + Administered by {admin} + Adminisztrálta: {admin} + + + + "{title}" could not be imported. {entry} + Nem importálható: „{title}”, {entry} + + + + "{title}" could not be imported. {error} + Nem importálható: „{title}”, {error} + SongsPlugin.EditBibleForm - + Meta Data Metaadat - + Custom Book Names Egyedi könyvnevek @@ -8600,59 +8791,59 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Téma, © és megjegyzés - + Add Author Szerző hozzáadása - + This author does not exist, do you want to add them? - Ez a szerző még nem létezik, valóban hozzá kívánja adni? + Ez a szerző még nem létezik, valóban hozzáadható? - + This author is already in the list. A szerző már benne van a listában. - + 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. - Nincs kijelölve egyetlen szerző sem. Vagy válassz egy szerzőt a listából, vagy írj az új szerző mezőbe és kattints a Hozzáadás gombra a szerző megjelöléséhez. + Nincs kijelölve egyetlen szerző sem. Szerzőt hozzáadni a listából való választással vagy a nevének beírása utána a „Hozzáadás” gombra való kattintással lehet. - + Add Topic Témakör hozzáadása - + This topic does not exist, do you want to add it? - Ez a témakör még nem létezik, szeretnéd hozzáadni? + Ez a témakör még nem létezik, valóban hozzáadható? - + This topic is already in the list. A témakör már benne van a listában. - + 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. - Nincs kijelölve egyetlen témakör sem. Vagy válassz egy témakört a listából, vagy írj az új témakör mezőbe és kattints a Hozzáadás gombra a témakör megjelöléséhez. + Nincs kijelölve egyetlen témakör sem. Témakört hozzáadni a listából való választással vagy a megnevezésének beírása utána a „Hozzáadás” gombra való kattintással lehet. - + You need to type in a song title. - Add meg a dal címét. + Meg kell adni a dal címét. - + You need to type in at least one verse. - Legalább egy versszakot meg kell adnod. + Legalább egy versszakot meg kell adni. - + You need to have an author for this song. - Egy szerzőt meg kell adnod ehhez a dalhoz. + Meg kell adni egy szerzőt ehhez a dalhoz. @@ -8675,7 +8866,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Fájlok &eltávolítása - + Open File(s) Fájlok megnyitása @@ -8690,14 +8881,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. <strong>Figyelmeztetés:</strong> A versszaksorrend nincs megadva. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Nincs érvénytelen versszak: „%(invalid)s”. Az érvényes bejegyzések: „%(valid)s”. -A versszakokat szóközzel elválasztva kell megadni. - - - + Invalid Verse Order Érvénytelen versszaksorrend @@ -8707,22 +8891,15 @@ A versszakokat szóközzel elválasztva kell megadni. Szerző&típus szerkesztése - + Edit Author Type Szerzőtípus szerkesztése - + Choose type for this author Ki kell jelölni a szerző típusát - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Nincsenek ezeknek megfelelő versszakok: „%(invalid)s”. Az érvényes bejegyzések: „%(valid)s”. -A versszakokat szóközzel elválasztva kell megadni. - &Manage Authors, Topics, Songbooks @@ -8744,45 +8921,77 @@ A versszakokat szóközzel elválasztva kell megadni. Szerző, témakör és könyv - + Add Songbook Énekeskönyv hozzáadása - + This Songbook does not exist, do you want to add it? - Ez az énekeskönyv még nem létezik, szeretnéd hozzáadni a listához? + Ez az énekeskönyv még nem létezik, valóban hozzáadható? - + This Songbook is already in the list. Ez a énekeskönyv már szerepel a listában. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - Nincs kijelölve egyetlen énekeskönyv sem. Vagy válassz egy énekeskönyvet a listából, vagy írj az új énekeskönyv mezőbe és kattints a Hozzáadás gombra az énekeskönyv megjelöléséhez. + Nincs kijelölve egyetlen énekeskönyv sem. Énekeskönyvet hozzáadni a listából való választással vagy a megnevezésének beírása utána a „Hozzáadás” gombra való kattintással lehet. + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Nincsenek ezeknek megfelelő versszakok: „{invalid}”. Az érvényes bejegyzések: „{valid}”. +A versszakokat szóközzel elválasztva kell megadni. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Nincs érvénytelen versszak: „{invalid}”. Az érvényes bejegyzések: „{valid}”. +A versszakokat szóközzel elválasztva kell megadni. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + Rosszul formázott címkék vannak az alábbi versszakokban: + +{tag} + +Javítani kell a címkéket a továbblépéshez. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + Mintegy {count} versszak van ezzel a névvel: {name} {number}. Összesen 26 versszak lehet ugyanazzal a névvel. SongsPlugin.EditVerseForm - + Edit Verse Versszak szerkesztése - + &Verse type: Versszak &típusa: - + &Insert &Beszúrás - + Split a slide into two by inserting a verse splitter. Dia kettéválasztása versszakelválasztó beszúrásával. @@ -8795,77 +9004,77 @@ A versszakokat szóközzel elválasztva kell megadni. Dalexportáló tündér - + Select Songs Dalok kijelölése - + Check the songs you want to export. - Jelöld ki az exportálandó dalokat. + Ki kell jelölni az exportálandó dalokat. - + Uncheck All Minden kijelölés eltávolítása - + Check All Mindent kijelöl - + Select Directory Mappa kijelölése - + Directory: Mappa: - + Exporting Exportálás - + Please wait while your songs are exported. - Várj, míg a dalok exportálódnak. + Türelem, míg a dalok exportálódnak. - + You need to add at least one Song to export. Ki kell jelölni legalább egy dalt az exportáláshoz. - + No Save Location specified Nincs megadva a mentési hely - + Starting export... Exportálás indítása… - + You need to specify a directory. Egy mappát kell megadni. - + Select Destination Folder Célmappa kijelölése - + Select the directory where you want the songs to be saved. - Jelöld ki a mappát, ahová a dalok mentésre kerülnek. + Ki kell jelölni a mappát, ahová a dalok mentésre kerülnek. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. A tündér segít a dalok szabad és ingyenes <strong>OpenLyrics</strong> formátumba való exportálásában. @@ -8873,7 +9082,7 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Érvénytelen Foilpresenter dalfájl. Versszakok nem találhatók benne. @@ -8881,7 +9090,7 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.GeneralTab - + Enable search as you type Gépelés közbeni keresés engedélyezése @@ -8889,9 +9098,9 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files - Jelölj ki egy dokumentum vagy egy bemutató fájlokat + Ki kell jelölni dokumentum vagy bemutató fájlokat @@ -8899,237 +9108,252 @@ A versszakokat szóközzel elválasztva kell megadni. Dalimportáló tündér - + 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. - A tündér segít a különféle formátumú dalok importálásában. Kattints az alábbi Következő gombra a folyamat első lépésének indításhoz, a formátum kijelöléséhez. + A tündér segít a különféle formátumú dalok importálásában. Az alábbi „Következő” gombbal indítható a folyamat első lépése, a formátum kijelölése. - + Generic Document/Presentation Általános dokumentum vagy bemutató - + Add Files... Fájlok hozzáadása… - + Remove File(s) Fájlok törlése - + Please wait while your songs are imported. - Kérlek, várj, míg a dalok importálás alatt állnak. + Türelem, míg a dalok importálás alatt állnak. - + Words Of Worship Song Files Words of Worship dalfájlok - + Songs Of Fellowship Song Files Songs Of Fellowship dalfájlok - + SongBeamer Files SongBeamer fájlok - + SongShow Plus Song Files SongShow Plus dalfájlok - + Foilpresenter Song Files Foilpresenter dalfájlok - + Copy Másolás - + Save to File Mentés fájlba - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. A Songs of Fellowship importáló le lett tiltva, mivel az OpenLP nem talál OpenOffice-t vagy LibreOffice-t a számítógépen. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Az általános dokumentum, ill. bemutató importáló le lett tiltva, mivel az OpenLP nem talál OpenOffice-t vagy LibreOffice-t a számítógépen. - + OpenLyrics Files OpenLyrics fájlok - + CCLI SongSelect Files CCLI SongSelect fájlok - + EasySlides XML File - EasySlides XML fájl + EasySlides XML-fájl - + EasyWorship Song Database EasyWorship dal adatbázis - + DreamBeam Song Files DreamBeam dalfájlok - + You need to specify a valid PowerSong 1.0 database folder. Meg kell adni egy érvényes PowerSong 1.0 adatbázis mappát. - + 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>. Előbb CSV szövegfájllá kell konvertálni a ZionWorx adatbázist a <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Felhasználói kézikönyv</a> útmutatása szerint. - + SundayPlus Song Files SundayPlus dalfájlok - + This importer has been disabled. Ez az importáló le lett tiltva. - + MediaShout Database MediaShout adatbázis - + 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. A MediaShout importáló csak Windows alatt támogatott. A hiányzó Python modul miatt le lett tiltva. Alkalmazásához telepíteni kell a „pyodbc” modult. - + SongPro Text Files SongPro szövegfájlok - + SongPro (Export File) SongPro (export fájl) - + In SongPro, export your songs using the File -> Export menu - SongPro-ban a Fájl -> Exportálás menüpontban lehet exportálni a dalokat + SongPro-ban a Fájl → Exportálás menüpontban lehet exportálni a dalokat - + EasyWorship Service File EasyWorship sorrendfájl - + WorshipCenter Pro Song Files WorshipCenter Pro dalfájlok - + 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. A WorshipCenter Pro importáló csak Windows alatt támogatott. A hiányzó Python modul miatt le lett tiltva. Alkalmazásához telepíteni kell a „pyodbc” modult. - + PowerPraise Song Files PowerPraise dalfájlok - + PresentationManager Song Files PresentationManager dal fájlok - - ProPresenter 4 Song Files - ProPresenter 4 dalfájlok - - - + Worship Assistant Files Worship Assistant fájlok - + Worship Assistant (CSV) Worship Assistant fájlok (CSV) - + In Worship Assistant, export your Database to a CSV file. A Worship Assistant programban CSV fájlba kell exportálni az adatbázist. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics vagy OpenLP 2 exportált dal - + OpenLP 2 Databases OpenLP 2 adatbázisok - + LyriX Files LyriX fájlok - + LyriX (Exported TXT-files) LyriX (exportált TXT fájlok) - + VideoPsalm Files VideoPsalm fájlok - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - A VideoPsalm énekeskönyvek általában itt találhatóak: %s + + OPS Pro database + OPS Pro adatbázis + + + + The OPS 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. + Az OPS Pro importáló csak Windows alatt támogatott. A hiányzó Python modul miatt le lett tiltva. Alkalmazásához telepíteni kell a „pyodbc” modult. + + + + ProPresenter Song Files + ProPresenter dalfájlok + + + + The VideoPsalm songbooks are normally located in {path} + A VideoPsalm énekeskönyvek általában itt találhatóak: {path} SongsPlugin.LyrixImport - Error: %s - Hiba: %s + File {name} + Fájl {name} + + + + Error: {error} + Hiba: {error} @@ -9142,85 +9366,123 @@ A versszakokat szóközzel elválasztva kell megadni. Select one or more audio files from the list below, and click OK to import them into this song. - Jelölj ki egy vagy több hangfájlt az alábbi listából és kattints az OK gombra a dalba való importálásukhoz. + Egy vagy több hangfájlt importálni ebbe dalba a listában való megjelölésükkel, majd az „OK” gombbal lehet. SongsPlugin.MediaItem - + Titles Címek - + Lyrics Dalszöveg - + CCLI License: CCLI licenc: - + Entire Song Teljes dal - + Maintain the lists of authors, topics and books. Szerzők, témakörök, könyvek listájának kezelése. - + copy For song cloning másolat - + Search Titles... Címek keresése… - + Search Entire Song... Teljes dal keresése… - + Search Lyrics... Dalszöveg keresése… - + Search Authors... Szerzők keresése… - - Are you sure you want to delete the "%d" selected song(s)? - Valóban törölhető a kijelöl „%d” dal? - - - + Search Songbooks... Énekeskönyvek keresése… + + + Search Topics... + Témák keresése… + + + + Copyright + Szerzői jog + + + + Search Copyright... + Szerzői jog keresése… + + + + CCLI number + CCLI szám + + + + Search CCLI number... + CCLI szám keresése… + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + Valóban törölhető a kijelöl {items:d} dal? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Nem sikerült megnyitni a MediaShout adatbázist. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Nem lehet csatlakozni az OPS Pro adatbázishoz. + + + + "{title}" could not be imported. {error} + Nem importálható: „{title}”, {error} + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Ez nem egy OpenLP 2 daladatbázis. @@ -9228,9 +9490,9 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportálás „%s”… + + Exporting "{title}"... + Exportálás: „{title}”… @@ -9249,29 +9511,37 @@ A versszakokat szóközzel elválasztva kell megadni. Nincsenek importálható dalok. - + Verses not found. Missing "PART" header. Versszakok nem találhatók. Hiányzik a „PART” fejléc. - No %s files found. - A fájlok nem találhatók %s. + No {text} files found. + A fájlok nem találhatók {text}. - Invalid %s file. Unexpected byte value. - Érvénytelen fájl: %s. Nem várt bájt érték. + Invalid {text} file. Unexpected byte value. + Érvénytelen fájl: {text}. Nem várt bájt érték. - Invalid %s file. Missing "TITLE" header. - Érvénytelen fájl: %s. Hiányzó „TITLE” fejléc. + Invalid {text} file. Missing "TITLE" header. + Érvénytelen fájl: {text}. Hiányzó „TITLE” fejléc. - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Érvénytelen fájl: %s. Hiányzó „COPYRIGHTLINE” fejléc. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Érvénytelen fájl: {text}. Hiányzó „COPYRIGHTLINE” fejléc. + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + A fájl nem XML-formátumú, holott csak ez támogatott. @@ -9300,19 +9570,19 @@ 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. + Exportálás befejeződött. Ezen fájlok importálásához majd az <strong>OpenLyrics</strong> importálót kell igénybe venni. - - Your song export failed because this error occurred: %s - A dal exportja sikertelen a következő hiba miatt: %s + + Your song export failed because this error occurred: {error} + A dal exportja sikertelen a következő hiba miatt: {error} @@ -9328,17 +9598,17 @@ A versszakokat szóközzel elválasztva kell megadni. A következő dalok nem importálhatók: - + Cannot access OpenOffice or LibreOffice Nem lehet elérni az OpenOffice-t vagy a LibreOffice-t - + Unable to open file Nem sikerült megnyitni a fájlt - + File not found A fájl nem található @@ -9346,109 +9616,109 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.SongMaintenanceForm - + Could not add your author. A szerzőt nem lehet hozzáadni. - + This author already exists. Ez a szerző már létezik. - + Could not add your topic. A témakört nem lehet hozzáadni. - + This topic already exists. Ez a témakör már létezik. - + Could not add your book. A könyvet nem lehet hozzáadni. - + This book already exists. Ez a könyv már létezik. - + Could not save your changes. A módosításokat nem lehet elmenteni. - + Could not save your modified author, because the author already exists. A módosított szerzőt nem lehet elmenteni, mivel már a szerző létezik. - + Could not save your modified topic, because it already exists. A módosított témakört nem lehet elmenteni, mivel már létezik. - + Delete Author Szerző törlése - + Are you sure you want to delete the selected author? Valóban törölhető a kijelölt szerző? - + This author cannot be deleted, they are currently assigned to at least one song. Ezt a szerzőt nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve. - + Delete Topic Témakör törlése - + Are you sure you want to delete the selected topic? Valóban törölhető a kijelölt témakör? - + This topic cannot be deleted, it is currently assigned to at least one song. Ezt a témakört nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve. - + Delete Book Könyv törlése - + Are you sure you want to delete the selected book? Valóban törölhető a kijelölt könyv? - + This book cannot be deleted, it is currently assigned to at least one song. Ezt a könyvet nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Ez a szerző már létezik: %s. Szeretnéd, hogy a dal – melynek szerzője %s – a már létező szerző (%s) dalai közé kerüljön rögzítésre? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + Ez a szerző már létezik: {original}. A dal – melynek szerzője: „{new}” – kerüljön rögzítésre a már létező „{original}” szerző dalai közé? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Ez a témakör már létezik: %s. Szeretnéd, hogy a dal – melynek témaköre: %s – a már létező témakörben (%s) kerüljön rögzítésre? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + Ez a témakör már létezik: {original}. A dal – melynek témaköre: „{new}” – kerüljön rögzítésre a már létező „{original}” témakörben? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Ez a könyv már létezik: %s. Szeretnéd, hogy a dal – melynek könyve: %s – a már létező könyvben (%s) kerüljön rögzítésre? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + Ez a könyv már létezik: {original} A dal – melynek könyve: „{new}” – kerüljön rögzítésre a már létező „{original}” könyvben? @@ -9461,7 +9731,7 @@ A versszakokat szóközzel elválasztva kell megadni. <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - <strong>Figyelem:</strong> Internet kapcsolat szükséges a CCLI SongSelect adatbázisból való importáláshoz. + <strong>Figyelem:</strong> Internetkapcsolat szükséges a CCLI SongSelect adatbázisból való importáláshoz. @@ -9494,52 +9764,47 @@ A versszakokat szóközzel elválasztva kell megadni. Keresés - - Found %s song(s) - %s talált dal - - - + Logout Kilépés - + View Nézet - + Title: Cím: - + Author(s): Szerző(k): - + Copyright: Szerzői jog: - + CCLI Number: CCLI szám: - + Lyrics: Dalszöveg: - + Back Vissza - + Import Importálás @@ -9566,7 +9831,7 @@ A versszakokat szóközzel elválasztva kell megadni. 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. + 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 „Igen”-nel a jelszó mentésre kerül, a „Nem”-mel megszakad a mentés. @@ -9579,7 +9844,7 @@ A versszakokat szóközzel elválasztva kell megadni. 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 @@ -9591,10 +9856,10 @@ A versszakokat szóközzel elválasztva kell megadni. 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ó. + A dalból hiányzik néhány alapvető információ, mint pl. a szöveg, így az nem importálható. - + Your song has been imported, would you like to import more songs? A dal sikeresen importálva lett. Új dalok importálása? @@ -9603,6 +9868,11 @@ A versszakokat szóközzel elválasztva kell megadni. Stop Megállítás + + + Found {count:d} song(s) + {count:d} talált dal + SongsPlugin.SongsTab @@ -9611,30 +9881,30 @@ A versszakokat szóközzel elválasztva kell megadni. Songs Mode Dalmód - - - Display verses on live tool bar - Versszakok megjelenítése az élő adás eszköztáron - Update service from song edit Sorrendben lévő példány frissítése a dal módosításakor - - - Import missing songs from service files - Hiányzó dalok importálása a szolgálati fájlokból - Display songbook in footer Énekeskönyv megjelenítése a láblécben + + + Enable "Go to verse" button in Live panel + „Ugrás a versszakra” gomb aktiválása az élő adás panelen + + + + Import missing songs from Service files + Hiányzó dalok importálása a szolgálati fájlokból + - Display "%s" symbol before copyright info - „%s” szimbólum megjelenítése a szerzői jogi infó előtt + Display "{symbol}" symbol before copyright info + „{symbol}” szimbólum megjelenítése a szerzői jogi infó előtt @@ -9658,60 +9928,60 @@ A versszakokat szóközzel elválasztva kell megadni. SongsPlugin.VerseType - + Verse Versszak - + Chorus Refrén - + Bridge Híd - + Pre-Chorus Előrefrén - + Intro Bevezetés - + Ending Lezárás - + Other - Más + Egyéb SongsPlugin.VideoPsalmImport - - Error: %s - Hiba: %s + + Error: {error} + Hiba: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Érvénytelen Words of Worship dalfájl. Hiányzik: „%s” header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + Érvénytelen Words of Worship dalfájl. Hiányzó fejléc: „{text}” - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Érvénytelen Words of Worship dalfájl. Hiányzik: „%s” string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + Érvénytelen Words of Worship dalfájl. Hiányzó karakterlánc: „{text}” . @@ -9722,30 +9992,30 @@ A versszakokat szóközzel elválasztva kell megadni. Hiba a CSV fájl olvasása közben. - - Line %d: %s - %d sor: %s - - - - Decoding error: %s - Dekódolási hiba: %s - - - + File not valid WorshipAssistant CSV format. A fájl nem érvényes WorshipAssistant CSV formátumú. - - Record %d - %d rekord + + Line {number:d}: {error} + {number:d}. sor: {error} + + + + Record {count:d} + {count:d} rekord + + + + Decoding error: {error} + Dekódolási hiba: {error} SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Nem lehet csatlakozni a WorshipCenter Pro adatbázishoz. @@ -9758,25 +10028,30 @@ A versszakokat szóközzel elválasztva kell megadni. Hiba a CSV fájl olvasása közben. - + File not valid ZionWorx CSV format. A fájl nem érvényes ZionWorx CSV formátumú. - - Line %d: %s - %d sor: %s - - - - Decoding error: %s - Dekódolási hiba: %s - - - + Record %d %d rekord + + + Line {number:d}: {error} + {number:d}. sor: {error} + + + + Record {index} + {index}. rekord + + + + Decoding error: {error} + Dekódolási hiba: {error} + Wizard @@ -9786,39 +10061,960 @@ A versszakokat szóközzel elválasztva kell megadni. Tündér - + 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. A tündér segít eltávolítani a duplikált dalokat az adatbázisból. Lehetőség van minden potenciális duplikátum dal áttekintésére a törlése előtt. Dal nem törlődik kifejezett jóváhagyás nélkül. - + Searching for duplicate songs. Duplikált dalok keresése. - + Please wait while your songs database is analyzed. Türelem, az adatbázis elemzése folyamatban van. - + Here you can decide which songs to remove and which ones to keep. Itt adható meg, hogy melyik dal legyen törölve és melyik maradjon meg. - - Review duplicate songs (%s/%s) - Duplikált dalok áttekintése (%s/%s) - - - + Information Információ - + No duplicate songs have been found in the database. Nem találhatóak duplikált dalok az adatbázisban. + + + Review duplicate songs ({current}/{total}) + Duplikált dalok áttekintése ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + oromó + + + + Abkhazian + Language code: ab + abház + + + + Afar + Language code: aa + afar + + + + Afrikaans + Language code: af + afrikaans + + + + Albanian + Language code: sq + albán + + + + Amharic + Language code: am + amhara + + + + Amuzgo + Language code: amu + amuzgo + + + + Ancient Greek + Language code: grc + ógörög + + + + Arabic + Language code: ar + arab + + + + Armenian + Language code: hy + örmény + + + + Assamese + Language code: as + asszami + + + + Aymara + Language code: ay + ajmara + + + + Azerbaijani + Language code: az + azeri + + + + Bashkir + Language code: ba + baskír + + + + Basque + Language code: eu + baszk + + + + Bengali + Language code: bn + bengáli + + + + Bhutani + Language code: dz + bhutáni + + + + Bihari + Language code: bh + bihári + + + + Bislama + Language code: bi + biszlama + + + + Breton + Language code: br + breton + + + + Bulgarian + Language code: bg + bolgár + + + + Burmese + Language code: my + burmai + + + + Byelorussian + Language code: be + belarusz + + + + Cakchiquel + Language code: cak + kakcsikel + + + + Cambodian + Language code: km + kambodzsai + + + + Catalan + Language code: ca + katalán + + + + Chinese + Language code: zh + kínai + + + + Comaltepec Chinantec + Language code: cco + comaltepec-csinantek + + + + Corsican + Language code: co + korzikai + + + + Croatian + Language code: hr + horvát + + + + Czech + Language code: cs + cseh + + + + Danish + Language code: da + dán + + + + Dutch + Language code: nl + holland + + + + English + Language code: en + angol + + + + Esperanto + Language code: eo + eszperantó + + + + Estonian + Language code: et + észt + + + + Faeroese + Language code: fo + feröeri + + + + Fiji + Language code: fj + fidzsi + + + + Finnish + Language code: fi + finn + + + + French + Language code: fr + francia + + + + Frisian + Language code: fy + fríz + + + + Galician + Language code: gl + galíciai + + + + Georgian + Language code: ka + grúz + + + + German + Language code: de + német + + + + Greek + Language code: el + görög + + + + Greenlandic + Language code: kl + grönlandi + + + + Guarani + Language code: gn + guarani + + + + Gujarati + Language code: gu + gudzsaráti + + + + Haitian Creole + Language code: ht + haiti kreol + + + + Hausa + Language code: ha + hausza + + + + Hebrew (former iw) + Language code: he + héber (azelőtt: iw) + + + + Hiligaynon + Language code: hil + hiligaynon + + + + Hindi + Language code: hi + hindi + + + + Hungarian + Language code: hu + magyar + + + + Icelandic + Language code: is + izlandi + + + + Indonesian (former in) + Language code: id + indonéz (azelőtt: in) + + + + Interlingua + Language code: ia + interlingva + + + + Interlingue + Language code: ie + interlingve + + + + Inuktitut (Eskimo) + Language code: iu + inuktitut (eszkimó) + + + + Inupiak + Language code: ik + inupiak + + + + Irish + Language code: ga + ír + + + + Italian + Language code: it + olasz + + + + Jakalteko + Language code: jac + jacaltec + + + + Japanese + Language code: ja + japán + + + + Javanese + Language code: jw + jávai + + + + K'iche' + Language code: quc + kachin + + + + Kannada + Language code: kn + kannada + + + + Kashmiri + Language code: ks + kasmíri + + + + Kazakh + Language code: kk + kazak + + + + Kekchí + Language code: kek + kekcsi + + + + Kinyarwanda + Language code: rw + kinyarvanda + + + + Kirghiz + Language code: ky + kirgiz + + + + Kirundi + Language code: rn + kirundi + + + + Korean + Language code: ko + koreai + + + + Kurdish + Language code: ku + kurd + + + + Laothian + Language code: lo + lao + + + + Latin + Language code: la + latin + + + + Latvian, Lettish + Language code: lv + lett + + + + Lingala + Language code: ln + lingala + + + + Lithuanian + Language code: lt + litván + + + + Macedonian + Language code: mk + macedón + + + + Malagasy + Language code: mg + malagas + + + + Malay + Language code: ms + maláj + + + + Malayalam + Language code: ml + malajálam + + + + Maltese + Language code: mt + máltai + + + + Mam + Language code: mam + maláj + + + + Maori + Language code: mi + maori + + + + Maori + Language code: mri + maori + + + + Marathi + Language code: mr + maráthi + + + + Moldavian + Language code: mo + moldvai + + + + Mongolian + Language code: mn + mongol + + + + Nahuatl + Language code: nah + navatl + + + + Nauru + Language code: na + nauru + + + + Nepali + Language code: ne + nepáli + + + + Norwegian + Language code: no + norvég + + + + Occitan + Language code: oc + okcitán + + + + Oriya + Language code: or + orija + + + + Pashto, Pushto + Language code: ps + pastu + + + + Persian + Language code: fa + perzsa + + + + Plautdietsch + Language code: pdt + plautdietsch + + + + Polish + Language code: pl + lengyel + + + + Portuguese + Language code: pt + portugál + + + + Punjabi + Language code: pa + pandzsábi + + + + Quechua + Language code: qu + kecsua + + + + Rhaeto-Romance + Language code: rm + romans + + + + Romanian + Language code: ro + román + + + + Russian + Language code: ru + orosz + + + + Samoan + Language code: sm + szamoai + + + + Sangro + Language code: sg + szangó + + + + Sanskrit + Language code: sa + szankszrit + + + + Scots Gaelic + Language code: gd + skót gael + + + + Serbian + Language code: sr + szerb + + + + Serbo-Croatian + Language code: sh + horvát + + + + Sesotho + Language code: st + szotó + + + + Setswana + Language code: tn + csvana + + + + Shona + Language code: sn + sona + + + + Sindhi + Language code: sd + szindhi + + + + Singhalese + Language code: si + szingaléz + + + + Siswati + Language code: ss + szvázi + + + + Slovak + Language code: sk + szlovák + + + + Slovenian + Language code: sl + szlovén + + + + Somali + Language code: so + szomáli + + + + Spanish + Language code: es + spanyol + + + + Sudanese + Language code: su + szandanéz + + + + Swahili + Language code: sw + szuahéli + + + + Swedish + Language code: sv + svéd + + + + Tagalog + Language code: tl + tagalog + + + + Tajik + Language code: tg + tádzsik + + + + Tamil + Language code: ta + tamil + + + + Tatar + Language code: tt + tatár + + + + Tegulu + Language code: te + telugu + + + + Thai + Language code: th + thai + + + + Tibetan + Language code: bo + tibeti + + + + Tigrinya + Language code: ti + tigrinya + + + + Tonga + Language code: to + tonga + + + + Tsonga + Language code: ts + conga + + + + Turkish + Language code: tr + török + + + + Turkmen + Language code: tk + türkmen + + + + Twi + Language code: tw + tvi + + + + Uigur + Language code: ug + ujgur + + + + Ukrainian + Language code: uk + ukrán + + + + Urdu + Language code: ur + urdu + + + + Uspanteco + Language code: usp + eszperantó + + + + Uzbek + Language code: uz + üzbég + + + + Vietnamese + Language code: vi + vietnami + + + + Volapuk + Language code: vo + volapük + + + + Welch + Language code: cy + walesi + + + + Wolof + Language code: wo + wolof + + + + Xhosa + Language code: xh + xhosza + + + + Yiddish (former ji) + Language code: yi + jiddis (azelőtt: ji) + + + + Yoruba + Language code: yo + joruba + + + + Zhuang + Language code: za + zsuang + + + + Zulu + Language code: zu + zulu + + + diff --git a/resources/i18n/id.ts b/resources/i18n/id.ts index 48c6983cb..1110ba648 100644 --- a/resources/i18n/id.ts +++ b/resources/i18n/id.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Tetap lanjutkan? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Teks peringatan tidak berisikan '<>'. Tetap lanjutkan? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Teks isi peringatan belum ditentukan. Silakan masukkan teks sebelum memilih Baru. @@ -120,32 +121,27 @@ Silakan masukkan teks sebelum memilih Baru. AlertsPlugin.AlertsTab - + Font Fon - + Font name: Nama fon: - + Font color: Warna fon: - - Background color: - Warna latar: - - - + Font size: Ukuran fon: - + Alert timeout: Batas-waktu peringatan: @@ -153,88 +149,78 @@ 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. - Genesis @@ -739,161 +725,130 @@ Silakan masukkan teks sebelum memilih Baru. Alkitab sudah ada. Silakan impor Alkitab lain atau hapus dahulu yang sudah ada. - - You need to specify a book name for "%s". - Anda harus menentukan suatu nama kitab untuk "%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. - Nama kitab "%s" tidak benar. -Nomor hanya dapat digunakan di awal dan harus -diikuti oleh satu atau lebih karakter non-numerik. - - - + Duplicate Book Name Duplikasi Nama Kitab - - The Book Name "%s" has been entered more than once. - Nama kitab "%s" dimasukkan lebih dari sekali. + + You need to specify a book name for "{text}". + Anda harus menentukan suatu nama kitab untuk "{text}". + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Nama kitab "{name}" salah. +Angka hanya dapat digunakan di awal dan harus +diikuti satu atau lebih karakter non-numerik. + + + + The Book Name "{name}" has been entered more than once. + Nama kitab "{name}" telah dimasukkan lebih dari satu kali. + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Kesalahan Referensi Alkitab - - Web Bible cannot be used - Alkitab Web tidak dapat digunakan + + Web Bible cannot be used in Text Search + Alkitab Web tidak dapat digunakan dalam Pencarian Teks - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Referensi Alkitab tidak ada dukungan oleh OpenLP atau tidak valid. Pastikan referensi Anda sesuai dengan salah satu pola berikut atau lihat panduan: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Bab -Bab%(range)sBab -Bab%(verse)sAyat%(range)sAyat -Bab%(verse)sAyat%(range)sAyat%(list)sAyat%(range)sAyat -Bab%(verse)sAyat%(range)sAyat%(list)sBab%(verse)sAyat%(range)sAyat -Bab%(verse)sAyat%(range)sBab%(verse)sAyat +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Pencarian Teks tidak tersedia bersama Alkitab Web. +Silakan gunakan Pencarian Referensi Firman saja + +Ini berarti bahwa Alkitab yang sedang digunakan +atau Alkitab Kedua ter-install sebagai Alkitab Web. + +Jika Anda tadinya mencoba melakukan pencarian Referensi +Dalam Pencarian Kombinasi, maka referensi anda tidak valid. + + + + Nothing found + Tidak tidetemukan BiblesPlugin.BiblesTab - + Verse Display Tampilan Ayat - + Only show new chapter numbers Hanya tampilkan nomor bab baru - + Bible theme: Tema Alkitab: - + No Brackets Tanpa Tanda Kurung - + ( And ) ( Dan ) - + { And } { Dan } - + [ And ] [ Dan ] - - Note: -Changes do not affect verses already in the service. - Catatan: -Perubahan tidak mempengaruhi ayat yang sudah ada di Layanan. - - - + Display second Bible verses Tampilkan ayat Alkitab kedua (beda versi) - + Custom Scripture References Referensi Alkitab Kustom - - Verse Separator: - Pemisah Ayat: - - - - Range Separator: - Pemisah Kisaran: - - - - List Separator: - Pemisah Daftar: - - - - End Mark: - Tanda Akhir: - - - + 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. @@ -902,37 +857,84 @@ Semuanya harus dipisahkan oleh sebuah palang vertikal "|". Silakan bersihkan baris penyuntingan ini untuk menggunakan nilai bawaan. - + English Bahasa Inggris - + Default Bible Language Bahasa Alkitab Bawaan - + Book name language in search field, search results and on display: Bahasa Kitab di bidang penelusuran, hasil penelusuran, dan tampilan: - + Bible Language Bahasa Alkitab - + Application Language Bahasa Aplikasi - + Show verse numbers Tampilkan nomor ayat + + + Note: Changes do not affect verses in the Service + Catatan: Perubahan tidak mempengaruhi ayat-ayat dalam Kebaktian + + + + Verse separator: + Pemisah ayat: + + + + Range separator: + Pemisah jarak: + + + + List separator: + Pemisah daftar: + + + + End mark: + Tanda akhir: + + + + Quick Search Settings + Pengaturan Pencarian Cepat + + + + Reset search type to "Text or Scripture Reference" on startup + Me-reset tipe pencarian ke "Referensi Teks atau Firman" pada startup + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Jangan tampilkan error jika tak ada yang ditemukan dalam "Referensi Teks atau Firman" + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Cari otomatis selagi diketik (Pencarian teks harus mengandung +minimal {count} karakter dan sebuah spasi unutk alasan performa) + BiblesPlugin.BookNameDialog @@ -988,70 +990,71 @@ hasil penelusuran, dan tampilan: BiblesPlugin.CSVBible - - Importing books... %s - Mengimpor kitab... %s + + Importing books... {book} + Mengimpo kitab-kitab... {book} - - Importing verses... done. - Mengimpor ayat... selesai. + + Importing verses from {book}... + Importing verses from <book name>... + Mengimpor ayat-ayat dari (book)... BiblesPlugin.EditBibleForm - + Bible Editor Penyunting Alkitab - + License Details Rincian Lisensi - + Version name: Nama versi: - + Copyright: Hak Cipta: - + Permissions: Izin: - + Default Bible Language Bahasa Alkitab Bawaan - + Book name language in search field, search results and on display: Bahasa Kitab di bidang penelusuran, hasil penelusuran, dan tampilan: - + Global Settings Setelan Global - + Bible Language Bahasa Alkitab - + Application Language Bahasa Aplikasi - + English Bahasa Inggris @@ -1071,224 +1074,259 @@ 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. + + + Importing {book}... + Importing <book name>... + Mengimpor {book}... + 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. + + + Bibles: + Alkitab-Alkitab: + + + + SWORD data folder: + Folder data SWORD: + + + + SWORD zip-file: + File zip SWORD: + + + + Defaults to the standard SWORD data folder + Pengaturan awal untuk folder data SWORD + + + + Import from folder + Impor dari folder + + + + Import from Zip-file + Impor dari file Zip + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Unutk mengimpor Alkitab SWORD modul pysword python harus sudah ter-install. Silakan Silakan baca manualnya untuk instruksi. + BiblesPlugin.LanguageDialog @@ -1319,293 +1357,161 @@ Tidak mungkin untuk mengubahsuaikan Nama Kitab. BiblesPlugin.MediaItem - - Quick - Cepat - - - + Find: Temukan: - + Book: Buku Lagu: - + Chapter: Bab: - + Verse: Ayat: - + From: Dari: - + To: Sampai: - + Text Search Penelusuran Teks - + Second: Kedua: - + Scripture Reference Referensi Alkitab - + Toggle to keep or clear the previous results. Simpan atau hapus hasil sebelumnya. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Anda tidak dapat menggabungkan hasil penelusuran ayat dari dua versi Alkitab. Apakah Anda ingin menghapus hasil penelusuran dan mulai penelusuran baru? - + Bible not fully loaded. Alkitab belum termuat seluruhnya. - + Information Informasi - - 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. - Alkitab kedua tidak berisikan seluruh ayat yang ada di Alkitab utama. Hanya ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. Ayat %d belum dimasukkan pada hasil. - - - + Search Scripture Reference... Telusuri Referensi Alkitab... - + Search Text... Telusuri Teks... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Penelusuran + + + + Select + Pilih + + + + Clear the search results. + Kosongkan hasil pencarian. + + + + Text or Reference + Teks atau Referensi + + + + Text or Reference... + Teks atau Referensi... + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Anda yakin ingin menghapus keseluruhan Alkitab "%s" dari OpenLP? + Anda yakin ingin menghapus Alkitab "{bible}" dari OpenLP? -Anda harus mengimpor ulang Alkitab ini untuk menggunakannya kembali. +Anda harus mengimpor ulang Alkitab ini unutk menggunakannya lagi. - - Advanced - Lanjutan - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Jenis berkas Alkitab tidak benar. Alkitab OpenSong mungkin dikompresi. Anda harus lakukan dekompresi sebelum mengimpor. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - 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... + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + Alkitab kedua tidak berisi semua ayat yang ada di Alkitab utama. +Hanya ayat-ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. + +{count:d} ayat tidak ditampilkan dalam hasil. 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... + + Importing {book} {chapter}... + Mengimpor {book} {chapter}... - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Pilih Direktori Cadangan + + Importing {name}... + Mengimpor {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Wisaya Pemutakhiran Alkitab - - - - 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. - Wisaya ini akan membantu ada memutakhirkan Alkitab yang tersedia dari OpenLP 2 versi sebelumnya. Klik tombol Selanjutnya untuk memulai proses pemutakhirkan. - - - - Select Backup Directory - Pilih Direktori Cadangan - - - - Please select a backup directory for your Bibles - Silakan pilih direktori cadangan untuk Alkitab Anda - - - - 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>. - Rilis sebelumnya dari OpenLP 2.0 tidak dapat menggunakan Alkitab termutakhirkan. Langkah ini akan membuat pencadangan Alkitab saat ini sehingga Anda tinggal menyalin berkas-berkas ke direktori data OpenLP jika Anda perlu kembali ke rilis sebelumnya dari OpenLP. Silakan lihat <a href="http://wiki.openlp.org/faq">Pertanyaan yang Sering Ditanyakan</a>. - - - - Please select a backup location for your Bibles. - Silakan pilh sebuah lokasi cadangan untuk Alkitab Anda. - - - - Backup Directory: - Direktori Cadangan: - - - - There is no need to backup my Bibles - Tidak perlu membuat pencadangan Alkitab - - - - Select Bibles - Pilih Alkitab - - - - Please select the Bibles to upgrade - Silakan pilih Alkitab untuk dimutakhirkan - - - - Upgrading - Memutakhirkan - - - - Please wait while your Bibles are upgraded. - Silakan tunggu selama Alkitab sedang dimutakhirkan. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Pencadangan tidak berhasil. -Untuk mencadangkan Alkitab Anda perlu izin untuk menulis di direktori terpilih. - - - - Upgrading Bible %s of %s: "%s" -Failed - Memutakhirkan Alkitab %s dari %s: "%s" -Gagal - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Memutakhirkan Alkitab %s dari %s: "%s" -Memutakhirkan ... - - - - Download Error - Kesalahan Unduhan - - - - To upgrade your Web Bibles an Internet connection is required. - Untuk memutakhirkan Alkitab Web, sambungan internet dibutuhkan. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Memutakhirkan Alkitab %s dari %s: "%s" -Memutakhirkan %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Memutakhirkan Alkitab %s dari %s: "%s" -Selesai - - - - , %s failed - , %s gagal - - - - Upgrading Bible(s): %s successful%s - Memutakhirkan (beberapa) Alkitab: %s berhasil%s - - - - Upgrade failed. - Pemutakhiran gagal. - - - - You need to specify a backup directory for your Bibles. - Anda harus menentukan sebuah direktori cadangan untuk Alkitab Anda. - - - - Starting upgrade... - Memulai pemutakhiran... - - - - There are no Bibles that need to be upgraded. - Tidak ada Alkitab yang perlu dimutakhirkan. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Memutakhirkan Alkitab: %(success)d berhasil%(failed_text)s -Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan sambungan internet dibutuhkan. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + Suatu error yang tak terduga telah terjadi selagi mengimpor Alkitab SWORD, silakan laporkan ini ke pengembang OpenLP. +{error} 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. @@ -1613,9 +1519,9 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Mengimpor %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Mengimpor {book} {chapter}... @@ -1730,7 +1636,7 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s Sunting seluruh salindia bersamaan. - + Split a slide into two by inserting a slide splitter. Pisah salindia menjadi dua menggunakan pemisah salindia. @@ -1745,7 +1651,7 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s &Kredit: - + You need to type in a title. Anda harus mengetikkan judul. @@ -1755,12 +1661,12 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s Sunting &Semua - + Insert Slide Sisipkan Salindia - + You need to add at least one slide. Anda harus masukkan setidaknya satu salindia. @@ -1768,7 +1674,7 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s CustomPlugin.EditVerseForm - + Edit Slide Sunting Salindia @@ -1776,9 +1682,9 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Anda yakin ingin menghapus "%d" salindia() kustom terpilih ini? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Anda yakin ingin menghapus slide(-slide) kustom "{items:d}" yang diilih? @@ -1806,11 +1712,6 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s container title Gambar - - - Load a new image. - Muat gambar baru. - Add a new image. @@ -1841,6 +1742,16 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s Add the selected image to the service. Tambahkan gambar terpilih ke Layanan. + + + Add new image(s). + Tambahkan gambar(-gambar) baru. + + + + Add new image(s) + Tambahkan gambar(-gambar) baru. + ImagePlugin.AddGroupForm @@ -1865,12 +1776,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. @@ -1906,7 +1817,7 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s ImagePlugin.ExceptionDialog - + Select Attachment Pilih Lampiran @@ -1914,39 +1825,22 @@ Perlu diketahui bahwa ayat dari Alkitab Web akan diunduh sesuai permintaan dan s ImagePlugin.MediaItem - + Select Image(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. @@ -1956,25 +1850,42 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + Anda yakin ingin menghapus "{name}" dan semua isinya? + + + + The following image(s) no longer exist: {names} + Gambar(-gambar) berikut tidak ada lagi: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + Gambar(-gambar) berikut tidak ada lagit: {names} +Apa Anda ingin tetap menambahkan gambar-gambar selebihnya? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Terjadi masalah dalam mengganti latar, file gambar "{name}" tidak ada lagi. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Latar yang dapat terlihat untuk gambar dengan rasio aspek yang berbeda dengan layar. @@ -1982,27 +1893,27 @@ Anda tetap ingin menambah gambar lain? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Pemutar media ini menggunakan sistem operasi Anda untuk menyediakan berbagai kemampuan media. @@ -2010,60 +1921,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. @@ -2179,47 +2090,47 @@ Anda tetap ingin menambah gambar lain? Pemutar VLC gagal memainkan media - + CD not loaded correctly CD tidak termuat dengan benar - + The CD was not loaded correctly, please re-load and try again. CD tidak termuat dengan benar, silakan muat-ulang dan coba lagi. - + DVD not loaded correctly DVD tidak termuat dengan benar - + The DVD was not loaded correctly, please re-load and try again. DVD tidak termuat dengan benar, silakan muat-ulang dan coba lagi. - + Set name of mediaclip Tentukan nama klip media - + Name of mediaclip: Nama klip media: - + Enter a valid name or cancel Masukkan nama yang valid atau batal - + Invalid character Karakter tidak valid - + The name of the mediaclip must not contain the character ":" Nama klip media tidak dapat berisikan karakter ":" @@ -2227,90 +2138,100 @@ Anda tetap ingin menambah gambar lain? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Tidak Ada Dukungan untuk Berkas - + Use Player: Gunakan Pemutar: - + VLC player required Butuh pemutar VLC - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + File %s tidak dapat dimainkan dengan player %s + + + + Unsupported Media File + File Media Yang Tidak Didukung + + + + CD/DVD playback is only supported if VLC is installed and enabled. + Pemutaran CD/DVD hanya didukunga jika VLC telah ter-install dan diaktifkan. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Terjadi masalah dalam mengganti latar, file media "{name}" tidak ada lagi. + + + + The optical disc {name} is no longer available. + Disk optik {name} tidak lagi tersedia. + + + + The file {name} no longer exists. + File {name} tidak ada lagi. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Video ({video});;Audio ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2321,94 +2242,93 @@ Anda tetap ingin menambah gambar lain? - Start Live items automatically - Mulai butir Tayang secara otomatis - - - - OPenLP.MainWindow - - - &Projector Manager - &Manajer Proyektor + Start new Live media automatically + Mulai media Live baru secara otomatis OpenLP - + Image Files Berkas Gambar - - Information - Informasi - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Format Alkitab sudah diubah. -Anda harus memutakhirkan Alkitab yang sekarang. -Haruskah OpenLP dimutakhirkan sekarang? - - - + Backup Pencadangan - - OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - OpenLP telah dimutakhirkan, Anda ingin membuat sebuah cadangan folder data OpenLP? - - - + Backup of the data folder failed! Pencadangan folder data gagal! - - A backup of the data folder has been created at %s - Sebuah cadangan folder data telah dibuat di %s - - - + Open Buka + + + Video Files + File-file Video + + + + Data Directory Error + Kesalahan Direktori Data + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Kredit - + License Lisensi - - build %s - buatan %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. Program ini adalah perangkat lunak gratis; Anda dapat menyebarluaskannya dan / atau memodifikasinya di bawah ketentuan GNU General Public License seperti yang diterbitkan oleh Free Software Foundation; Lisensi versi 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. Program ini disebarluaskan dengan harapan bahwa akan berguna, tetapi TANPA JAMINAN APAPUN; bahkan tanpa jaminan yang termasuk pada PERDAGANGAN atau KECOCOKAN UNTUK SUATU TUJUAN TERTENTU. - + 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. @@ -2425,174 +2345,157 @@ Ketahui lebih lanjut tentang OpenLP: http://openlp.org/ OpenLP dibuat dan dikelola oleh sukarelawan. Jika Anda ingin menyaksikan lebih banyak perangkat lunak Kristiani yang dibuat dengan gratis, silakan pertimbangkan untuk menjadi sukarelawan dengan menggunakan tombol di bawah ini. - + Volunteer Sukarelawan - + Project Lead Pemimipin Proyek - + Developers Para Pengembang - + Contributors Para Kontributor - + Packagers Para Pemaket - + Testers Para Penguji Coba - + Translators Para Penterjemah - + Afrikaans (af) Afrikanas (af) - + Czech (cs) Ceko (cs) - + Danish (da) Denmark (da) - + German (de) Jerman (de) - + Greek (el) Yunani (el) - + English, United Kingdom (en_GB) Inggris, Britania Raya (en_GB) - + English, South Africa (en_ZA) Inggris, Afrika Selatan (en_ZA) - + Spanish (es) Spanyol (es) - + Estonian (et) Estonia (et) - + Finnish (fi) Finlandia (fl) - + French (fr) Perancis (fr) - + Hungarian (hu) Hongaria (hu) - + Indonesian (id) Indonesia (id) - + Japanese (ja) Jepang (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Bokmål Norwegia (nb) - + Dutch (nl) Belanda (nl) - + Polish (pl) Polandia (pl) - + Portuguese, Brazil (pt_BR) Portugis, Brasil (pt_BR) - + Russian (ru) Rusia (ru) - + Swedish (sv) Swedia (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamil(Sri-Lanka) (ta_LK) - + Chinese(China) (zh_CN) Tionghoa(Cina) (zh_CN) - + Documentation Dokumentasi - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Dibuat dengan - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Ikon-ikon Oxygen: 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 @@ -2618,333 +2521,244 @@ OpenLP dibuat dan dikelola oleh sukarelawan. Jika Anda ingin menyaksikan lebih b gratis karena Dia telah membebaskan kita. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Hak cipta © 2004-2016 %s -Bagian hak cipta © 2004-2016 %s + + build {version} + versi {version} + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Setelan Antarmuka - - - Number of recent files to display: - Jumlah berkas terbaru untuk ditampilkan: - - Remember active media manager tab on startup - Ingat tab Manajer Media yang aktif saat memulai OpenLP - - - - Double-click to send items straight to live - Klik-ganda untuk langsung menayangkan butir - - - Expand new service items on creation Kembangkan butir Layanan baru saat dibuat - + Enable application exit confirmation Gunakan konfirmasi aplikasi keluar - + Mouse Cursor Kursor Tetikus - + Hide mouse cursor when over display window Sembunyikan kursor tetikus saat melewati jendela tampilan - - Default Image - Gambar Bawaan - - - - Background color: - Warna latar: - - - - Image file: - Berkas gambar: - - - + Open File Membuka Berkas - + Advanced Lanjutan - - - Preview items when clicked in Media Manager - Pratinjau butir saat diklik pada Manajer Media - - Browse for an image file to display. - Menelusuri sebuah berkas gambar untuk ditampilkan. - - - - Revert to the default OpenLP logo. - Kembalikan ke logo OpenLP bawaan. - - - Default Service Name Nama Layanan Bawaan - + Enable default service name Gunakan nama Layanan bawaan - + Date and Time: Tanggal dan Waktu: - + Monday Senin - + Tuesday Selasa - + Wednesday Rabu - + Friday Jumat - + Saturday Sabtu - + Sunday Minggu - + Now Sekarang - + Time when usual service starts. Saat Layanan biasa dimulai. - + Name: Nama: - + Consult the OpenLP manual for usage. Lihat panduan OpenLP untuk penggunaan. - - Revert to the default service name "%s". - Kembalikan ke nama Layanan bawaan "%s". - - - + Example: Contoh: - + Bypass X11 Window Manager Abaikan Window Manager X11 - + Syntax error. Kesalahan sintaks. - + Data Location Lokasi Data - + Current path: Jalur saat ini: - + Custom path: Jalur kustom: - + Browse for new data file location. Telusuri lokasi berkas data baru. - + Set the data location to the default. Setel lokasi data menjadi bawaan. - + Cancel Batal - + Cancel OpenLP data directory location change. Batalkan perubahan lokasi direktori data OpenLP - + Copy data to new location. Salin data ke lokasi baru. - + Copy the OpenLP data files to the new location. Salin berkas data OpenLP ke lokasi baru. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>PERINGATAN:</strong> Lokasi direktori data baru berisi berkas data OpenLP. Berkas ini AKAN digantikan saat penyalinan. - - Data Directory Error - Kesalahan Direktori Data - - - + Select Data Directory Location Pilih Lokasi Direktori Data - + Confirm Data Directory Change Konfirmasi Perubahan Direktori Data - + Reset Data Directory Setel-Ulang Direktori Data - + Overwrite Existing Data Tulis-Timpa Data yang Ada - - 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. - Direktori data OpenLP tidak ditemukan - -%s - -Direktori data ini telah berubah dari lokasi bawaan OpenLP. Jika lokasi baru ada pada media yang dapat dipindahkan, media tersebut harus siap digunakan. - -Klik "Tidak" untuk stop pemuatan OpenLP, sehinga Anda dapat memperbaiki masalah. - -Klik "Ya" untuk setel-ulang direktori data ke lokasi bawaan. - - - - 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. - Anda yakin ingin mengubah lokasi direktori data OpenLP ke: - -%s - -Direktori data akan diubah setelah OpenLP ditutup. - - - + Thursday Kamis - + Display Workarounds Tampilkan Solusi - + Use alternating row colours in lists Gunakan warna baris dalam daftar secara bergantian - - 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? - PERINGATAN: - -Lokasi yang Anda pilih - -%s - -nampaknya berisi berkas data OpenLP. Anda ingin mengganti berkas tersebut dengan berkas data saat ini? - - - + Restart Required Butuh Dimulai-ulang - + This change will only take effect once OpenLP has been restarted. Perubahan ini hanya akan diterapkan setelah OpenLP dimulai-ulang. - + 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. @@ -2952,11 +2766,144 @@ This location will be used after OpenLP is closed. Lokasi ini akan digunakan setelah OpenLP ditutup. + + + Max height for non-text slides +in slide controller: + Tinggi maksimal untuk slide non-teks +pada pengendali slide: + + + + Disabled + Dimatikan + + + + When changing slides: + Saat berganti slide: + + + + Do not auto-scroll + Jangan auto-scroll + + + + Auto-scroll the previous slide into view + Auto-scroll slide sebelumnya ke bidang pandang + + + + Auto-scroll the previous slide to top + Auto-scroll slide sebelumnya ke paling atas + + + + Auto-scroll the previous slide to middle + Auto-scroll slide sebelumnya ke tengah + + + + + Auto-scroll the current slide into view + Auto-scroll slide ini ke bidang pandang + + + + Auto-scroll the current slide to top + Auto-scroll slide ini ke paling atas + + + + Auto-scroll the current slide to middle + Auto-scroll slide ini ke tengah + + + + Auto-scroll the current slide to bottom + Auto-scroll slide ini ke paling bawah + + + + Auto-scroll the next slide into view + Auto-scroll slide berikut ke bidang pandang + + + + Auto-scroll the next slide to top + Auto-scroll slide berikut ke paling atas + + + + Auto-scroll the next slide to middle + Auto-scroll slide berikut ke tengah + + + + Auto-scroll the next slide to bottom + Auto-scroll slide berikut ke paling bawah + + + + Number of recent service files to display: + Jumlah file Kebaktian terbaru untuk ditampilkan: + + + + Open the last used Library tab on startup + Buka tab Library yang terakhir digunakan pada startup + + + + Double-click to send items straight to Live + Klik-ganda untuk langsung menayangkan butir + + + + Preview items when clicked in Library + Pratinjau butir saat diklik di Perpustakaan + + + + Preview items when clicked in Service + Pratinjau butir saat diklik di Kebaktian + + + + Automatic + Otomatis + + + + Revert to the default service name "{name}". + Kembalikan ke nama Layanan bawaan "{name}". + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klik untuk memilih warna. @@ -2964,252 +2911,252 @@ Lokasi ini akan digunakan setelah OpenLP ditutup. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digital - + Storage Penyimpanan - + Network Jaringan - + 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 Penyimpanan 1 - + Storage 2 Penyimpanan 2 - + Storage 3 Penyimpanan 3 - + Storage 4 Penyimpanan 4 - + Storage 5 Penyimpanan 5 - + Storage 6 Penyimpanan 6 - + Storage 7 Penyimpanan 7 - + Storage 8 Penyimpanan 8 - + Storage 9 Penyimpanan 9 - + Network 1 Jaringan 1 - + Network 2 Jaringan 2 - + Network 3 Jaringan 3 - + Network 4 Jaringan 4 - + Network 5 Jaringan 5 - + Network 6 Jaringan 6 - + Network 7 Jaringan 7 - + Network 8 Jaringan 8 - + Network 9 Jaringan 9 @@ -3217,62 +3164,74 @@ Lokasi ini akan digunakan setelah OpenLP ditutup. OpenLP.ExceptionDialog - + Error Occurred Terjadi Kesalahan - + Send E-Mail Kirim Email - + Save to File Simpan jadi Berkas - + Attach File Lampirkan Berkas - - - Description characters to enter : %s - Deskripsi karakter untuk dimasukkan: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Silakan masukkan deskripsi dari apa yang Anda lakukan sehingga kesalahan ini terjadi. Jika memungkinkan, mohon tuliskan dalam bahasa Inggris. -(Paling sedikit 20 karakter) - - 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. Also attach any files that triggered the problem. - Ups! OpenLP mengalami masalah yang tidak dapat diatasi. Teks di kotak bawah berisikan informasi yang mungkin dapat membantu pengembang OpenLP, jadi silakan kirim via email ke bugs@openlp.org, bersama dengan deskripsi detail apa yang Anda lakukan saat masalah terjadi. Juga lampikan berkas apa pun yang memicu masalah tersebut. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Simpan Laporan Crash - + Text files (*.txt *.log *.text) Berkas teks (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3313,268 +3272,259 @@ Lokasi ini akan digunakan setelah OpenLP ditutup. 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. - Sambungan internet tidak ditemukan. Wisaya Kali Pertama membutuhkan sambungan internet agar dapat mengunduh contoh lagu, Alkitab, dan tema. Klik tombol Selesai untuk memulai OpenLP dengan setelan awal dan tanpa data contoh. - -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. - - -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 + + + Select parts of the program you wish to use + Pilih bagian program yang ingin Anda gunakan. + + + + You can also change these settings after the Wizard. + Anda juga dapat mengubah pengaturan-pengaturan ini setelah Wizard ini. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Slide Kustom – lebih mudah dikelola dari lagu-lagu dan mereka punya daftar slide-nya sendiri + + + + Bibles – Import and show Bibles + Alkitab - Impor dan tampilkan Alkitab + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + Pantauan Penggunaan Lagu + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + Mengunduh {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3617,44 +3567,49 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error Kesalahan Validasi - + Description is missing Deskripsi hilang - + Tag is missing Label hilang - Tag %s already defined. - Label %s sudah pernah ditetapkan. + Tag {tag} already defined. + Label {tag} telah terdefinisi. - Description %s already defined. - Deskripsi %s sudah pernah ditetapkan. + Description {tag} already defined. + Deskripsi {tag} telah terdefinisi. - - Start tag %s is not valid HTML - Label mulai %s bukanlah HTML yang valid + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Label akhir %(end)s tidak cocok dengan label akhir untuk label mulai %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3743,170 +3698,200 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli OpenLP.GeneralTab - + General Umum - + Monitors Monitor - + Select monitor for output display: Pilih monitor untuk tampilan keluaran: - + Display if a single screen Tampilkan jika layar tunggal - + Application Startup Awal Mulai Aplikasi - + Show blank screen warning Tampilkan peringatan layar kosong - - Automatically open the last service - Buka Layanan terakhir secara otomatis - - - + Show the splash screen Tampilkan layar pembuka - + Application Settings Setelan Aplikasi - + Prompt to save before starting a new service Sarankan untuk menyimpan sebelum memulai Layanan baru - - Automatically preview next item in service - Pratinjau secara otomatis butir selanjutnya pada Layanan - - - + sec dtk - + CCLI Details Rincian CCLI - + SongSelect username: Nama pengguna SongSelect: - + SongSelect password: Kata sandi SongSelect: - + X X - + Y Y - + Height Tinggi - + Width Lebar - + Check for updates to OpenLP Periksa pembaruan untuk OpenLP - - Unblank display when adding new live item - Jangan kosongkan layar saat menambah butir Tayang baru - - - + Timed slide interval: Selang waktu salindia: - + Background Audio Audio Latar - + Start background audio paused Mulai audio latar terjeda - + Service Item Slide Limits Batasan Salindia Butir Layanan - + Override display position: Gantikan posisi tampilan: - + Repeat track list Ulangi daftar lagu - + Behavior of next/previous on the last/first slide: Aturan selanjutnya/sebelumnya dari salindia terakhir/pertama: - + &Remain on Slide &Tetap pada Salindia - + &Wrap around &Pindah ke Salindia selanjutnya/sebelumnya pada butir Layanan yang sama - + &Move to next/previous service item &Pindah ke butir Layanan selanjutnya/sebelumnya + + + Logo + Logo + + + + Logo file: + + + + + Browse for an image file to display. + Menelusuri sebuah berkas gambar untuk ditampilkan. + + + + Revert to the default OpenLP logo. + Kembalikan ke logo OpenLP bawaan. + + + + Don't show logo on startup + Jangan tampilkan logo saat memulai + + + + Automatically open the previous service file + Buka file kebaktian terakhir otomatis + + + + Unblank display when changing slide in Live + Jangan kosongkan layar saat mengganti slide di Tayang + + + + Unblank display when sending items to Live + Jangan kosongkan layar saat mengirim butir ke Tayang + + + + Automatically preview the next item in service + Pratinjau butir berikut dari Layanan otomatis + OpenLP.LanguageManager - + Language Bahasa - + Please restart OpenLP to use your new language setting. Silakan memulai-ulang OpenLP untuk menggunakan setelan bahasa baru. @@ -3914,7 +3899,7 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli OpenLP.MainDisplay - + OpenLP Display Tampilan OpenLP @@ -3922,352 +3907,188 @@ Untuk membatalkan sepenuhnya Wisaya Kali Pertama (dan tidak memulai OpenLP), kli OpenLP.MainWindow - + &File &Berkas - + &Import &Impor - + &Export &Ekspor - + &View &Tinjau - - M&ode - M&ode - - - + &Tools &Alat - + &Settings &Setelan - + &Language &Bahasa - + &Help &Bantuan - - Service Manager - Manajer Layanan - - - - Theme Manager - Manajer Tema - - - + Open an existing service. Buka Layanan yang ada. - + Save the current service to disk. Simpan Layanan saat ini ke dalam disk. - + Save Service As Simpan Layanan Sebagai - + Save the current service under a new name. Simpan Layanan saat ini dengan nama baru. - + E&xit Kelua&r - - Quit OpenLP - Keluar dari OpenLP - - - + &Theme &Tema - + &Configure OpenLP... &Mengkonfigurasi OpenLP... - - &Media Manager - &Manajer Media - - - - Toggle Media Manager - Ganti Manajer Media - - - - Toggle the visibility of the media manager. - Ganti visibilitas Manajer Media. - - - - &Theme Manager - &Manajer Tema - - - - Toggle Theme Manager - Ganti Manajer Tema - - - - Toggle the visibility of the theme manager. - Ganti visibilitas Manajer Tema. - - - - &Service Manager - &Manajer Layanan - - - - Toggle Service Manager - Ganti Manajer Layanan - - - - Toggle the visibility of the service manager. - Ganti visibilitas Manajer Layanan. - - - - &Preview Panel - Panel &Pratinjau - - - - Toggle Preview Panel - Ganti Panel Pratinjau - - - - Toggle the visibility of the preview panel. - Ganti visibilitas panel pratinjau. - - - - &Live Panel - &Panel Tayang - - - - Toggle Live Panel - Ganti Panel Tayang - - - - Toggle the visibility of the live panel. - Ganti visibilitas panel Tayang. - - - - List the Plugins - Mendaftarkan Plugin - - - - &User Guide - &Tuntunan Pengguna - - - + &About Tent&ang - - More information about OpenLP - Informasi lebih lanjut tentang OpenLP - - - - &Online Help - Bantuan &Daring - - - + &Web Site Situs &Web - + Use the system language, if available. Gunakan bahasa sistem, jika tersedia. - - Set the interface language to %s - Setel bahasa antarmuka menjadi %s - - - + Add &Tool... Tambahkan &Alat... - + Add an application to the list of tools. Tambahkan sebuah aplikasi ke daftar alat. - - &Default - &Bawaan - - - - Set the view mode back to the default. - Setel mode tinjauan ke bawaan. - - - + &Setup &Persiapan - - Set the view mode to Setup. - Setel mode tinjauan ke Persiapan. - - - + &Live &Tayang - - Set the view mode to Live. - Setel mode tinjauan ke Tayang. - - - - 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 versi %s siap untuk diunduh (Anda saat ini menjalankan versi %s). - -Versi terbaru dapat diunduh dari http://openlp.org/. - - - + OpenLP Version Updated Versi OpenLP Terbarui - + OpenLP Main Display Blanked Tampilan Utama OpenLP Kosong - + The Main Display has been blanked out Tampilan Utama telah dikosongkan - - Default Theme: %s - Tema Bawaan: %s - - - + English Please add the name of your language here Bahasa Inggris - + Configure &Shortcuts... Mengkonfigurasi &Pintasan... - + Open &Data Folder... Buka &Folder Data... - + Open the folder where songs, bibles and other data resides. Buka folder tempat lagu, Alkitab, dan data lain disimpan. - + &Autodetect &Deteksi Otomatis - + Update Theme Images Perbarui Gambar Tema - + Update the preview images for all themes. Perbarui gambar pratinjau untuk semua tema. - + Print the current service. Cetak Layanan sekarang. - - L&ock Panels - Kunci Pane&l - - - - Prevent the panels being moved. - Hindari panel untuk dipindahkan. - - - + Re-run First Time Wizard Jalankan lagi Wisaya Kali Pertama - + Re-run the First Time Wizard, importing songs, Bibles and themes. Jalankan lagi Wisaya Kali Pertama, mengimpor lagu, Alkitab, dan tema. - + Re-run First Time Wizard? Jalankan lagi Wisaya Kali Pertama? - + 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. @@ -4276,107 +4097,68 @@ 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. - + Configure &Formatting Tags... Mengkonfigurasi Label Pem&formatan... - - Export OpenLP settings to a specified *.config file - Ekspor setelan OpenLP ke sebuah berkas *.config - - - + Settings Setelan - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Impor setelan OpenLP dari sebuah berkas *.config yang telah diekspor dari komputer ini atau komputer lain - - - + Import settings? Impor setelan? - - Open File - Membuka Berkas - - - - OpenLP Export Settings Files (*.conf) - Berkas Ekspor Setelan OpenLP (*.conf) - - - + Import settings Impor setelan - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP sekarang akan ditutup. Setelan yang di-impor akan diterapkan saat berikutnya Anda memulai OpenLP. - + Export Settings File Ekspor Berkas Setelan - - OpenLP Export Settings File (*.conf) - 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 - Penyalinan direktori data OpenLP gagal - -%s - - - + General Umum - + Library Pustaka - + Jump to the search box of the current active plugin. Pindah ke kotak pencarian plugin yang aktif saat ini. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4389,7 +4171,7 @@ Menjalankan lagi wisaya ini mungkin akan mengubah konfigurasi OpenLP saat ini da Mengimpor setelan yang salah dapat menyebabkan perilaku tak menentu atau OpenLP berakhir secara tidak wajar. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4398,191 +4180,370 @@ Processing has terminated and no changes have been made. Proses telah dihentikan dan tidak ada perubahan yang telah dibuat. - - Projector Manager - Manajer Proyektor - - - - Toggle Projector Manager - Ganti Manajer Proyektor - - - - Toggle the visibility of the Projector Manager - Ganti visibilitas Manajer Proyektor - - - + Export setting error Kesalahan setelan ekspor - - 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 - - - + &Recent Services &Layanan Sekarang - + &New Service &Layanan Baru - + &Open Service &Buka Layanan - + &Save Service &Simpan Layanan - + Save Service &As... Simpan Layanan &Sebagai... - + &Manage Plugins &Kelola Plugin - + Exit OpenLP Keluar dari OpenLP - + Are you sure you want to exit OpenLP? Anda yakin ingin keluar dari OpenLP? - + &Exit OpenLP &Keluar dari OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Layanan + + + + Themes + Tema + + + + Projectors + Proyektor-proyektor + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + + 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 - Basis-data yang sedang dimuat dibuat dalam versi OpenLP yang lebih baru. Basis-data adalah versi %d, sedangkan OpenLP membutuhkan versi %d. Basis-data tidak akan dimuat. - -Basis-Data : %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP tidak dapat memuat basis-data Anda. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Basis-Data : %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Tidak Ada Satupun Butir Terpilih - + &Add to selected Service Item &Tambahkan ke Butir Layanan terpilih - + You must select one or more items to preview. Anda harus memilih satu atau beberapa butir untuk dipratinjau. - + You must select one or more items to send live. Anda harus memilih satu atau beberapa butir untuk ditayangkan. - + You must select one or more items. Anda harus memilih satu atau beberapa butir. - + You must select an existing service item to add to. Anda harus memilih sebuah Butir Layanan yang ada untuk ditambahkan. - + Invalid Service Item Butir Layanan Tidak Valid - - You must select a %s service item. - Anda harus memilih sebuah butir Layanan %s. - - - + You must select one or more items to add. Anda harus memilih satu atau lebih butir untuk menambahkan. - - No Search Results - Tidak Ada Hasil Penelusuran - - - + Invalid File Type Jenis Berkas Tidak Valid - - Invalid File %s. -Suffix not supported - Berkas Tidak Valid %s. -Tidak ada dukungan untuk akhiran ini - - - + &Clone &Kloning - + Duplicate files were found on import and were ignored. Berkas duplikat ditemukan saat impor dan diabaikan. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Label <lyrics> hilang. - + <verse> tag is missing. Label <verse> hilang. @@ -4590,22 +4551,22 @@ Tidak ada dukungan untuk akhiran ini OpenLP.PJLink1 - + Unknown status Status tak diketahui - + No message Tak ada pesan - + Error while sending data to projector Terjadi kesalahan saat mengirim data ke proyektor - + Undefined command: Perintah tak dapat didefinisikan: @@ -4613,32 +4574,32 @@ Tidak ada dukungan untuk akhiran ini OpenLP.PlayerTab - + Players Pemutar - + Available Media Players Pemutar Media yang Tersedia - + Player Search Order Susunan Penelusuran Pemutar - + Visible background for videos with aspect ratio different to screen. Latar yang dapat terlihat untuk video dengan rasio aspek yang berbeda dengan layar. - + %s (unavailable) %s (tidak tersedia) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" Catatan: Untuk menggunakan VLC, Anda harus memasang versi %s @@ -4647,55 +4608,50 @@ Tidak ada dukungan untuk akhiran ini OpenLP.PluginForm - + Plugin Details Rincian Plugin - + Status: Status: - + Active Aktif - - Inactive - Nonaktif - - - - %s (Inactive) - %s (Nonaktif) - - - - %s (Active) - %s (Aktif) + + Manage Plugins + Kelola Plugin - %s (Disabled) - %s (Dinonaktifkan) + {name} (Disabled) + - - Manage Plugins - Kelola Plugin + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Pas dengan Halaman - + Fit Width Pas dengan Lebar @@ -4703,77 +4659,77 @@ Tidak ada dukungan untuk akhiran ini OpenLP.PrintServiceForm - + Options Opsi - + Copy Salin - + Copy as HTML Salin sebagai HTML - + Zoom In Perbesar - + Zoom Out Perkecil - + Zoom Original Kembalikan Ukuran - + Other Options Opsi Lain - + Include slide text if available Sertakan teks salindia jika tersedia - + Include service item notes Masukkan catatan butir Layanan - + Include play length of media items Masukkan durasi permainan butir media - + Add page break before each text item Tambahkan pemisah sebelum tiap butir teks - + Service Sheet Lembar Layanan - + Print Cetak - + Title: Judul - + Custom Footer Text: Teks Catatan Kaki Kustom: @@ -4781,257 +4737,257 @@ Tidak ada dukungan untuk akhiran ini OpenLP.ProjectorConstants - + OK OK - + General projector error Kesalahan proyektor secara umum - + Not connected error Kesalahan tidak tersambung - + Lamp error Kesalahan lampu - + Fan error Kesalahan kipas - + High temperature detected Suhu tinggi terdeteksi - + Cover open detected Penutup yang terbuka terdeteksi - + Check filter Periksa filter - + Authentication Error Kesalahan Otentikasi - + Undefined Command Perintah Tak Dapat Didefinisikan - + Invalid Parameter Parameter Tidak Valid - + Projector Busy Proyektor Sibuk - + Projector/Display Error Kesalahan Proyektor/Penayang - + Invalid packet received Paket yang tidak valid diterima - + Warning condition detected Kondisi yang perlu diperhatikan terdeteksi - + Error condition detected Kondisi kesalahan terdeteksi - + PJLink class not supported Tidak ada dukungan untuk class PJLink - + Invalid prefix character Awalan karakter tidak valid - + The connection was refused by the peer (or timed out) Sambungan ditolak oleh peer (atau melampaui batas waktu) - + The remote host closed the connection Host remote telah menutup sambungan - + The host address was not found Alamat host tidak ditemukan - + The socket operation failed because the application lacked the required privileges Pengoperasian socket gagal karena aplikasi tidak memiliki hak khusus yang dibutuhkan - + The local system ran out of resources (e.g., too many sockets) Sistem lokal telah kehabisan sumber daya (mis. terlalu banyak socket) - + The socket operation timed out Pengoperasian socket telah melampaui batas waktu - + The datagram was larger than the operating system's limit Datagram lebih besar dari batas yang dimiliki sistem operasi - + An error occurred with the network (Possibly someone pulled the plug?) Terjadi kesalahan pada jaringan (Mungkin seseorang mencabut sambungannya?) - + The address specified with socket.bind() is already in use and was set to be exclusive Alamat yang ditentukan dengan socket.bind() sedang digunakan dan telah disetel eksklusif - + The address specified to socket.bind() does not belong to the host Alamat yang ditentukan dengan socket.bind() bukanlah milik host - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) Pengoperasian socket yang diminta tidak didukung oleh sistem operasi lokal (mis. tiada dukungan IPv6) - + The socket is using a proxy, and the proxy requires authentication Socket tersebut menggunakan sebuah proxy yang membutuhkan otentikasi - + The SSL/TLS handshake failed Proses negosiasi SSL/TLS gagal - + The last operation attempted has not finished yet (still in progress in the background) Pengoperasian terakhir masih diupayakan dan belum selesai (masih berlangsung di latar sistem) - + Could not contact the proxy server because the connection to that server was denied Tidak dapat menghubungi server proxy karena sambungan ke server tersebut ditolak - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) Sambungan ke server proxy ditutup secara tak terduga (sebelum sambungan ke peer akhir terjadi) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Sambungan ke server proxy telah melampaui batas waktu atau server proxy berhenti merespon saat tahapan otentikasi. - + The proxy address set with setProxy() was not found Alamat proxy yang telah ditentukan dengan setProxy() tidak ditemukan - + An unidentified error occurred Terjadi suatu kesalahan yang tak teridentifikasi - + Not connected Tidak tersambung - + Connecting Menyambungkan - + Connected Tersambung - + Getting status Mendapatkan status - + Off Padam - + Initialize in progress Inisialisasi sedang berlangsung - + Power in standby Daya sedang siaga - + Warmup in progress Pemanasan sedang berlangsung - + Power is on Daya sedang hidup - + Cooldown in progress Pendinginan sedang berlangsung - + Projector Information available Informasi Proyektor tersedia - + Sending data Mengirim data - + 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 @@ -5039,17 +4995,17 @@ Tidak ada dukungan untuk akhiran ini OpenLP.ProjectorEdit - + Name Not Set Nama Belum Ditetapkan - + You must enter a name for this entry.<br />Please enter a new name for this entry. Anda harus masukkan sebuah nama untuk entri ini.<br />Silakan masukkan sebuah nama untuk entri ini. - + Duplicate Name Duplikasi Nama @@ -5057,52 +5013,52 @@ Tidak ada dukungan untuk akhiran ini OpenLP.ProjectorEditForm - + Add New Projector Tambahkan Proyektor Baru - + Edit Projector Sunting Proyektor - + IP Address Alamat IP - + Port Number Nomor Port - + PIN PIN - + Name Nama - + Location Lokasi - + Notes Catatan - + Database Error Kesalahan Basis-Data - + There was an error saving projector information. See the log for the error Terjadi kesalahan saat menyimpan informasi proyektor. Lihatlah log untuk kesalahan tersebut @@ -5110,305 +5066,360 @@ Tidak ada dukungan untuk akhiran ini OpenLP.ProjectorManager - + Add Projector Tambahkan Proyektor - - Add a new projector - Tambahkan sebuah proyektor baru - - - + Edit Projector Sunting Proyektor - - Edit selected projector - Sunting proyektor terpilih - - - + Delete Projector Hapus Proyektor - - Delete selected projector - Hapus proyektor terpilih - - - + Select Input Source Pilih Sumber Masukan - - Choose input source on selected projector - Pilih sumber masukan pada proyektor terpilih - - - + View Projector Tinjau Proyektor - - View selected projector information - Tinjau informasi proyektor terpilih - - - - Connect to selected projector - Sambungkan ke proyektor terpilih - - - + Connect to selected projectors Sambungkan ke proyektor-proyektor terpilih - + Disconnect from selected projectors Putus sambungan dari proyektor-proyektor terpilih - + Disconnect from selected projector Putus sambungan dari proyektor terpilih - + Power on selected projector Hidupkan proyektor terpilih - + Standby selected projector Siagakan proyektor terpilih - - Put selected projector in standby - Siagakan proyektor terpilih - - - + Blank selected projector screen Kosongkan layar proyektor terplih - + Show selected projector screen Tampilkan layar proyektor terpilih - + &View Projector Information &Tinjau Informasi Proyektor - + &Edit Projector &Sunting Proyektor - + &Connect Projector &Sambungkan Proyektor - + D&isconnect Projector &Putus-sambungan Proyektor - + Power &On Projector Hidupkan &Proyektor - + Power O&ff Projector Padamkan &Proyektor - + Select &Input Pilih &Masukan - + Edit Input Source Sunting Sumber Masukan - + &Blank Projector Screen &Kosongkan Layar Proyektor - + &Show Projector Screen &Tampilkan Layar Proyektor - + &Delete Projector &Hapus Proyektor - + Name Nama - + IP IP - + Port Port - + Notes Catatan - + Projector information not available at this time. Informasi proyektor saat ini tidak tersedia. - + Projector Name Nama Proyektor - + Manufacturer Pembuat - + Model Model - + Other info Info lainnya - + Power status Status daya - + Shutter is Posisi shutter: - + Closed Tutup - + Current source input is Sumber masukan saat ini adalah - + Lamp Lampu - - On - Hidup - - - - Off - Padam - - - + Hours Hitungan jam - + No current errors or warnings Tidak ada kesalahan atau peringatan pada saat ini - + Current errors/warnings Kesalahan/peringatan saat ini - + Projector Information Informasi Proyektor - + No message Tak ada pesan - + Not Implemented Yet Belum Diimplementasikan - - Delete projector (%s) %s? - Hapus proyektor (%s) %s? - - - + Are you sure you want to delete this projector? Anda yakin ingin menghapus proyektor ini? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Kesalahan Otentikasi + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Kipas - + Lamp Lampu - + Temperature Suhu - + Cover Penutup - + Filter Filter - + Other Lainnya @@ -5454,17 +5465,17 @@ Tidak ada dukungan untuk akhiran ini OpenLP.ProjectorWizard - + Duplicate IP Address Duplikasi Alamat IP - + Invalid IP Address Alamat IP Tidak Valid - + Invalid Port Number Nomor Port Tidak Valid @@ -5477,27 +5488,27 @@ Tidak ada dukungan untuk akhiran ini Layar - + primary Utama OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Mulai</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Durasi</strong>: %s - - [slide %d] - [salindia %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5561,52 +5572,52 @@ Tidak ada dukungan untuk akhiran ini Hapus butir terpilih dari Layanan. - + &Add New Item &Tambahkan Butir Baru - + &Add to Selected Item &Tambahkan ke Butir Terpilih - + &Edit Item &Sunting Butir - + &Reorder Item &Susun-Ulang Butir - + &Notes &Catatan - + &Change Item Theme &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 @@ -5631,7 +5642,7 @@ Tidak ada dukungan untuk akhiran ini Kempiskan seluruh butir Layanan. - + Open File Membuka Berkas @@ -5661,22 +5672,22 @@ Tidak ada dukungan untuk akhiran ini Tayangkan butir terpilih. - + &Start Time &Waktu Mulai - + Show &Preview Tampilkan &Pratinjau - + Modified Service Layanan Termodifikasi - + The current service has been modified. Would you like to save this service? Layanan sekarang telah termodifikasi. Ingin menyimpan Layanan ini? @@ -5696,27 +5707,27 @@ Tidak ada dukungan untuk akhiran ini Waktu permainan: - + Untitled Service 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 @@ -5736,147 +5747,145 @@ 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. - + Service File(s) Missing (Beberapa) Berkas Layanan Hilang - + &Rename... &Namai-ulang... - + Create New &Custom Slide Buat Salindia &Kustom Baru - + &Auto play slides &Mainkan otomatis salindia - + Auto play slides &Loop Mainkan otomatis salindia &Berulang - + Auto play slides &Once Mainkan otomatis salindia &Sekali - + &Delay between slides &Penundaan antar salindia - + OpenLP Service Files (*.osz *.oszl) 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 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 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 + + The following file(s) in the service are missing: {name} 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. + + + + + An error occurred while writing the service file: {error} + @@ -5908,15 +5917,10 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. Pintasan - + Duplicate Shortcut Duplikasi Pintasan - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Pintasan "%s" sudah diterapkan untuk aksi lain, silakan gunakan Pintasan yang berbeda. - Alternate @@ -5962,219 +5966,235 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. Configure Shortcuts Mengkonfigurasi Pintasan + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Sembunyikan - + Go To Tuju Ke - - - Blank Screen - Layar Kosong - - Blank to Theme - Kosongkan jadi Tema - - - Show Desktop Tampilkan Desktop - + Previous Service Layanan Sebelumnya - + Next Service Layanan Selanjutnya - - Escape Item - Butir Keluar - - - + Move to previous. Pindah ke sebelumnya. - + Move to next. Pindah ke selanjutnya. - + Play Slides Mainkan Salindia - + Delay between slides in seconds. Penundaan antar salindia dalam hitungan detik. - + Move to live. Pindah ke Tayang. - + Add to Service. Tambahkan ke Layanan. - + Edit and reload song preview. Sunting dan muat-ulang pratinjau lagu. - + Start playing media. Mulai mainkan media. - + Pause audio. Sela audio. - + Pause playing media. Sela media yang sedang dimainkan. - + Stop playing media. Stop media yang sedang dimainkan. - + Video position. Posisi video. - + Audio Volume. Volume Audio. - + Go to "Verse" Tuju ke "Bait" - + Go to "Chorus" Tuju ke "Refrain" - + Go to "Bridge" Tuju ke "Bridge" - + Go to "Pre-Chorus" Tuju ke "Pra-Refrain" - + Go to "Intro" Tuju ke "Intro" - + Go to "Ending" Tuju ke "Ending" - + Go to "Other" Tuju ke "Lainnya" - + Previous Slide Salindia Sebelumnya - + Next Slide Salindia Selanjutnya - + Pause Audio Sela Audio - + Background Audio Audio Latar - + Go to next audio track. Tuju ke trek audio selanjutnya. - + Tracks Trek + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source Pilih Sumber Proyektor - + Edit Projector Source Text Sunting Teks Sumber Proyektor - + Ignoring current changes and return to OpenLP Abaikan perubahan saat ini dan kembali ke OpenLP - + Delete all user-defined text and revert to PJLink default text Hapus semua teks yang-ditetapkan-pengguna dan kembalikan ke teks bawaan PJLink - + Discard changes and reset to previous user-defined text Batalkan perubahan dan setel-ulang ke teks yang-ditetapkan-pengguna sebelumnya - + Save changes and return to OpenLP 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 source input text for this projector? Anda yakin ingin menghapus SEMUA teks sumber masukan yang-ditetapkan-pengguna untuk proyektor ini? @@ -6182,17 +6202,17 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. OpenLP.SpellTextEdit - + Spelling Suggestions Saran Ejaan - + Formatting Tags Label Pemformatan - + Language: Bahasa: @@ -6271,7 +6291,7 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. OpenLP.ThemeForm - + (approximately %d lines per slide) (sekitar %d baris per salindia) @@ -6279,523 +6299,531 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. OpenLP.ThemeManager - + Create a new theme. Buat suatu tema baru. - + Edit Theme Sunting Tema - + Edit a theme. Sunting suatu tema. - + Delete Theme Hapus Tema - + Delete a theme. Hapus suatu tema. - + Import Theme Impor Tema - + Import a theme. Impor suatu tema. - + Export Theme Ekspor Tema - + Export a theme. Ekspor suatu tema. - + &Edit Theme &Sunting Tema - + &Delete Theme &Hapus Tema - + Set As &Global Default Setel Sebagai &Bawaan Global - - %s (default) - %s (bawaan) - - - + You must select a theme to edit. Anda harus memilih suatu tema untuk disunting. - + You are unable to delete the default theme. Anda tidak dapat menghapus tema bawaan. - + 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 - + Select Theme Import File Pilih Berkas Tema Untuk Diimpor - + File is not a valid theme. Berkas bukan suatu tema yang valid. - + &Copy Theme &Salin Tema - + &Rename Theme &Namai-ulang Berkas - + &Export Theme &Ekspor Tema - + You must select a theme to rename. Anda harus memilih suatu tema untuk dinamai-ulang. - + Rename Confirmation Konfirmasi Penamaan-ulang - + Rename %s theme? Namai-ulang tema %s? - + You must select a theme to delete. Anda harus memilih suatu tema untuk dihapus. - + Delete Confirmation Konfirmasi Penghapusan - + Delete %s theme? Hapus tema %s? - + Validation Error Kesalahan Validasi - + A theme with this name already exists. Suatu tema dengan nama ini sudah ada. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s kali oleh %s - - - + Unable to delete theme Tidak dapat menghapus tema + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Tema yang digunakan sekarang - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Wisaya Tema - + Welcome to the Theme Wizard Selamat Datang di Wisaya Tema - + Set Up Background Siapkan Latar - + Set up your theme's background according to the parameters below. Siapkan latar tema Anda berdasarkan parameter di bawah ini. - + Background type: Jenis latar: - + Gradient Gradien - + Gradient: Gradien: - + Horizontal Horisontal - + Vertical Vertikal - + Circular Sirkular - + Top Left - Bottom Right Kiri Atas - Kanan Bawah - + Bottom Left - Top Right Kiri Bawah - Kanan Atas - + Main Area Font Details Rincian Fon di Area Utama - + Define the font and display characteristics for the Display text Tetapkan karakteristik fon dan tampilan untuk teks Tampilan - + Font: Fon: - + Size: Ukuran: - + Line Spacing: Jarak antar Baris: - + &Outline: &Garis Besar: - + &Shadow: &Bayangan: - + Bold Tebal - + Italic Miring - + Footer Area Font Details Rincian Fon di Catatan Kaki - + Define the font and display characteristics for the Footer text Tetapkan karakteristik fon dan tampilan untuk teks Catatan Kaki - + Text Formatting Details Rincian Pemformatan Teks - + Allows additional display formatting information to be defined Izinkan informasi dari format tampilan tambahan untuk ditetapkan - + Horizontal Align: Sejajarkan Horisontal: - + Left Kiri - + Right Kanan - + Center Tengah - + Output Area Locations Lokasi Area Keluaran - + &Main Area &Area Utama - + &Use default location &Gunakan lokasi bawaan - + X position: Posisi X: - + px pks - + Y position: Posisi Y: - + Width: Lebar: - + Height: Tinggi: - + Use default location Gunakan lokasi bawaan - + Theme name: Nama tema: - - Edit Theme - %s - Sunting Tema - %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. Wisaya ini akan membantu Anda untuk membuat dan menyunting tema Anda. Klik tombol Selanjutnya di bawah ini untuk memulai proses dengan menyiapkan latar Anda. - + Transitions: Transisi: - + &Footer Area &Area Catatan Kaki - + Starting color: Warna mulai: - + Ending color: Warna akhir: - + Background color: Warna latar: - + Justify Justifikasi - + Layout Preview Pratinjau Tata-Letak - + Transparent Transparan - + Preview and Save Pratinjau dan Simpan - + Preview the theme and save it. Pratinjau tema dan simpan. - + Background Image Empty Gambar Latar Kosong - + Select Image Pilih Gambar - + Theme Name Missing Nama Tema Hilang - + There is no name for this theme. Please enter one. Tidak ada nama untuk tema ini. Silakan masukkan suatu nama. - + Theme Name Invalid Nama Tema Tidak Valid - + Invalid theme name. Please enter one. Nama Tema Tidak Valid. Silakan masukkan suatu nama yang valid. - + Solid color Warna pekat - + color: warna: - + Allows you to change and move the Main and Footer areas. Izinkan Anda untuk mengubah dan memindahkan area Utama dan Catatan Kaki. - + You have not selected a background image. Please select one before continuing. Anda belum memilih suatu gambar latar. Silakan pilih satu sebelum melanjutkan. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6878,73 +6906,73 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. &Sejajarkan Vertikal: - + Finished import. Impor selesai. - + Format: Format: - + Importing Mengimpor - + Importing "%s"... Mengimpor "%s"... - + Select Import Source Pilih Sumber Impor - + Select the import format and the location to import from. Pilih format impor dan lokasi sumber. - + Open %s File Buka Berkas %s - + %p% %p% - + Ready. Siap. - + Starting import... Memulai impor... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Anda harus menentukan setidaknya satu berkas %s untuk diimpor. - + Welcome to the Bible Import Wizard Selamat Datang di Wisaya Impor Alkitab - + Welcome to the Song Export Wizard Selamat Datang di Wisaya Ekspor Lagu - + Welcome to the Song Import Wizard Selamat Datang di Wisaya Impor Lagu @@ -6962,7 +6990,7 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. - © + © Copyright symbol. © @@ -6994,39 +7022,34 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. Kesalahan sintaks XML - - Welcome to the Bible Upgrade Wizard - Selamat Datang di Wisaya Pemutakhiran Alkitab - - - + Open %s Folder Buka Folder %s - + You need to specify one %s file to import from. A file type e.g. OpenSong Anda harus menentukan sebuah berkas %s untuk diimpor. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Anda harus menentukan sebuah folder %s untuk diimpor. - + Importing Songs Mengimpor Lagu - + Welcome to the Duplicate Song Removal Wizard Selamat datang di Wisaya Penghapus Lagu Duplikat - + Written by Ditulis oleh @@ -7036,502 +7059,490 @@ Berkas-berkas ini akan dihapus apabila Anda lanjutkan menyimpan. Pengarang Tak Diketahui - + About Tentang - + &Add &Tambahkan - + Add group Tambahkan grup - + Advanced Lanjutan - + All Files Semua Berkas - + Automatic Otomatis - + Background Color Warna Latar - + Bottom Dasar - + Browse... Menelusuri... - + Cancel Batal - + CCLI number: Nomor CCLI: - + Create a new service. Buat suatu Layanan baru. - + Confirm Delete Konfirmasi Penghapusan - + Continuous Kontinu - + Default Bawaan - + Default Color: Warna Bawaan: - + 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. Layanan %d-%m-%Y %H-%M - + &Delete &Hapus - + Display style: Gaya tampilan: - + Duplicate Error Kesalahan Duplikasi - + &Edit &Sunting - + Empty Field Bidang Kosong - + Error Kesalahan - + Export Ekspor - + File Berkas - + File Not Found Berkas Tidak Ditemukan - - File %s not found. -Please try selecting it individually. - Berkas %s tidak ditemukan. -Silakan coba memilih secara individu. - - - + pt Abbreviated font pointsize unit pn - + Help Bantuan - + h The abbreviated unit for hours jam - + Invalid Folder Selected Singular Folder Terpilih Tidak Valid - + Invalid File Selected Singular Berkas Terpilih Tidak Valid - + Invalid Files Selected Plural Beberapa Berkas Terpilih Tidak Valid - + Image Gambar - + Import Impor - + Layout style: Gaya tata-letak: - + Live Tayang - + Live Background Error Kesalahan Latar Tayang - + Live Toolbar Bilah Alat Tayang - + Load Muat - + Manufacturer Singular Pembuat - + Manufacturers Plural Para Pembuat - + Model Singular Model - + Models Plural Model-model - + m The abbreviated unit for minutes mnt - + Middle Tengah - + New Baru - + New Service Layanan Baru - + New Theme Tema Baru - + Next Track Trek Selanjutnya - + No Folder Selected Singular Tidak Ada Folder Terpilih - + No File Selected Singular Tidak Ada Berkas Terpilih - + No Files Selected Plural Tidak Ada Satupun Berkas Terpilih - + No Item Selected Singular Tidak Ada Butir Terpilih - + No Items Selected Plural Tidak Ada Satupun Butir Terpilih - + OpenLP is already running. Do you wish to continue? OpenLP sudah berjalan. Anda ingin melanjutkan? - + Open service. Buka Layanan. - + Play Slides in Loop Mainkan Semua Salindia Berulang-ulang - + Play Slides to End Mainkan Semua Salindia sampai Akhir - + Preview 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 - + CCLI song number: Nomor lagu CCLI: - + Preview Toolbar Bilah Alat Pratinjau - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Ganti latar tayang tidak tersedia jika pemutar WebKit dinonaktifkan. @@ -7547,32 +7558,99 @@ Silakan coba memilih secara individu. Plural Buku-buku Lagu + + + Background color: + Warna latar: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Alkitab tidak tersedia + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Bait + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Tidak Ada Hasil Penelusuran + + + + Please type more text to use 'Search As You Type' + + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s dan %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, dan %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7652,47 +7730,47 @@ Silakan coba memilih secara individu. Tampilkan dengan: - + File Exists Berkas Sudah Ada - + A presentation with that filename already exists. Suatu presentasi dengan nama itu sudah ada. - + This type of presentation is not supported. Tidak ada dukungan untuk presentasi jenis ini. - - Presentations (%s) - Presentasi (%s) - - - + Missing Presentation Presentasi Hilang - - The presentation %s is incomplete, please reload. - Presentasi %s tidak lengkap, silakan muat-ulang. + + Presentations ({text}) + - - The presentation %s no longer exists. - Presentasi %s tidak ada lagi. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7702,11 +7780,6 @@ Silakan coba memilih secara individu. Available Controllers Pengontrol yang Tersedia - - - %s (unavailable) - %s (tidak tersedia) - Allow presentation application to be overridden @@ -7723,12 +7796,12 @@ Silakan coba memilih secara individu. 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. @@ -7739,13 +7812,19 @@ Silakan coba memilih secara individu. - Clicking on a selected slide in the slidecontroller advances to next effect. - Klik di salindia terpilih pada pengontrol salindia akan melanjutkannya ke efek berikutnya. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Ijinkan PowerPoint mengendalikan ukuran dan posisi jendela presentasi (solusi atas permasalahan di Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7787,127 +7866,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 - + Remote Remote - + Stage View Tinjuan Bertahap - + Live View Tinjauan Tayang @@ -7915,79 +7994,140 @@ Silakan coba memilih secara individu. RemotePlugin.RemoteTab - + Serve on IP address: Tugaskan di alamat IP: - + Port number: Nomor port: - + Server Settings Setelan Server - + Remote URL: URL remote: - + Stage view URL: URL tinjauan bertahap: - + Display stage time in 12h format Tampilkan waktu bertahap dalam format 12 jam - + Android App Apl. Android - + Live view URL: URL tinjauan Tayang: - + HTTPS Server 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. Tidak dapat menemukan sertifikat SSL. Server HTTPS tidak akan tersedia kecuali sertifikat SSL ditemukan. Silakan lihat panduan untuk informasi lebih lanjut. - + User Authentication Otentikasi Pengguna - + User id: ID Pengguna: - + Password: Kata sandi: - + Show thumbnails of non-text slides in remote and stage view. Tampilkan thumbnail dari salindia yang bukan teks pada remote dan tinjauan bertahap. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Pindai kode QR atau klik <a href="%s">unduh</a> untuk memasang aplikasi Android dari Google Play. + + iOS App + Aplikasi iOS + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Jalur Keluaran Belum Terpilih + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Pembuatan Laporan + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8028,50 +8168,50 @@ Silakan coba memilih secara individu. 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 @@ -8139,24 +8279,10 @@ Semua data terekam sebelum tanggal ini akan dihapus secara permanen.Lokasi Berkas Keluaran - - usage_detail_%s_%s.txt - rincian_penggunaan_%s_%s.txt - - - + Report Creation Pembuatan Laporan - - - Report -%s -has been successfully created. - Laporan -%s -telah berhasil dibuat. - Output Path Not Selected @@ -8170,14 +8296,26 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8193,102 +8331,102 @@ Silakan pilih suatu jalur yang ada di komputer Anda. 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... - + Arabic (CP-1256) Arab (CP-1256) - + Baltic (CP-1257) Baltik (CP-1257) - + Central European (CP-1250) Eropa Tengah (CP-1250) - + Cyrillic (CP-1251) Cyrillic (CP-1251) - + Greek (CP-1253) Yunani (CP-1253) - + Hebrew (CP-1255) Ibrani (CP-1255) - + Japanese (CP-932) Jepang (CP-932) - + Korean (CP-949) Korea (CP-949) - + Simplified Chinese (CP-936) Mandarin - Sederhana (CP-936) - + Thai (CP-874) Thailand (CP-874) - + Traditional Chinese (CP-950) Mandarin - Tradisional (CP-950) - + Turkish (CP-1254) Turki (CP-1254) - + Vietnam (CP-1258) Vietnam (CP-1258) - + Western European (CP-1252) Eropa Barat (CP-1252) - + Character Encoding Pengodean Karakter - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8297,26 +8435,26 @@ atas representasi karakter yang benar. Biasanya pilihan yang dipilih sebelumnya sudah baik. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Silakan pilih pengodean karakter. Pengodean ini bertanggung-jawab atas representasi karakter yang benar. - + Song name singular Lagu - + Songs name plural Lagu - + Songs container title Lagu @@ -8327,37 +8465,37 @@ Pengodean ini bertanggung-jawab atas representasi karakter yang benar.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 @@ -8372,15 +8510,30 @@ Pengodean ini bertanggung-jawab atas representasi karakter yang benar.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. + + + Songs + Lagu + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8466,62 +8619,67 @@ Pengodean ini bertanggung-jawab atas representasi karakter yang benar. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Dikelola oleh %s - - - - "%s" could not be imported. %s - "%s" tidak dapat diimpor. %s - - - + Unexpected data formatting. Pemformatan data tak terduga. - + No song text found. Teks lagu tidak ditemukan. - + [above are Song Tags with notes imported from EasyWorship] [di atas adalah Label Lagu beserta catatannya yang diimpor dari EasyWorship] - + This file does not exist. Berkas ini tidak ada. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Tidak dapat menemukan berkas "Songs.MB". Berkas tersebut harus berada pada folder yang sama dengan "Songs.DB". - + This file is not a valid EasyWorship database. Berkas ini bukanlah sebuah basis-data EasyWorship yang valid. - + Could not retrieve encoding. Pengodean tak dapat diperoleh kembali. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Nama Kitab Kustom @@ -8604,57 +8762,57 @@ Pengodean ini bertanggung-jawab atas representasi karakter yang benar.Tema, Info Hak Cipta, && Komentar - + Add Author Tambahkan Pengarang - + This author does not exist, do you want to add them? Pengarang ini tidak ada, Anda ingin menambahkannya? - + This author is already in the list. Pengarang ini sudah ada dalam daftar. - + 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. Anda belum memilih pengarang yang valid. Pilihlah suatu pengarang dari daftar, atau ketik suatu pengarang baru dan klik tombol "Tambahkan Pengarang ke Lagu" untuk menambahkan pengarang baru tersebut. - + Add Topic Tambahkan Topik - + This topic does not exist, do you want to add it? Topik ini tidak ada, Anda ingin menambahkannya? - + This topic is already in the list. Topik ini sudah ada dalam daftar. - + 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. Anda belum memilih topik yang valid. Pilihlah suatu topik dari daftar, atau ketik sebuah topik baru dan klik tombol "Tambahkan Topik ke Lagu" untuk menambahkan topik baru tersebut. - + You need to type in a song title. Anda harus mengetikkan judul lagu. - + You need to type in at least one verse. Anda harus mengetikkan setidaknya satu bait. - + You need to have an author for this song. Anda harus masukkan suatu pengarang untuk lagu ini. @@ -8679,7 +8837,7 @@ Pengodean ini bertanggung-jawab atas representasi karakter yang benar.Hapus &Semua - + Open File(s) Buka (beberapa) Berkas @@ -8694,14 +8852,7 @@ Pengodean ini bertanggung-jawab atas representasi karakter yang benar.<strong>Peringatan:</strong> Anda belum memasukkan susunan bait. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Tidak ada bait yang sesuai dengan "%(invalid)s". Entri yang valid adalah %(valid)s. -Silakan masukan bait-bait tersebut dan pisahkan dengan spasi. - - - + Invalid Verse Order Susunan Bait Tidak Valid @@ -8711,22 +8862,15 @@ Silakan masukan bait-bait tersebut dan pisahkan dengan spasi. &Sunting Jenis Pengarang - + Edit Author Type Sunting Jenis Pengarang - + Choose type for this author Pilih jenis untuk pengarang ini - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Tidak ada bait yang sesuai dengan "%(invalid)s". Entri yang valid adalah %(valid)s. -Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. - &Manage Authors, Topics, Songbooks @@ -8748,45 +8892,71 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Pengarang, Topik, && Buku Lagu - + Add Songbook Tambahkan Buku Lagu - + This Songbook does not exist, do you want to add it? Buku lagu ini tidak ada, Anda ingin menambahkannya? - + This Songbook is already in the list. Buku Lagu ini sudah ada dalam daftar. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Anda belum memilih Buku Lagu yang valid. Pilihlah sebuah Buku Lagu dari daftar, atau ketik sebuah Buku Lagu baru dan klik tombol "Tambahkan ke Lagu" untuk menambahkan Buku Lagu baru tersebut. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Sunting Bait - + &Verse type: &Jenis bait: - + &Insert &Sisipkan - + Split a slide into two by inserting a verse splitter. Pisah salindia menggunakan pemisah bait. @@ -8799,77 +8969,77 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Wisaya Ekspor Lagu - + Select Songs Pilih Lagu - + Check the songs you want to export. Centang lagu-lagu yang ingin Anda ekspor: - + Uncheck All Hapus Semua Centang - + Check All Centang Semua - + Select Directory Pilih Direktori - + Directory: Direktori: - + Exporting Mengekspor - + Please wait while your songs are exported. Silakan tunggu selama lagu diekspor. - + You need to add at least one Song to export. Anda harus masukkan setidaknya satu lagu untuk diekspor. - + No Save Location specified Lokasi Penyimpanan Belum Ditentukan - + Starting export... Memulai ekspor... - + You need to specify a directory. Anda harus menentukan sebuah direktori. - + Select Destination Folder Pilih Folder Tujuan - + Select the directory where you want the songs to be saved. Pilih direktori untuk menyimpan lagu. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Wisaya ini akan membantu Anda mengekspor lagu ke format lagu penyembahan <strong>OpenLyrics</strong> yang terbuka dan gratis. @@ -8877,7 +9047,7 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Berkas lagu Foilpresenter tidak valid. Bait tidak ditemukan. @@ -8885,7 +9055,7 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.GeneralTab - + Enable search as you type Gunakan penelusuran saat Anda mengetikkannya @@ -8893,7 +9063,7 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Pilih Dokumen / Berkas Presentasi @@ -8903,237 +9073,252 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Wisaya Impor Lagu - + 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. Wisaya ini akan membantu Anda mengimpor lagu dari berbagai format. Klik tombol Selanjutnya di bawah untuk memulai proses dengan memilih format untuk diimpor. - + Generic Document/Presentation Dokumen / Presentasi Generik - + Add Files... Tambahkan Berkas... - + Remove File(s) Hapus (beberapa) Berkas - + Please wait while your songs are imported. Silakan tunggu selama lagu diimpor. - + Words Of Worship Song Files Berkas Lagu Words of Worship - + Songs Of Fellowship Song Files Berkas Lagu Song Of Fellowship - + SongBeamer Files Berkas SongBeamer - + SongShow Plus Song Files Berkas Lagu SongShow Plus - + Foilpresenter Song Files Berkas Lagu Foilpresenter - + Copy Salin - + Save to File Simpan jadi Berkas - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Pengimpor Songs of Fellowhip telah dinonaktifkan karena OpenLP tidak dapat mengakses OpenOffice atau LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Pengimpor dokumen / presentasi generik telah dinonaktifkan karena OpenLP tidak dapat mengakses OpenOffice atau LibreOffice. - + OpenLyrics Files Berkas OpenLyrics - + CCLI SongSelect Files Berkas CCLI SongSelect - + EasySlides XML File Berkas XML EasySlides - + EasyWorship Song Database Basis-Data Lagu EasyWorship - + DreamBeam Song Files Berkas Lagu DreamBeam - + You need to specify a valid PowerSong 1.0 database folder. Anda harus menentukan folder basis-data PowerSong 1.0 yang valid. - + 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>. Pertama konversi dahulu basis-data ZionWorx ke berkas teks CSV, seperti yang dijelaskan pada <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Panduan Pengguna</a>. - + SundayPlus Song Files Berkas Lagu SundayPlus - + This importer has been disabled. Pengimpor telah dinonaktifkan. - + MediaShout Database Basis-data 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. Pengimpor MediaShout hanya didukung dalam Windows. Pengimpor telah dinonaktifkan karena ada modul Python yang hilang. Jika Anda ingin menggunakan pengimpor ini, Anda harus memasang modul "pyodbc". - + SongPro Text Files Berkas Teks SongPro - + SongPro (Export File) SongPro (Berkas Ekspor) - + In SongPro, export your songs using the File -> Export menu Pada SongPro, ekspor lagu menggunakan menu Berkas -> Ekspor - + EasyWorship Service File Berkas Layanan EasyWorship - + WorshipCenter Pro Song Files Berkas Lagu 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. Pengimpor WorshipCenter Pro hanya didukung dalam Windows. Pengimpor telah dinonaktifkan karena ada modul Python yang hilang. Jika Anda ingin menggunakan pengimpor ini, Anda harus memasang modul "pyodbc". - + PowerPraise Song Files Berkas Lagu PowerPraise - + PresentationManager Song Files Berkas Lagu PresentationManager - - ProPresenter 4 Song Files - Berkas Lagu ProPresenter 4 - - - + Worship Assistant Files Berkas Worship Assistant - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. Dalam Worship Assistant, ekspor Basis-Data Anda ke sebuah berkas CSV. - + OpenLyrics or OpenLP 2 Exported Song Lagu OpenLyrics atau OpenLP 2.0 yang telah diekspor - + OpenLP 2 Databases Basis-data OpenLP 2 - + LyriX Files Berkas LyriX - + LyriX (Exported TXT-files) Lyrix (berkas TXT yang telah diekspor) - + VideoPsalm Files Berkas VideoPsalm - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Buku lagu VideoPsalm biasanya terletak di %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Kesalahan: %s + File {name} + + + + + Error: {error} + @@ -9152,79 +9337,117 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.MediaItem - + Titles Judul - + Lyrics Lirik - + CCLI License: Lisensi CCLI: - + Entire Song Keseluruhan Lagu - + Maintain the lists of authors, topics and books. Kelola daftar pengarang, topik, dan buku. - + copy For song cloning salin - + Search Titles... Telusuri Judul... - + Search Entire Song... Telusuri Seluruh Lagu... - + Search Lyrics... Telusuri Lirik... - + Search Authors... Telusuri Pengarang... - - Are you sure you want to delete the "%d" selected song(s)? - Anda yakin ingin menghapus "%d" lagu() terpilih ini? - - - + Search Songbooks... Telusuri Buku Lagu... + + + Search Topics... + + + + + Copyright + Hak Cipta + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Tidak dapat membuka basis-data MediaShout + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Bukan basis-data lagu OpenLP 2.0 yang valid. @@ -9232,9 +9455,9 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Mengekspor "%s"... + + Exporting "{title}"... + @@ -9253,29 +9476,37 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Tidak ada lagu untuk diimpor. - + Verses not found. Missing "PART" header. Bait tidak ditemukan. Header "PART" hilang. - No %s files found. - Berkas %s tidak ditemukan. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Berkas %s tidak valid. Nilai byte tak terduga. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Berkas %s tidak valid. Header "TITLE" hilang. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Berkas %s tidak valid. Header "COPYRIGHTLINE" hilang. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9304,19 +9535,19 @@ Silakan masukkan 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 + + Your song export failed because this error occurred: {error} + @@ -9332,17 +9563,17 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Lagu berikut tidak dapat diimpor: - + Cannot access OpenOffice or LibreOffice Tidak dapat mengakses OpenOffice atau LibreOffice - + Unable to open file Tidak dapat membuka berkas - + File not found Berkas tidak ditemukan @@ -9350,109 +9581,109 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.SongMaintenanceForm - + Could not add your author. Tidak dapat menambahkan pengarang. - + This author already exists. Pengarang sudah ada. - + Could not add your topic. Tidak dapat menambahkan topik. - + This topic already exists. Topik sudah ada. - + Could not add your book. Tidak dapat menambahkan buku lagu. - + This book already exists. Buku lagu sudah ada. - + Could not save your changes. Tidak dapat menyimpan perubahan. - + Could not save your modified author, because the author already exists. Tidak dapat menyimpan pengarang yang telah dimodifikasi, karena sudah ada. - + Could not save your modified topic, because it already exists. Tidak dapat menyimpan topik yang telah dimodifikasi, karena sudah ada. - + Delete Author Hapus Pengarang - + Are you sure you want to delete the selected author? Anda yakin ingin menghapus pengarang terpilih? - + This author cannot be deleted, they are currently assigned to at least one song. Pengarang tidak dapat dihapus, karena masih terkait dengan setidaknya satu lagu. - + Delete Topic Hapus Topik - + Are you sure you want to delete the selected topic? Anda yakin ingin menghapus topik terpilih? - + This topic cannot be deleted, it is currently assigned to at least one song. Topik tidak dapat dihapus, karena masih terkait dengan setidaknya satu lagu. - + Delete Book Hapus Buku Lagu - + Are you sure you want to delete the selected book? Anda yakin ingin menghapus buku lagu terpilih? - + This book cannot be deleted, it is currently assigned to at least one song. Buku lagu tidak dapat dihapus, karena masih terkait dengan setidaknya satu lagu. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Pengarang %s sudah ada. Anda ingin membuat lagu dengan pengarang %s menggunakan pengarang %s yang sudah ada? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Topik %s sudah ada. Anda ingin membuat lagu dengan topik %s menggunakan topik %s yang sudah ada? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Buku lagu %s sudah ada. Anda ingin membuat lagu dengan buku lagu %s menggunakan buku lagu %s yang sudah ada? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9498,52 +9729,47 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Penelusuran - - Found %s song(s) - %s lagu (- lagu) ditemukan - - - + Logout Keluar - + View Tinjau - + Title: Judul - + Author(s): Pengarang (- pengarang) : - + Copyright: Hak Cipta: - + CCLI Number: Nomor CCLI: - + Lyrics: Lirik: - + Back Kembali - + Import Impor @@ -9583,7 +9809,7 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Terjadi kesalahan saat hendak masuk, mungkin nama pengguna atau kata sandi Anda salah? - + Song Imported Lagu Telah Diimpor @@ -9598,7 +9824,7 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Lagu ini kehilangan beberapa informasi, kemungkinan liriknya, dan tidak dapat diimpor. - + Your song has been imported, would you like to import more songs? Lagu Anda telah diimpor, Anda ingin mengimpor lagu-lagu lain? @@ -9607,6 +9833,11 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Stop Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9615,30 +9846,30 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Songs Mode Mode Lagu - - - Display verses on live tool bar - Tampilkan semua bait pada Bilah Alat Tayang - Update service from song edit Perbarui Layanan dari penyuntingan lagu - - - Import missing songs from service files - Impor lagu yang hilang dari berkas Layanan - Display songbook in footer Tampilkan buku lagu di Catatan Kaki + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Tampilkan "%s" simbol sebelum info hak cipta + Display "{symbol}" symbol before copyright info + @@ -9662,37 +9893,37 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.VerseType - + Verse Bait - + Chorus Refrain - + Bridge Bridge - + Pre-Chorus Pra-Refrain - + Intro Intro - + Ending Ending - + Other Lainnya @@ -9700,22 +9931,22 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. SongsPlugin.VideoPsalmImport - - Error: %s - Kesalahan: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Berkas lagu Words of Wordship tidak valid. "%s" header.WoW File\nSong Words hilang + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Berkas lagu Words of Worship tidak valid. "%s" string.CSongDoc::CBlock hilang + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9726,30 +9957,30 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Kesalahan pembacaan berkas CSV. - - Line %d: %s - Baris %d: %s - - - - Decoding error: %s - Kesalahan pendekodean: %s - - - + File not valid WorshipAssistant CSV format. Berkas bukan berupa format CSV Worship Assistant yang valid. - - Record %d - Rekaman %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Tidak dapat tersambung dengan basis-data WorshipCenter Pro. @@ -9762,25 +9993,30 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Kesalahan pembacaan berkas CSV. - + File not valid ZionWorx CSV format. Berkas bukan berupa format CSV ZionWorx yang valid. - - Line %d: %s - Baris %d: %s - - - - Decoding error: %s - Kesalahan pendekodean: %s - - - + Record %d Rekaman %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9790,39 +10026,960 @@ Silakan masukkan bait-bait tersebut dan pisahkan dengan spasi. Wisaya - + 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. Wisaya ini akan membantu Anda untuk menghapus lagu duplikat dari basis-data lagu. Anda akan memiliki kesempatan untuk meninjau setiap lagu yang berpotensi duplikat sebelum dihapus. Jadi tidak ada lagu yang akan dihapus tanpa persetujuan eksplisit Anda. - + Searching for duplicate songs. Menelusuri lagu-lagu duplikat. - + Please wait while your songs database is analyzed. Silakan tunggu selama basis-data lagu Anda dianalisa. - + Here you can decide which songs to remove and which ones to keep. Di sini Anda dapat menentukan lagu yang ingin dihapus ataupun disimpan. - - Review duplicate songs (%s/%s) - Meninjau lagu-lagu duplikat (%s/%s) - - - + Information Informasi - + No duplicate songs have been found in the database. Lagu duplikat tidak ditemukan di basis-data. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Bahasa Inggris + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/ja.ts b/resources/i18n/ja.ts index a2fb19e78..dd7514ea5 100644 --- a/resources/i18n/ja.ts +++ b/resources/i18n/ja.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? 警告テキストは、'<>'を含みません。 処理を続けてもよろしいですか? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. 警告テキストが何も指定されていません。 新規作成をクリックする前にテキストを入力してください。 @@ -120,32 +121,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font フォント - + Font name: フォント名: - + Font color: 文字色: - - Background color: - 背景色: - - - + Font size: フォント サイズ: - + Alert timeout: 警告のタイムアウト: @@ -153,88 +149,78 @@ 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. - 聖書データベースを最新の形式に更新します。 - Genesis @@ -739,160 +725,121 @@ Please type in some text before clicking New. この聖書は既に存在します。他の聖書をインポートするか、存在する聖書を削除してください。 - - 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」は2回以上入力されました。 + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error 書名章節番号エラー - - Web Bible cannot be used - ウェブ聖書は使用できません + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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にサポートされていません。以下のパターンに準拠した参照聖句である事を確認下さい。 +This means that the currently used Bible +or Second Bible is installed as Web Bible. -書 章 -書 章%(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節 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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 2 つの聖句を表示 - + 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. @@ -901,36 +848,82 @@ 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 節番号を表示 + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -986,70 +979,71 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - 書名をインポート中... %s + + Importing books... {book} + - - Importing verses... done. - 節をインポート中... 完了。 + + Importing verses from {book}... + Importing verses from <book name>... + 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 日本語 @@ -1069,224 +1063,259 @@ 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. 選択された聖書の展開に失敗しました。エラーが繰り返して起こる場合は、バグ報告を検討してください。 + + + Importing {book}... + Importing <book name>... + + 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から聖書訳の一覧をダウンロード中にエラーが発生しました。 + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1317,292 +1346,155 @@ It is not possible to customize the Book Names. 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? 1 つの聖書と複数の聖書の検索結果の結合はできません。検索結果を削除して再検索しますか? - + 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? + + Search + 検索 + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - 本当にOpenLPから聖書"%s"を削除しても良いですか。 + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -もう一度使用するには、インポートし直す必要があります。 - - - - Advanced - 詳細設定 - - - - 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. - 不正な聖書ファイルです。Zefania XML 聖書のようですので、Zefaniaインポートオプションを使用してください。 - - - - BiblesPlugin.Opensong - - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s章をインポート中... +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... 使用していないタグを削除 (数分かかることがあります)... - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s章をインポート中... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - バックアップ ディレクトリを選択 + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 のデータ ディレクトリにコピーしてください。 - - - - 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 - 聖書を更新中: 成功: %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. - 更新する聖書はありません。 - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. 不正な聖書ファイルです。Zefaniaの聖書は圧縮されていることがあります。その場合、インポートする前に展開する必要があります。 @@ -1610,9 +1502,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s章をインポート中... + + Importing {book} {chapter}... + @@ -1727,7 +1619,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I すべてのスライドを一度に編集します。 - + Split a slide into two by inserting a slide splitter. スライド分割機能を用い、スライドを分割します。 @@ -1742,7 +1634,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I クレジット(&C): - + You need to type in a title. タイトルの入力が必要です。 @@ -1752,12 +1644,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 全て編集(&E) - + Insert Slide スライドを挿入 - + You need to add at least one slide. 最低1枚のスライドが必要です @@ -1765,7 +1657,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide スライド編集 @@ -1773,9 +1665,9 @@ 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 "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1803,11 +1695,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title 画像 - - - Load a new image. - 新しい画像を読み込みます。 - Add a new image. @@ -1838,6 +1725,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. 選択された画像を礼拝プログラムに追加します。 + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1862,12 +1759,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. このグループは既に存在します。 @@ -1903,7 +1800,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment 添付を選択 @@ -1911,39 +1808,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. 結合する項目がありません。 @@ -1953,25 +1833,41 @@ 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」とその中の項目全てを削除してよいですか? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. アスペクト比がスクリーンと異なる画像が背景として表示されます。 @@ -1979,88 +1875,88 @@ Do you want to add the other images anyway? Media.player - + 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はウェブブラウザ内で動作するメディアプレーヤーです。このプレーヤによりビデオの上にテキストを描画することができます。 - + This media player uses your operating system to provide media capabilities. - + 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. 選択したメディアを礼拝プログラムに追加します。 @@ -2176,47 +2072,47 @@ Do you want to add the other images anyway? 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 ":" メディアクリップの名前には「:」を含まないでください。 @@ -2224,90 +2120,100 @@ Do you want to add the other images anyway? 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 このメディアクリップは既に保存されています。 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2318,94 +2224,93 @@ Do you want to add the other images anyway? - Start Live items automatically - ライブ項目を自動で再生 - - - - OPenLP.MainWindow - - - &Projector Manager - プロジェクタ マネージャ (&P) + Start new Live media automatically + 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 開く + + + Video Files + + + + + Data Directory Error + 保存場所エラー + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + 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一般公衆利用許諾書バージョン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. @@ -2418,168 +2323,157 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr OpenLP は、教会専用のフリーのプレゼンテーション及び賛美詞投射ソフトウェアです。パソコンとプロジェクターを用いて、聖書箇所、画像また他プレゼンテーションデータ (OpenOffice.org や PowerPoint/Viewer が必要) を表示できます。 http://openlp.org/ にて詳しくご紹介しております。 OpenLP は、ボランティアの手で開発保守されています。もっと多くのクリスチャンの手によるフリーのソフトウェア開発に興味がある方は、以下のボタンからどうぞ。 - + Volunteer 貢献者 - - - Project Lead - - - - - Developers - - - - - Contributors - - - - - Packagers - - - - - Testers - - - Translators - + Project Lead + - Afrikaans (af) - + Developers + - Czech (cs) - + Contributors + - Danish (da) - + Packagers + - German (de) - + Testers + - Greek (el) - + Translators + - English, United Kingdom (en_GB) - + Afrikaans (af) + - English, South Africa (en_ZA) - + Czech (cs) + - Spanish (es) - + Danish (da) + - Estonian (et) - + German (de) + - Finnish (fi) - + Greek (el) + - French (fr) - + English, United Kingdom (en_GB) + - Hungarian (hu) - + English, South Africa (en_ZA) + - Indonesian (id) - + Spanish (es) + - Japanese (ja) - + Estonian (et) + - Norwegian Bokmål (nb) - + Finnish (fi) + - Dutch (nl) - + French (fr) + - Polish (pl) - + Hungarian (hu) + - Portuguese, Brazil (pt_BR) - + Indonesian (id) + - Russian (ru) - + Japanese (ja) + - Swedish (sv) - + Norwegian Bokmål (nb) + - Tamil(Sri-Lanka) (ta_LK) - + Dutch (nl) + - Chinese(China) (zh_CN) - + Polish (pl) + - Documentation - + Portuguese, Brazil (pt_BR) + - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - + Russian (ru) + - + + Swedish (sv) + + + + + Tamil(Sri-Lanka) (ta_LK) + + + + + Chinese(China) (zh_CN) + + + + + Documentation + + + + Final Credit "For God so loved the world that He gave His one and only Son, so that whoever @@ -2591,344 +2485,389 @@ OpenLP は、教会専用のフリーのプレゼンテーション及び賛美 on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings UI 設定 - - - 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をバイパスする - + 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の開始を中断します。この問題を修正してください。 - -「はい」をクリックするとデフォルトの場所に戻します。 - - - - 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 一覧に縞模様をつける - - 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? - 警告: - -選択された以下の場所は既にOpenLPのデータが含まれています。既存のファイルを現在のファイルで置き換えますか。 - -%s - - - + Restart Required 再起動が必要 - + This change will only take effect once OpenLP has been restarted. この変更はOpenLPの再起動後に適用されます。 - + 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の終了後より使用されます。 + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + 自動 + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. クリックして色を選択します。 @@ -2936,252 +2875,252 @@ This location will be used after OpenLP is closed. 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 @@ -3189,61 +3128,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred エラーが発生しました - + Send E-Mail メールを送信 - + Save to File ファイルに保存 - + Attach File ファイルを添付 - - - Description characters to enter : %s - 説明 : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - - 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. Also attach any files that triggered the problem. - + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - プラットフォーム: %s - - - - + Save Crash Report クラッシュ報告を保存 - + Text files (*.txt *.log *.text) テキスト ファイル (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3284,268 +3236,259 @@ This location will be used after OpenLP is closed. 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を起動してください。 - -初回起動ウィザードをもう一度実行してサンプルデータをインポートするには、&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. - - -初回起動ウィザードを終了し次回から表示しないためには、%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 いくつかのファイルをダウンロードできません + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3588,44 +3531,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <html here> - + Validation Error 検証エラー - + Description is missing 説明が不足しています - + Tag is missing タグがみつかりません - Tag %s already defined. - タグ「%s」は既に定義されています。 + Tag {tag} already defined. + - Description %s already defined. - 説明 %s は既に定義されています。 + Description {tag} already defined. + - - Start tag %s is not valid HTML - 開始タグ%sは有効なHTMLではありません + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3714,170 +3662,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.GeneralTab - + General 全般 - + Monitors モニタ - + Select monitor for output display: 画面を出力するスクリーンを選択: - + Display if a single screen スクリーンが 1 つしかなくても表示 - + 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 移動しない(&R) - + &Wrap around 周回する(&W) - + &Move to next/previous service item 次/前の礼拝項目へ移動(&M) + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + 表示する画像ファイルを参照する。 + + + + Revert to the default OpenLP logo. + 既定の OpenLP ロゴに戻す。 + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language 言語 - + Please restart OpenLP to use your new language setting. 新しい言語設定を使用には OpenLP を再起動してください。 @@ -3885,7 +3863,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP ディスプレイ @@ -3893,352 +3871,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 - テーマ マネージャ - - - + Open an existing service. 存在する礼拝プログラムを開きます。 - + Save the current service to disk. 現在の礼拝プログラムをディスクに保存します。 - + Save Service As 名前をつけて礼拝プログラムを保存 - + Save the current service under a new name. 現在の礼拝プログラムを新しい名前で保存します。 - + E&xit 終了(&X) - - 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 - ライブ パネル(&L) - - - - Toggle Live Panel - ライブ パネルの切り替え - - - - Toggle the visibility of the live panel. - ライブ パネルの表示/非表示を切り替える。 - - - - 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 ライブ(&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 OpenLP のプライマリ ディスプレイがブランクになりました - - Default Theme: %s - 既定のテーマ: %s - - - + English Please add the name of your language here 日本語 - + Configure &Shortcuts... ショートカットの設定(&S)... - + 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. 現在の礼拝プログラムを印刷します。 - - 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. @@ -4247,107 +4061,68 @@ 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. 最近使用したファイルの一覧を消去します。 - + Configure &Formatting Tags... 書式タグを設定(&F)... - - Export OpenLP settings to a specified *.config file - OpenLPの設定をファイルへエクスポート - - - + Settings 設定 - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - 以前にエクスポートしたファイルから 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 を終了させます。インポートされた設定は次の起動時に適用されます。 - + 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. @@ -4360,7 +4135,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and 不正な設定をインポートすると異常な動作や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. @@ -4369,191 +4144,370 @@ 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」には値が設定されていないため、スキップします。 + + &Recent Services + - - An error occurred while exporting the settings: %s - 設定のエクスポート中にエラーが発生しました: %s + + &New Service + + + + + &Open Service + - &Recent Services - - - - - &New Service - - - - - &Open Service - - - - &Save Service - + - + Save Service &As... - + - + &Manage Plugins - + - + Exit OpenLP - + - + Are you sure you want to exit OpenLP? - + - + &Exit OpenLP - + + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + 礼拝プログラム + + + + Themes + 外観テーマ + + + + Projectors + プロジェクタ + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + 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はデータベースを読み込むことができません。 +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -データベース: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected 一つの項目も選択されていません - + &Add to selected Service Item 選択された礼拝項目に追加(&A) - + You must select one or more items to preview. プレビューするには 1 つ以上の項目を選択する必要があります。 - + You must select one or more items to send live. ライブに送信するには 1 つ以上の項目を選択する必要があります。 - + You must select one or more items. 1 つ以上の項目を選択する必要があります。 - + 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. インポート中に重複するファイルが見つかり、無視されました。 + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics>タグが見つかりません。 - + <verse> tag is missing. <verse>タグが見つかりません。 @@ -4561,22 +4515,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status 不明な状態 - + No message メッセージなし - + Error while sending data to projector データをプロジェクタに送信中にエラーが発生しました - + Undefined command: 定義されていないコマンド: @@ -4584,89 +4538,84 @@ Suffix not supported OpenLP.PlayerTab - + Players 再生ソフト - + Available Media Players 利用可能な再生ソフト - + Player Search Order 再生ソフトの順序 - + Visible background for videos with aspect ratio different to screen. アスペクト比がスクリーンと異なるビデオが背景として表示されます。 - + %s (unavailable) %s (利用不可能) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + OpenLP.PluginForm - + Plugin Details プラグイン詳細 - + Status: 状況: - + Active 有効 - - Inactive - 無効 - - - - %s (Inactive) - %s (無効) - - - - %s (Active) - %s (有効) + + Manage Plugins + - %s (Disabled) - %s (無効) + {name} (Disabled) + - - Manage Plugins - + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page サイズをページに合わせる - + Fit Width サイズをページの横幅に合わせる @@ -4674,77 +4623,77 @@ Suffix not supported 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: カスタムフッターテキスト: @@ -4752,257 +4701,257 @@ Suffix not supported 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 データの大きさがOSの制限を超えています - + 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) 要求されたソケット処理はローカルOSではサポートされていません。(IPv6の不足など) - + The socket is using a proxy, and the proxy requires authentication プロキシが使用されており、認証が必要です。 - + 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 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 プロキシサーバへの接続に失敗しました。プロキシサーバーからの応答を理解できません。 @@ -5010,17 +4959,17 @@ Suffix not supported 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 名前が重複します @@ -5028,52 +4977,52 @@ Suffix not supported 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 プロジェクタ情報を保存中にエラーが発生しました。ログを確認してください。 @@ -5081,305 +5030,360 @@ Suffix not supported 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 プロジェクタから切断 (&D) - + 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 - On - - - - Off - Off - - - + Hours 時間 - + No current errors or warnings エラーや警告はありません - + Current errors/warnings 現在のエラー/警告 - + Projector Information プロジェクタ情報 - + No message メッセージなし - + Not Implemented Yet 未実装 - - Delete projector (%s) %s? - + + Are you sure you want to delete this projector? + - - Are you sure you want to delete this projector? - + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + 認証エラー + + + + No Authentication Error + OpenLP.ProjectorPJLink - + Fan ファン - + Lamp ランプ - + Temperature 温度 - + Cover カバー - + Filter フィルター - + Other その他 @@ -5425,17 +5429,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address 重複するIPアドレス - + Invalid IP Address 無効なIPアドレス - + Invalid Port Number 無効なポート番号 @@ -5448,27 +5452,27 @@ Suffix not supported スクリーン - + primary プライマリ OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>開始</strong>: %s - - - - <strong>Length</strong>: %s - <strong>長さ</strong>: %s - - [slide %d] - [スライド %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5532,52 +5536,52 @@ Suffix not supported 選択した項目を礼拝プログラムから削除する。 - + &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 必要なプラグインが見つからないか無効なため、項目を表示する事ができません @@ -5602,7 +5606,7 @@ Suffix not supported 全ての項目を折り畳みます。 - + Open File ファイルを開く @@ -5632,22 +5636,22 @@ Suffix not supported 選択された項目をライブ表示する。 - + &Start Time 開始時間(&S) - + Show &Preview プレビュー表示(&P) - + Modified Service 礼拝プログラムの編集 - + The current service has been modified. Would you like to save this service? 現在の礼拝プログラムは、編集されています。保存しますか? @@ -5667,27 +5671,27 @@ Suffix not supported 再生時間: - + Untitled Service 無題 - + File could not be opened because it is corrupt. ファイルが破損しているため開けません。 - + Empty File 空のファイル - + This service file does not contain any data. この礼拝プログラムファイルは空です。 - + Corrupt File 破損したファイル @@ -5707,147 +5711,145 @@ Suffix not supported 礼拝プログラムの外観テーマを選択します。 - + 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - 以下のファイルが不足しています: %s - -保存を続行すると、このファイルは削除されます。 + + + + + An error occurred while writing the service file: {error} + @@ -5879,15 +5881,10 @@ These files will be removed if you continue to save. ショートカット - + Duplicate Shortcut ショートカットの重複 - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - このショートカット"%s"は既に他の動作に割り振られています。他のショートカットをご利用ください。 - Alternate @@ -5933,219 +5930,235 @@ These files will be removed if you continue to save. Configure Shortcuts ショートカットの設定 + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + 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 トラック + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + 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? このプロジェクタの「すべての」ユーザー定義入力テキストを削除してよろしいですか? @@ -6153,17 +6166,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions 綴りのサジェスト - + Formatting Tags タグフォーマット - + Language: 言語: @@ -6242,7 +6255,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (スライド1枚におよそ%d行) @@ -6250,521 +6263,531 @@ These files will be removed if you continue to save. 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. 既定の外観テーマを削除する事はできません。 - + 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 外観テーマの名前を変更(&N) - + &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> - 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) - - %s time(s) by %s - - - - + Unable to delete theme - + + + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - +{text} + 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: 色1: - + Ending color: 色2: - + 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. 背景の画像が選択されていません。続行する前に選択してください。 + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6847,73 +6870,73 @@ These files will be removed if you continue to save. 垂直整列(&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 賛美インポートウィザードへようこそ @@ -6931,7 +6954,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6963,39 +6986,34 @@ These files will be removed if you continue to save. 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 著者 @@ -7005,543 +7023,598 @@ These files will be removed if you continue to save. 不明 - + 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. Service %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 が見つかりません。 -1個ずつ別々に選択してみてください。 - - - + 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 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 オプションの分割(&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 表示モード - + CCLI song number: CCLI song番号: - + Preview Toolbar プレビュー ツールバー - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + 背景色: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + ビデオ + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + 利用できる聖書翻訳がありません + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + バース + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + 見つかりませんでした + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %sと%s + + {one} and {two} + - - %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 + + {first} and {last} + @@ -7621,47 +7694,47 @@ Please try selecting it individually. 使用プレゼン: - + 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は不完全です。再読み込みしてください。 + + Presentations ({text}) + - - The presentation %s no longer exists. - プレゼンテーション %s は存在しません。 + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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との通信にエラーが発生し、プレゼンテーションが終了しました。表示するには、プレゼンテーションをもう一度開始してください。 + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7671,11 +7744,6 @@ Please try selecting it individually. Available Controllers 使用可能なコントローラ - - - %s (unavailable) - %s (利用不可能) - Allow presentation application to be overridden @@ -7692,12 +7760,12 @@ Please try selecting it individually. mudrawまたはghostscriptのフルパスを設定する - + Select mudraw or ghostscript binary. mudrawまたはghostscriptのバイナリを選択してください。 - + The program is not ghostscript or mudraw which is required. 必要なmudrawまたはghostscriptのプログラムではありません。 @@ -7708,13 +7776,19 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. - スライドコントローラで現在のスライドをクリックした時、切り替え効果を行う。 + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - PowerPointがプレゼンテーションウィンドウの位置と大きさを変更することを許可する。 (Windows 8におけるスケーリング問題の対処) + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7756,207 +7830,268 @@ 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 設定 - + Remote 遠隔操作 - + Stage View - + - + 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 Android App - + 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証明書が見つかりません。SSL証明書が見つからない場合、HTTPSサーバは使用できませn。詳細はマニュアルをご覧ください。 - + User Authentication ユーザ認証 - + User id: ユーザID: - + Password: パスワード: - + Show thumbnails of non-text slides in remote and stage view. 遠隔操作とステージビューにおいて、テキストスライド以外の縮小画像を表示する。 - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + 出力先が選択されていません + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + レポート生成 + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -7997,50 +8132,50 @@ Please try selecting it individually. 賛美の利用記録の切り替える。 - + <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 印刷済み @@ -8108,24 +8243,10 @@ All data recorded before this date will be permanently deleted. レポートの出力場所 - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation レポート生成 - - - Report -%s -has been successfully created. - レポート - %s - - は正常に生成されました。 - Output Path Not Selected @@ -8138,14 +8259,26 @@ Please select an existing path on your computer. 賛美利用記録レポートの出力先が無効です。コンピューター上に存在するフォルダを選択して下さい。 - + Report Creation Failed レポート作成に失敗 - - An error occurred while creating the report: %s - 賛美利用記録レポートの作成中にエラーが発生しました: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8161,127 +8294,127 @@ Please select an existing path on your computer. インポートウィザードを使用して賛美をインポートします。 - + <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 賛美 @@ -8292,37 +8425,37 @@ The encoding is responsible for the correct character representation. エクスポートウィザードを使って賛美をエクスポートする。 - + 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 賛美のインデックスを再作成 @@ -8337,15 +8470,30 @@ The encoding is responsible for the correct character representation. CCLIのSongSelectサービスから賛美をインポートします。 - + Find &Duplicate Songs 重複する賛美を探す (&D) - + Find and remove duplicate songs in the song database. データベース中の重複する賛美を探し、削除します。 + + + Songs + 賛美 + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8431,62 +8579,67 @@ The encoding is responsible for the correct character representation. 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からインポートされたSong Tagsです] - + 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.MB」が見つかりません。Songs.DBと同じフォルダに保存されている必要があります。 - + This file is not a valid EasyWorship database. 有効なEasyWorshipのデータベースではありません。 - + Could not retrieve encoding. エンコードを取得できませんでした。 + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data メタデータ - + Custom Book Names 任意の書名 @@ -8569,57 +8722,57 @@ The encoding is responsible for the correct character representation. 外観テーマ、著作情報 && コメント - + 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. 最低一つのバースを入力する必要があります。 - + You need to have an author for this song. アーティストを入力する必要があります。 @@ -8644,7 +8797,7 @@ The encoding is responsible for the correct character representation. すべて削除(&A) - + Open File(s) ファイルを開く @@ -8659,14 +8812,7 @@ The encoding is responsible for the correct character representation. <strong>警告:</strong> - - 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 節順が正しくありません @@ -8676,81 +8822,101 @@ Please enter the verses separated by spaces. 著者の種類を編集 (&E) - + Edit Author Type 著者の種類を編集 - + Choose type for this author 著者の種類を選択 - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks - + Add &to Song - + Re&move - + Authors, Topics && Songbooks - + - + Add Songbook - + - + This Songbook does not exist, do you want to add it? - + - + This Songbook is already in the list. - + - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse バース編集 - + &Verse type: バースのタイプ(&): - + &Insert 挿入(&I) - + Split a slide into two by inserting a verse splitter. スライド分割機能を用い、スライドを分割してください。 @@ -8763,77 +8929,77 @@ Please enter the verses separated by spaces. 賛美エクスポートウィザード - + 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形式として賛美をエクスポートできます。 @@ -8841,7 +9007,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. 無効なFoilpresenterファイルです。歌詞が見つかりません。 @@ -8849,7 +9015,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type 入力と同時に検索する @@ -8857,7 +9023,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files ドキュメント/プレゼンテーションファイル選択 @@ -8867,237 +9033,252 @@ Please enter the verses separated by spaces. 賛美インポートウィザード - + 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. 賛美がインポートされるまでしばらくお待ちください。 - + Words Of Worship Song Files Words Of Worship Song ファイル - + Songs Of Fellowship Song Files Songs Of Fellowship Song ファイル - + SongBeamer Files SongBeamerファイル - + SongShow Plus Song Files SongShow Plus Songファイル - + Foilpresenter Song Files Foilpresenter Song ファイル - + Copy コピー - + Save to File ファイルに保存 - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. OpenOfficeまたはLibreOfficeに接続できないため、Songs of Fellowshipのインポート機能は無効になっています。 - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. OpenOfficeまたはLibreOfficeに接続できないため、汎用ドキュメント/プレゼンテーションのインポート機能は無効になっています。 - + OpenLyrics Files OpenLyricsファイル - + CCLI SongSelect Files CCLI SongSelectファイル - + EasySlides XML File Easy Slides 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>. <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>に従ってZionWorxデータベースファイルをCSVへ変換してください。 - + SundayPlus Song Files SundayPlus Songファイル - + 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のみで利用可能です。この機能を使用するためには、Pythonの"pyodbc"モジュールをインストールしてください。 - + SongPro Text Files SongProテキストファイル - + SongPro (Export File) SongPro (エクスポートファイル) - + In SongPro, export your songs using the File -> Export menu SongProにおいて、メニューのFile-&gt;Exportからエクスポートしてください。 - + EasyWorship Service File EasyWorship Serviceファイル - + WorshipCenter Pro Song Files WorshipCenter Pro Songファイル - + 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のみで利用可能です。この機能を使用するためには、Pythonの"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ファイルでエクスポートしてください。 - + OpenLyrics or OpenLP 2 Exported Song - + - + OpenLP 2 Databases - + - + LyriX Files - + - + LyriX (Exported TXT-files) - + - + VideoPsalm Files - + - + VideoPsalm - + - - The VideoPsalm songbooks are normally located in %s - + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - + File {name} + + + + + Error: {error} + @@ -9116,89 +9297,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles タイトル - + Lyrics 賛美詞 - + CCLI License: CCLI ライセンス: - + Entire Song 賛美全体 - + Maintain the lists of authors, topics and books. アーティスト、トピックとアルバムの一覧を保守します。 - + copy For song cloning コピー - + Search Titles... タイトルを検索... - + Search Entire Song... 全てのデータを検索... - + Search Lyrics... 歌詞を検索... - + Search Authors... 著者を検索... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + - - Search Songbooks... - + + Search Topics... + + + + + Copyright + 著作権 + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. MediaShoutデータベースを開けません。 + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + SongsPlugin.OpenLyricsExport - - Exporting "%s"... - 「%s」をエクスポートしています... + + Exporting "{title}"... + @@ -9217,29 +9436,37 @@ Please enter the verses separated by spaces. インポートする賛美が見つかりません。 - + Verses not found. Missing "PART" header. 歌詞が見つかりません。"PART"ヘッダが不足しています。 - No %s files found. - %sファイルが見つかりません。 + No {text} files found. + - Invalid %s file. Unexpected byte value. - 無効な%sファイルです。予期せぬバイトがみつかりました。 + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - 無効な%sファイルです。"TITLE"ヘッダが見つかりません。 + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - 無効な%sファイルです。"COPYRIGHTLINE"ヘッダが見つかりません。 + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9262,25 +9489,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + 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 + + Your song export failed because this error occurred: {error} + @@ -9296,17 +9523,17 @@ Please enter the verses separated by spaces. 以下の賛美はインポートできませんでした: - + Cannot access OpenOffice or LibreOffice OpenOfficeまたはLibreOfficeに接続できません - + Unable to open file ファイルを開けません - + File not found ファイルが見つかりません @@ -9314,109 +9541,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - 題目%sは既に存在します。既存の題目%sを用い、題目%sで賛美を作りますか? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - アルバム%sは既に存在します。既存のアルバム%sを用い、アルバム%sで賛美を作りますか? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9462,52 +9689,47 @@ Please enter the verses separated by spaces. 検索 - - Found %s song(s) - %s個の賛美が見つかりました - - - + Logout ログアウト - + View 表示 - + Title: タイトル: - + Author(s): 著者: - + Copyright: 著作権: - + CCLI Number: CCLI番号: - + Lyrics: 歌詞: - + Back 戻る - + Import インポート @@ -9547,7 +9769,7 @@ Please enter the verses separated by spaces. ログイン中にエラーが発生しました。ユーザ名またはパスワードを間違っていませんか? - + Song Imported 賛美がインポートされました @@ -9562,14 +9784,19 @@ Please enter the verses separated by spaces. この讃美はいくつかの情報 (歌詞など) が不足しており、インポートできません。 - + Your song has been imported, would you like to import more songs? 讃美のインポートが完了しました。さらにインポートを続けますか? Stop - + + + + + Found {count:d} song(s) + @@ -9579,30 +9806,30 @@ Please enter the verses separated by spaces. Songs Mode 賛美モード - - - Display verses on live tool bar - ライブツールバーにバースを表示 - Update service from song edit 編集後に礼拝プログラムを更新 - - - Import missing songs from service files - 不足している賛美を礼拝ファイルからインポートする - Display songbook in footer フッターにソングブックを表示 + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - + Display "{symbol}" symbol before copyright info + @@ -9626,37 +9853,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse バース - + Chorus コーラス - + Bridge ブリッジ - + Pre-Chorus 間奏 - + Intro 序奏 - + Ending エンディング - + Other その他 @@ -9664,22 +9891,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9690,30 +9917,30 @@ Please enter the verses separated by spaces. CSVファイルの読み込みに失敗しました。 - - Line %d: %s - %d行: %s - - - - Decoding error: %s - デコードエラー: %s - - - + File not valid WorshipAssistant CSV format. ファイルは有効なWorshipAssistant CSV形式ではありません。 - - Record %d - レコード %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. WorshipCenter Proデータベースに接続できませんでした。 @@ -9726,25 +9953,30 @@ Please enter the verses separated by spaces. CSVファイルの読み込みに失敗しました。 - + File not valid ZionWorx CSV format. ファイルは有効なZionWorx CSV形式ではありません。 - - Line %d: %s - %d行: %s - - - - Decoding error: %s - デコードエラー: %s - - - + Record %d レコード %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9754,39 +9986,960 @@ 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. このウィザードでは重複する賛美の削除をお手伝いします。重複の疑いがある賛美を削除する前に確認することができ、同意なしに削除することはありません。 - + 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. データベースに重複する賛美は見つかりませんでした。 + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + 日本語 + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/ko.ts b/resources/i18n/ko.ts index b4e685ad1..92781d63b 100644 --- a/resources/i18n/ko.ts +++ b/resources/i18n/ko.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? 알림문에 '<>'가 없습니다. 계속 진행할까요? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. 알림 표시 문구를 지정하지 않았습니다. 새로 만들기를 누르기 전에 문구를 입력하세요. @@ -120,32 +121,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font 글꼴 - + Font name: 글꼴: - + Font color: 글꼴색: - - Background color: - 배경색: - - - + Font size: 글꼴 크기: - + Alert timeout: 경고 지속시간: @@ -153,88 +149,78 @@ 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. - 성경의 데이터베이스를 최신 형식으로 업그레이드합니다. - Genesis @@ -739,160 +725,121 @@ Please type in some text before clicking New. 이 성경은 이미 존재합니다. 다른 성경을 가져 오거나 먼저 기존의 성경을 삭제 해주세요. - - 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" 서명을 한 번 이상 입력했습니다. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error 성경 참조 오류 - - Web Bible cannot be used - 웹 성경은 사용할 수 없습니다 + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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에서 지원하지 않거나 잘못되었습니다. 참조가 다음 형식 중 하나와 일치하거나 설명서와 일치하는지 확인하십시오: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -서 장 -서 장%(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절 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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. @@ -901,37 +848,83 @@ 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 구절 번호 표시 + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -987,70 +980,71 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - 선경책을 가져오는 중... %s + + Importing books... {book} + - - Importing verses... done. - 구절 가져오는 중... 완료. + + Importing verses from {book}... + Importing verses from <book name>... + 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 @@ -1070,224 +1064,259 @@ 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. 선택한 구절 선별에 문제가 발생했습니다. 이 오류가 계속 일어나면 버그를 보고하십시오. + + + Importing {book}... + Importing <book name>... + + 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. %s에서 성경 목록을 다운로드하는 중 오류가 발생했습니다. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1318,292 +1347,155 @@ It is not possible to customize the Book Names. 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? + + Search + 검색 + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - 정말 OpenLP에서 "%s" 성경을 완전히 삭제하시겠습니까? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -다시 사용하려면 이 성경을 다시 가져와야합니다. - - - - Advanced - 고급 설정 - - - - 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. - 성경 파일 형식이 들어있는 내용과 다릅니다. Zefania XML 성경 형식인 것 같습니다. Zefania 가져오기 옵션을 사용하십시오. - - - - BiblesPlugin.Opensong - - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s 가져오는 중... +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... 사용하지 않는 태그 제거 중(몇 분 걸립니다)... - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s 가져오는 중... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - 백업 디렉터리 선택 + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 - 성경 %2$s중 %1$s 업그레이드 중: "%3$s" -실패 - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - 성경 %2$s 중 %1$s 업그레이드 중: "%s" -업그레이드 중 ... - - - - Download Error - 다운로드 오류 - - - - To upgrade your Web Bibles an Internet connection is required. - 웹 성경을 업그레이드하려면 인터넷 연결이 필요합니다. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - 성경 %2$s 중 %1$s 업그레이드 중: "%3$s" -업그레이드 중 %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - 성경 %2$s 중 %1$s 업그레이드 중: "%3$s" -완료 - - - - , %s failed - , %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. - 업그레이드할 성경이 없습니다. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. 성경 파일 형식이 들어있는 내용과 다릅니다. Zefania 성경 형식은 압축 상태인 것 같습니다. 가져오기 전 압축을 풀어야합니다. @@ -1611,9 +1503,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - %(bookname)s %(chapter)s 가져오는 중... + + Importing {book} {chapter}... + @@ -1728,7 +1620,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 한 번에 모든 슬라이드를 편집 - + Split a slide into two by inserting a slide splitter. 슬라이드 분할선을 삽입하여 두 슬라이드로 나눕니다. @@ -1743,7 +1635,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 만든 사람(&C): - + You need to type in a title. 제목을 입력해야합니다. @@ -1753,12 +1645,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 모두 편집(&I) - + Insert Slide 슬라이드 추가 - + You need to add at least one slide. 최소한 하나의 슬라이드를 추가해야합니다. @@ -1766,7 +1658,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide 스라이드 수정 @@ -1774,9 +1666,9 @@ 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 "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1804,11 +1696,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title 그림 - - - Load a new image. - 새 그림을 불러옵니다. - Add a new image. @@ -1839,6 +1726,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. 선택한 그림을 예배 항목에 추가합니다. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1863,12 +1760,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. 이 모음이 이미 있습니다. @@ -1904,7 +1801,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment 첨부 선택 @@ -1912,39 +1809,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. 새로 고칠 표시 항목이 없습니다. @@ -1954,25 +1834,41 @@ 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"와 여기에 들어있는 모든 항목을 제거하겠습니까? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. 화면과 다른 비율의 그림을 바탕 화면에 표시 @@ -1980,88 +1876,88 @@ Do you want to add the other images anyway? Media.player - + 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은 웹 브라우저에서 동작하는 미디어 재생 프로그램입니다. 이 미디어 재생기는 동영상에 문구를 띄울 수 있게 합니다. - + This media player uses your operating system to provide media capabilities. - + 이 미디어 재생 프로그램은 미디어 재생 기능을 제공하기 위해 운영체제를 활용합니다. 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. 선택한 미디어를 서비스에 추가합니다. @@ -2177,47 +2073,47 @@ Do you want to add the other images anyway? 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 ":" 미디어 클립 이름에 ":" 문자가 들어있으면 안됩니다 @@ -2225,90 +2121,100 @@ Do you want to add the other images anyway? 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 미디어 클립을 이미 저장했습니다 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2319,94 +2225,93 @@ Do you want to add the other images anyway? - Start Live items automatically - 라이브 항목을 자동으로 시작 - - - - OPenLP.MainWindow - - - &Projector Manager - 프로젝터 관리자(&P) + Start new Live media automatically + 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 열기 + + + Video Files + + + + + Data Directory Error + 데이터 디렉터리 오류 + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + 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. - + 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. @@ -2414,171 +2319,166 @@ OpenLP is free church presentation software, or lyrics projection software, used 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는 컴퓨터 및 데이터 프로젝터를 활용하여 교회 찬양 사역에 활용하는 노래 슬라이드, 성경 구절, 동영상, 그림 및 (임프레스, 파워포인트 보기 프로그램을 설치했을 때) 기타 프리젠테이션 컨텐트를 보여주는 자유로운 교회 프리젠테이션, 가사 프로젝션 프로그램입니다. + +OpenLP 추가 정보: http://openlp.org/ + +OpenLP는 다양한 기여자가 작성하고 관리합니다. 작성 중인 자유 기독교 활용 프로그램을 더 많이 보시려면 하단 단추를 눌러 참여해보십시오. - + Volunteer - - - - - Project Lead - - - - - Developers - - - - - Contributors - - - - - Packagers - - - - - Testers - + 봉사자 - Translators - + Project Lead + 프로젝트 지휘 - Afrikaans (af) - + Developers + 개발자 - Czech (cs) - + Contributors + 기여자 - Danish (da) - + Packagers + 꾸러미 처리자 - German (de) - + Testers + 테스터 - Greek (el) - + Translators + 번역자 - English, United Kingdom (en_GB) - + Afrikaans (af) + 아프리칸스(af) - English, South Africa (en_ZA) - + Czech (cs) + 체코어(cs) - Spanish (es) - + Danish (da) + 덴마크어(da) - Estonian (et) - + German (de) + 독일어(de) - Finnish (fi) - + Greek (el) + 그리스어(el) - French (fr) - + English, United Kingdom (en_GB) + 영국 영어(en_GB) - Hungarian (hu) - + English, South Africa (en_ZA) + 남아프리카 영어(en_ZA) - Indonesian (id) - + Spanish (es) + 스페인어(es) - Japanese (ja) - + Estonian (et) + 에스토니아어(et) - Norwegian Bokmål (nb) - + Finnish (fi) + 핀란드어(fi) - Dutch (nl) - + French (fr) + 프랑스어(fr) - Polish (pl) - + Hungarian (hu) + 헝가리어(hu) - Portuguese, Brazil (pt_BR) - + Indonesian (id) + 인도네시아어(id) - Russian (ru) - + Japanese (ja) + 일본어(ja) - Swedish (sv) - + Norwegian Bokmål (nb) + 노르웨이 보크몰(nb) - Tamil(Sri-Lanka) (ta_LK) - + Dutch (nl) + 네덜란드어(nl) - Chinese(China) (zh_CN) - + Polish (pl) + 폴란드어(pl) - Documentation - + Portuguese, Brazil (pt_BR) + 브라질 포르투갈어(pt_BR) - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - + Russian (ru) + 러시아어(ru) - + + Swedish (sv) + 스웨덴어(sv) + + + + Tamil(Sri-Lanka) (ta_LK) + 타밀어(스리랑카)(ta_LK) + + + + Chinese(China) (zh_CN) + 중국어(중국)(zh_CN) + + + + Documentation + 문서 + + + Final Credit "For God so loved the world that He gave His one and only Son, so that whoever @@ -2590,345 +2490,388 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings UI 설정 - - - 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 창 관리자 건너뛰기 - + 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 - + - - 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를 다시 시작했을 때 적용됩니다. - + 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. - + + + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + 자동 + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + OpenLP.ColorButton - + Click to select a color. 색상을 선택하려면 클릭하세요. @@ -2936,252 +2879,252 @@ This location will be used after OpenLP is closed. 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 @@ -3189,72 +3132,86 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred 오류 발생 - + Send E-Mail 이메일 보내기 - + Save to File 파일로 저장하기 - + Attach File 파일 첨부 - - - Description characters to enter : %s - - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - - 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. Also attach any files that triggered the problem. - + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - - - - + Save Crash Report 오류 보고서 저장 - + Text files (*.txt *.log *.text) 텍스트 파일 (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm File Rename - + 파일 이름 바꾸기 New File Name: - + 새 파일 이름: @@ -3267,12 +3224,12 @@ This location will be used after OpenLP is closed. Select Translation - + 번역 언어 선택 Choose the translation you'd like to use in OpenLP. - + OpenLP에서 사용할 번역 언어를 선택하십시오. @@ -3283,263 +3240,258 @@ This location will be used after OpenLP is closed. 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. - + 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. - - - - + 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... - + 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 - + 일부 파일을 다운로드할 수 없습니다 + + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + @@ -3547,7 +3499,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Configure Formatting Tags - + @@ -3572,55 +3524,60 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Default Formatting - + Custom Formatting - + OpenLP.FormattingTagForm - + <HTML here> <HTML을 여기에> - + Validation Error 검증 오류 - + Description is missing - + 설명이 빠졌습니다 - + Tag is missing - + 태그가 빠졌습니다 - Tag %s already defined. - + Tag {tag} already defined. + - Description %s already defined. - + Description {tag} already defined. + - - Start tag %s is not valid HTML - + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3673,12 +3630,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Superscript - + 위 첨자 Subscript - + 아래 첨자 @@ -3703,184 +3660,214 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 가로 - + 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 - + + + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + 화면에 표시할 그림 파일을 탐색합니다. + + + + Revert to the default OpenLP logo. + OpenLP 로고를 기본 상태로 되돌립니다. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + OpenLP.LanguageManager - + Language 언어 - + Please restart OpenLP to use your new language setting. - + OpenLP.MainDisplay - + OpenLP Display OpenLP 화면 @@ -3888,468 +3875,265 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 - 테마 관리자 - - - + Open an existing service. 기존 예배 내용을 엽니다. - + Save the current service to disk. 현재 예배 내용을 디스크에 저장합니다. - + Save Service As 새로운 이름으로 예배 내용 저장 - + Save the current service under a new name. 현재 예배 내용을 새 이름으로 저장합니다. - + E&xit 나가기(&X) - - 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 - 라이브 패널(&L) - - - - Toggle Live Panel - 라이브 패널 상태 전환 - - - - Toggle the visibility of the live panel. - 라이브 패널의 표시 여부를 전환합니다. - - - - 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 실황(&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 Korean - + Configure &Shortcuts... 바로 가기 설정(&S)... - + 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. 현재 서비스를 인쇄합니다. - - 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. - + - + 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. - + - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4358,191 +4142,370 @@ 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" 키에 기본 값이 없어 내보내기 과정에서 건너뜁니다. + + &Recent Services + - - An error occurred while exporting the settings: %s - 설정을 내보내는 중 오류가 발생했습니다: %s + + &New Service + 새 예배 프로그램(&N) + + + + &Open Service + 예배 프로그램 열기(&O) - &Recent Services - - - - - &New Service - - - - - &Open Service - - - - &Save Service - + 예배 프로그램 저장(&S) - + Save Service &As... - + 다른 이름으로 예배 프로그램 저장(&A)... - + &Manage Plugins - + 플러그인 관리(&M) - + Exit OpenLP - + OpenLP 나가기 - + Are you sure you want to exit OpenLP? - + 정말로 OpenLP를 나가시겠습니까? - + &Exit OpenLP - + OpenLP 나가기(&E) + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + 예배 + + + + Themes + 테마 + + + + Projectors + 프로젝터 + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + 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에서 데이터베이스를 불러올 수 없습니다. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -데이터베이스: %s +Database: {db_name} + 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. 실황으로 보낼 하나 이상의 항목을 선택해야합니다. - + 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. 가져오기 과정에 중복 파일을 찾았으며 건너뛰었습니다. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> 태그가 없습니다. - + <verse> tag is missing. <verse> 태그가 없습니다. @@ -4550,22 +4513,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status 알 수 없는 상태 - + No message 메시지 없음 - + Error while sending data to projector 프로젝터에 데이터 보내는 중 오류 - + Undefined command: 지정하지 않은 명령: @@ -4573,89 +4536,84 @@ Suffix not supported OpenLP.PlayerTab - + Players 재생 프로그램 - + Available Media Players 존재하는 미디어 재생 프로그램 - + Player Search Order - + 재생 프로그램 검색 순서 - + Visible background for videos with aspect ratio different to screen. - + 화면 비가 다른 동영상의 배경 여백을 표시합니다. - + %s (unavailable) %s (없음) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + 참고: VLC를 활용하려면 %s 버전을 설치하십시오 OpenLP.PluginForm - + Plugin Details 플러그인 세부 정보 - + Status: 상태: - + Active 활성 - - Inactive - 비활성 - - - - %s (Inactive) - %s (비활성) - - - - %s (Active) - %s (활성) + + Manage Plugins + 플러그인 관리 - %s (Disabled) - %s (사용 안함) + {name} (Disabled) + - - Manage Plugins - + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page 페이지에 맞춤 - + Fit Width 폭 맞춤 @@ -4663,77 +4621,77 @@ Suffix not supported 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: 사용자 정의 꼬릿말 문구: @@ -4741,257 +4699,257 @@ Suffix not supported 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 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) 요청한 소켓 처리를 로컬 운영체제에서 지원하지 않습니다(예: IPv6 지원 기능 빠짐) - + The socket is using a proxy, and the proxy requires authentication 소켓은 프록시를 거치며 프록시에서 인증이 필요합니다. - + 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 프록시 서버에서 온 응답을 해석할 수 없어 프록시 서버 연결 과정 처리에 실패했습니다. @@ -4999,17 +4957,17 @@ Suffix not supported 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 중복 이름 @@ -5017,52 +4975,52 @@ Suffix not supported 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 프로젝터 정보 저장에 오류가 있습니다. 오류 로그를 살펴보십시오 @@ -5070,305 +5028,360 @@ Suffix not supported 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 아직 구현하지 않음 - - Delete projector (%s) %s? - + + Are you sure you want to delete this projector? + - - Are you sure you want to delete this projector? - + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + 인증 오류 + + + + No Authentication Error + OpenLP.ProjectorPJLink - + Fan 냉각팬 - + Lamp 램프 - + Temperature 온도 - + Cover 덮개 - + Filter 필터 - + Other 기타 @@ -5414,17 +5427,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address 중복된 IP 주소 - + Invalid IP Address 잘못된 IP 주소 - + Invalid Port Number 잘못된 포트 번호 @@ -5437,27 +5450,27 @@ Suffix not supported 화면 - + primary 첫번째 OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>시작</strong>: %s - - - - <strong>Length</strong>: %s - <strong>길이</strong>: %s - - [slide %d] - [%d번 슬라이드] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5521,54 +5534,54 @@ Suffix not supported 선택한 항목을 예배에서 제거합니다. - + &Add New Item &새로운 항목 추가 - + &Add to Selected Item - + 선택한 항목에 추가(&A) - + &Edit Item &항목 수정 - + &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 - + @@ -5591,52 +5604,52 @@ Suffix not supported 모든 예배 항목을 접습니다. - + 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 시작 시간(&S) - + Show &Preview 미리 보기 표시(&P) - + Modified Service - + - + The current service has been modified. Would you like to save this service? 현재 예배가 수정되었습니다. 이 예배를 저장할 까요? @@ -5656,27 +5669,27 @@ Suffix not supported 재생 시간: - + Untitled Service 제목 없는 예배 - + File could not be opened because it is corrupt. 파일이 깨져 열 수 없습니다. - + Empty File 빈 파일 - + This service file does not contain any data. 예배 파일에 데이터가 없습니다. - + Corrupt File 파일 깨짐 @@ -5696,145 +5709,145 @@ Suffix not supported 예배 내용에 대한 테마를 선택하십시오. - + 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 - + - + &Auto play slides - + - + Auto play slides &Loop - + - + Auto play slides &Once - + - + &Delay between slides - + - + 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 - - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - + + + + + An error occurred while writing the service file: {error} + @@ -5842,7 +5855,7 @@ These files will be removed if you continue to save. Service Item Notes - + @@ -5866,24 +5879,19 @@ These files will be removed if you continue to save. 단축키 - + 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. - + 동작을 선택한 후 처음 또는 대체 쇼트컷 녹화를 각각 시작하려면 하단 단추를 누르십시오. @@ -5893,12 +5901,12 @@ These files will be removed if you continue to save. Custom - + Capture shortcut. - + @@ -5920,237 +5928,253 @@ These files will be removed if you continue to save. Configure Shortcuts 단축키 설정 + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + 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. - + 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 트랙 + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + 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 - + + + + + Discard changes and reset to previous user-defined text + - 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: 언어: @@ -6160,17 +6184,17 @@ These files will be removed if you continue to save. Theme Layout - + The blue box shows the main area. - + The red box shows the footer. - + @@ -6178,7 +6202,7 @@ These files will be removed if you continue to save. Item Start and Finish Time - + @@ -6229,7 +6253,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (슬라이드당 평균 %d 줄) @@ -6237,520 +6261,530 @@ These files will be removed if you continue to save. 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. 기본 테마를 삭제할 수 없습니다. - + 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 테마 이름 바꾸기(&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) - - %s time(s) by %s - - - - + Unable to delete theme - + + + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - +{text} + 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. - + + + + + Edit Theme - {name} + + + + + Select Video + @@ -6758,42 +6792,42 @@ These files will be removed if you continue to save. 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. - + @@ -6834,73 +6868,73 @@ These files will be removed if you continue to save. 수직 정렬(&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 곡 가져오기 마법사를 사용하시는 여러분 반갑습니다 @@ -6918,7 +6952,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6950,39 +6984,34 @@ These files will be removed if you continue to save. 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 작성자: @@ -6992,543 +7021,598 @@ These files will be removed if you continue to save. 알 수 없는 작성자 - + 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 h - + 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 m - + 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 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: CCLI 곡 번호: - + Preview Toolbar 미리보기 도구 모음 - + OpenLP - + - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + 배경색: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + 동영상 + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + 성경 없음 + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + 검색 결과 없음 + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s와(과) %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - - - - - %s, %s - Locale list separator: middle - - - - - %s, %s - Locale list separator: start - + + {first} and {last} + @@ -7536,7 +7620,7 @@ Please try selecting it individually. Source select dialog interface - + @@ -7544,50 +7628,50 @@ Please try selecting it individually. <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. - + 선택한 프리젠테이션을 예배 프로그램에 추가합니다. @@ -7595,7 +7679,7 @@ Please try selecting it individually. Select Presentation(s) - + 프리젠테이션 선택 @@ -7605,50 +7689,50 @@ Please try selecting it individually. Present using: - + - + File Exists - + - + A presentation with that filename already exists. - + - + This type of presentation is not supported. - + + + + + Missing Presentation + 프리젠테이션 빠짐 - Presentations (%s) - + Presentations ({text}) + - - Missing Presentation - + + The presentation {name} no longer exists. + - - The presentation %s is incomplete, please reload. - - - - - The presentation %s no longer exists. - + + The presentation {name} is incomplete, please reload. + 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. + @@ -7656,52 +7740,53 @@ Please try selecting it individually. Available Controllers - - - - - %s (unavailable) - %s (없음) + 존재하는 컨트롤러 Allow presentation application to be overridden - + 프리젠테이션 프로그램 설정 중복 적용 허용 PDF options - + 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. - + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7709,241 +7794,302 @@ Please try selecting it individually. <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 - - + Text + 텍스트 + + + + Show Alert + 경고 표시 + + + + Go Live + + + + + Add to Service + 예배 프로그램에 추가 + + + + Add &amp; Go to Service + 예배 프로그램에 추가하고 이동 + + + + No Results + 결과 없음 + + + Options 옵션 - + Service 예배 - + Slides - + 슬라이드 - + Settings 설정 - + Remote - + 원격 - + Stage View - + - + Live View - + RemotePlugin.RemoteTab - + Serve on IP address: - + 제공 IP 주소: - + Port number: - - - - - Server Settings - - - - - Remote URL: - - - - - Stage view URL: - - - - - Display stage time in 12h format - - - - - Android App - - - - - 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. - + Server Settings + 서버 설정 - - User Authentication - + + Remote URL: + 원격 URL: - - User id: - + + Stage view URL: + 스테이지 뷰 URL: + + + + Display stage time in 12h format + 12시간 형식으로 스테이지 시간 표시 + Android App + 안드로이드 앱 + + + + 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 인증서를 찾을 수 없습니다. SSL 인증서를 찾기 전까지 HTTPS 서버를 사용할 수 없습니다. 자세한 정보는 설명서를 참고하십시오. + + + + User Authentication + 사용자 인증 + + + + User id: + 사용자 ID: + + + Password: 암호: - + Show thumbnails of non-text slides in remote and stage view. - + 원격 및 스테이지 보기의 비 텍스트 슬라이드 미리 보기 그림을 표시합니다. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + 출력 경로를 선택하지 않았습니다 + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + 보고서 작성 + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -7951,85 +8097,85 @@ Please try selecting it individually. &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 플러그인</strong><br />이 플러그인은 예배 프로그램의 곡 재생 상태를 추적합니다. + + + + SongUsage + name singular + SongUsage SongUsage - name singular - - - - - SongUsage name plural - + SongUsage - + SongUsage container title - + SongUsage - + Song Usage - + 곡 재생 기록 - + Song usage tracking is active. - + 곡 재생 기록 추적을 활성화했습니다. - + Song usage tracking is inactive. - + 곡 재생 기록 추적을 비활성화했습니다. - + display - + - + printed - + @@ -8037,33 +8183,34 @@ Please try selecting it individually. 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. - + 요청한 모든 데이터 삭제에 성공했습니다. @@ -8071,12 +8218,12 @@ All data recorded before this date will be permanently deleted. Song Usage Extraction - + 곡 재생 기록 추출 Select Date Range - + 날짜 범위를 선택하십시오 @@ -8086,50 +8233,50 @@ All data recorded before this date will be permanently deleted. 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 - + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8137,135 +8284,138 @@ Please select an existing path on your computer. &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) + 아라비아어(CP-1256) - Arabic (CP-1256) - + Baltic (CP-1257) + 발트해 언어(CP-1257) - Baltic (CP-1257) - + Central European (CP-1250) + 중앙 유럽어(CP-1250) - Central European (CP-1250) - + Cyrillic (CP-1251) + 키릴어(CP-1251) - Cyrillic (CP-1251) - + Greek (CP-1253) + 그리스어(CP-1253) - Greek (CP-1253) - + Hebrew (CP-1255) + 히브리어(CP-1255) - Hebrew (CP-1255) - + Japanese (CP-932) + 일본어(CP-932) - Japanese (CP-932) - + Korean (CP-949) + 한국어(CP-949) - Korean (CP-949) - + Simplified Chinese (CP-936) + 중국어 간체(CP-936) - Simplified Chinese (CP-936) - + Thai (CP-874) + 타이어(CP-874) - Thai (CP-874) - + Traditional Chinese (CP-950) + 중국어 번체(CP-950) - Traditional Chinese (CP-950) - + Turkish (CP-1254) + 터키어(CP-1254) - Turkish (CP-1254) - + Vietnam (CP-1258) + 베트남어(CP-1258) - Vietnam (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 @@ -8273,63 +8423,78 @@ The encoding is responsible for the correct character representation. 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 중복 노래 찾기(&D) - + Find and remove duplicate songs in the song database. 노래 데이터베이스에서 중복 노래를 찾아 제거합니다. + + + Songs + + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8343,13 +8508,13 @@ The encoding is responsible for the correct character representation. Music Author who wrote the music of a song - + Words and Music Author who wrote both lyrics and music of a song - + @@ -8415,61 +8580,66 @@ The encoding is responsible for the correct character representation. 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] - + - + 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. - + + + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + SongsPlugin.EditBibleForm - + Meta Data 메타데이터 - + Custom Book Names 사용자 정의 책 이름 @@ -8534,7 +8704,7 @@ The encoding is responsible for the correct character representation. New &Theme - + 새 테마(&T) @@ -8549,72 +8719,72 @@ The encoding is responsible for the correct character representation. 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. - + 최소한 1절은 입력해야합니다. - + You need to have an author for this song. - + 이 곡의 작사가가 있어야합니다. Linked Audio - + 연결한 오디오 Add &File(s) - + 파일 추가(&F) @@ -8624,117 +8794,131 @@ The encoding is responsible for the correct character representation. 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 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 - - - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - + &Manage Authors, Topics, Songbooks - + Add &to Song - + 곡에 추가(&T) Re&move - + 제거(&M) Authors, Topics && Songbooks - + - + Add Songbook - + 곡집 추가 - + This Songbook does not exist, do you want to add it? - + 이 곡집이 없습니다. 추가하시겠습니까? - + This Songbook is already in the list. - + 이 곡집이 이미 목록에 있습니다. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + 유효한 곡집을 선택하지 않았습니다. 목록에서 곡집을 선택하거나, 새 곡집 이름을 입력한 후 "곡에 추가" 단추를 눌러 새 곡집을 추가하십시오. + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - - - Edit Verse - - - &Verse type: - + Edit Verse + 가사 절 편집 - - &Insert - + + &Verse type: + 가사 절 형식(&V): + &Insert + 삽입(&I) + + + Split a slide into two by inserting a verse splitter. - + @@ -8742,344 +8926,359 @@ Please enter the verses separated by spaces. Song Export Wizard - - - - - Select Songs - + 곡 내보내기 마법사 - Check the songs you want to export. - + Select Songs + 곡 선택 - - Uncheck All - + + Check the songs you want to export. + 내보낼 곡을 표시하십시오. - Check All - + Uncheck 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 - + Check All + 모두 표시 - Select the directory where you want the songs to be saved. - + 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. - + 잘못된 Folipresenter 곡 파일 형식입니다. 가사 절이 없습니다. SongsPlugin.GeneralTab - + Enable search as you type - + 입력과 동시에 검색 활성화 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. 음악을 가져오는 중입니다. - + 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 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. - - - - - OpenLyrics or OpenLP 2 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. + 올바른 PowerSong 1.0 데이터베이스 폴더를 지정해야합니다. + + + + 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 + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + OpenLyrics or OpenLP 2 Exported Song + + + + OpenLP 2 Databases - + - + LyriX Files - + - + LyriX (Exported TXT-files) - + - + VideoPsalm Files - + - + VideoPsalm - + - - The VideoPsalm songbooks are normally located in %s - + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - 오류: %s + File {name} + + + + + Error: {error} + @@ -9092,95 +9291,133 @@ Please enter the verses separated by spaces. 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: - + - + Entire Song - + 전체 노래 - + Maintain the lists of authors, topics and books. - + - + copy For song cloning 복사하기 - + Search Titles... - + 제목 검색 - + Search Entire Song... - + 전체 노래 검색 - + Search Lyrics... 가사 검색... - + Search Authors... - + 작곡자 검색 - - Are you sure you want to delete the "%d" selected song(s)? - - - - + Search Songbooks... - + + + + + Search Topics... + + + + + Copyright + + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. - + + + + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + SongsPlugin.OpenLyricsExport - - Exporting "%s"... - + + Exporting "{title}"... + @@ -9188,7 +9425,7 @@ Please enter the verses separated by spaces. Invalid OpenSong song file. Missing song tag. - + 유효하지 않은 OpenSong 파일. Tag 유실. @@ -9196,32 +9433,40 @@ Please enter the verses separated by spaces. No songs to import. - + 아무 노래도 가져오지 않음. - + Verses not found. Missing "PART" header. - + - No %s files found. - + No {text} files found. + - Invalid %s file. Unexpected byte value. - + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9229,40 +9474,40 @@ Please enter the verses separated by spaces. &Name: - + &Publisher: - + You need to type in a name for the book. - + Songbook Maintenance - + 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 - + + Your song export failed because this error occurred: {error} + @@ -9270,135 +9515,135 @@ Please enter the verses separated by spaces. 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. - + 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9406,12 +9651,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + @@ -9444,69 +9689,64 @@ Please enter the verses separated by spaces. 검색 - - Found %s song(s) - %s곡 찾았습니다. - - - + Logout 로그아웃 - + View 보기 - + Title: 제목: - + Author(s): 작곡자: - + Copyright: 저작권: - + CCLI Number: CCLI 번호 - + 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... - + @@ -9521,7 +9761,7 @@ Please enter the verses separated by spaces. Error Logging In - + @@ -9529,62 +9769,67 @@ Please enter the verses separated by spaces. 로그인 중 문제가 생겼습니다. 사용자명이나 암호가 잘 못 된것 같습니다. - + 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? - + Stop 멈추기 + + + Found {count:d} song(s) + + SongsPlugin.SongsTab Songs Mode - - - - - Display verses on live tool bar - + Update service from song edit - - - - - Import missing songs from service files - + Display songbook in footer - + + + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + - Display "%s" symbol before copyright info - + Display "{symbol}" symbol before copyright info + @@ -9592,53 +9837,53 @@ Please enter the verses separated by spaces. Topic Maintenance - + Topic name: - + You need to type in a topic name. - + SongsPlugin.VerseType - + Verse - + Chorus 후렴 - + Bridge 브리지 - + Pre-Chorus Pre-전주 - + Intro 전주 - + Ending 아웃트로 - + Other 기타 @@ -9646,22 +9891,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - 오류: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9669,35 +9914,35 @@ Please enter the verses separated by spaces. Error reading CSV file. - + + + + + File not valid WorshipAssistant CSV format. + - Line %d: %s - + Line {number:d}: {error} + + + + + Record {count:d} + - Decoding error: %s - - - - - File not valid WorshipAssistant CSV format. - - - - - Record %d - + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. - + @@ -9705,27 +9950,32 @@ Please enter the verses separated by spaces. Error reading CSV file. - + - + File not valid ZionWorx CSV format. - + + + + + Record %d + - Line %d: %s - + Line {number:d}: {error} + - - Decoding error: %s - + + Record {index} + - - Record %d - + + Decoding error: {error} + @@ -9733,42 +9983,963 @@ 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. - + + 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. - + + + + + Review duplicate songs ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Korean + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/lt.ts b/resources/i18n/lt.ts index f0ab69f80..e49bebcfd 100644 --- a/resources/i18n/lt.ts +++ b/resources/i18n/lt.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -40,7 +41,7 @@ Alert Message - Įspėjamasis Pranešimas + Įspėjamasis pranešimas @@ -55,7 +56,7 @@ &Save - Iš&saugoti + Į&rašyti @@ -65,12 +66,12 @@ Display && Cl&ose - Rodyti ir &Uždaryti + Rodyti ir &užverti New Alert - Naujas Įspėjimas + Naujas įspėjimas @@ -80,7 +81,7 @@ No Parameter Found - Parametras Nerastas + Parametras nerastas @@ -92,18 +93,18 @@ Ar vistiek norite tęsti? No Placeholder Found - Vietaženklis Nerastas + Vietaženklis nerastas - The alert text does not contain '<>'. + 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. + 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ą. @@ -120,32 +121,27 @@ Prašome prieš spustelėjant Naujas, įrašyti tekstą. 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: @@ -153,87 +149,77 @@ Prašome prieš spustelėjant Naujas, įrašyti tekstą. BiblesPlugin - + &Bible &Bibliją - + Bible name singular Biblija - + Bibles name plural Biblijos - + Bibles container title Biblijos - + No Book Found - Knyga Nerasta + 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. + Pridėti pasirinktą Bibliją į pamaldų programą. - + <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 - Na&ujinti senesnes Biblijas - - - - Upgrade the Bible databases to the latest format. - Atnaujinti Biblijos duomenų bazes iki paskiausio formato. + <strong>Biblijos papildinys</strong><br />Biblijos papildinys suteikia galimybę pamaldų metu rodyti Biblijos eilutes iš įvairių šaltinių. @@ -731,169 +717,140 @@ Prašome prieš spustelėjant Naujas, įrašyti tekstą. Bible Exists - Biblija Jau Yra + 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ą. + + + Duplicate Book Name + Dublikuoti knygos pavadinimą + - You need to specify a book name for "%s". - Turite nurodyti knygos pavadinimą knygai "%s". + You need to specify a book name for "{text}". + Turite nurodyti knygos pavadinimą knygai "{text}". - The book name "%s" is not correct. + The book name "{name}" 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. + Knygos pavadinimas "{name}" nėra teisingas. Skaičiai gali būti naudojami tik pradžioje, o po jų privalo - sekti vienas ar daugiau neskaitinių simbolių. +sekti vienas ar daugiau neskaitinių simbolių. - - Duplicate Book Name - Dublikuoti Knygos Pavadinimą + + The Book Name "{name}" has been entered more than once. + Knygos pavadinimas "{name}" įvestas daugiau kaip vieną kartą. + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + - - The Book Name "%s" has been entered more than once. - Knygos Pavadinimas "%s" įvestas daugiau kaip vieną kartą. + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error - Šventojo Rašto Nuorodos Klaida + Šventojo Rašto nuorodos klaida - - Web Bible cannot be used - Žiniatinklio Biblija negali būti naudojama + + Web Bible cannot be used in Text Search + Saityno Biblija negali būti naudojama teksto paieškoje - - 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 atliktumėte visų raktažodžių paiešką ir galite atskirti juos kableliais, kad ieškotumėte 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 vieną iš sekančių šablonų arba ieškokite infomacijos vartotojo vadove: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -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ė +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Teksto paieška nėra prieinama su saityno Biblijomis. +Prašome vietoj to, naudoti Šventojo Rašto nuorodos +paiešką. + +Tai reiškia, kad šiuo metu naudojama Biblija +arba antroji Biblija yra įdiegta kaip saityno Biblija. + +Jeigu jūs bandėte atlikti nuorodos paiešką +suderintoje paieškoje, tuomet jūsų nuoroda +yra neteisinga. + + + + Nothing found + Nieko nerasta BiblesPlugin.BiblesTab - + Verse Display - Eilučių Rodymas + Eilučių rodymas - + Only show new chapter numbers Rodyti tik naujo skyriaus numerius - + Bible theme: Biblijos tema: - + No Brackets - Be Skliaustelių + 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 + Rodyti antrosios Biblijos eilutes - + Custom Scripture References - Tinkintos Šventojo Rašto Nuorodos + 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. @@ -902,36 +859,83 @@ Jie turi būti atskirti vertikalia juosta "|". Norėdami naudoti numatytąją reikšmę, išvalykite šią eilutę. - + English Lithuanian - + Default Bible Language - Numatytoji Biblijos Kalba + Numatytoji Biblijos kalba - + Book name language in search field, search results and on display: Knygų pavadinimų kalba paieškos laukelyje, paieškos rezultatuose ir ekrane: - + Bible Language - Biblijos Kalba + Biblijos kalba + + + + Application Language + Progamos kalba + + + + Show verse numbers + Rodyti eilučių numerius - Application Language - Progamos Kalba + Note: Changes do not affect verses in the Service + Pastaba: Pokyčiai nepaveiks pamaldų programoje esančių eilučių. - - Show verse numbers - Rodyti eilučių numerius + + Verse separator: + Eilutės skirtukas: + + + + Range separator: + Atkarpos skirtukas: + + + + List separator: + Sąrašo skirtukas: + + + + End mark: + Pabaigos žymė: + + + + Quick Search Settings + Greitos paieškos nustatymai + + + + Reset search type to "Text or Scripture Reference" on startup + Paleidus programą, atstatyti paieškos tipą į "Tekstas ar Šventojo Rašto nuoroda" + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Nerodyti klaidos, jeigu nieko nerasta paieškoje "Tekstas ar Šventojo Rašto nuoroda" + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Automatiškai atlikti paiešką, renkant tekstą (Dėl našumo priežasčių, +teksto paieškoje privalo būti mažiausiai {count} simboliai ir tarpas) @@ -939,7 +943,7 @@ paieškos rezultatuose ir ekrane: Select Book Name - Pasirinkite Knygos Pavadinimą + Pasirinkite knygos pavadinimą @@ -954,7 +958,7 @@ paieškos rezultatuose ir ekrane: Show Books From - Rodyti Knygas Iš + Rodyti knygas iš @@ -988,70 +992,71 @@ paieškos rezultatuose ir ekrane: BiblesPlugin.CSVBible - - Importing books... %s - Importuojamos knygos... %s + + Importing books... {book} + Importuojamos knygos... {book} - - Importing verses... done. - Importuojamos eilutės... atlikta. + + Importing verses from {book}... + Importing verses from <book name>... + Importuojamos eilutės iš {book}... BiblesPlugin.EditBibleForm - + Bible Editor - Biblijos Redaktorius + Biblijos redaktorius - + License Details - Išsamiau apie Licenciją + Išsamiau apie licenciją - + Version name: Versijos pavadinimas: - + Copyright: - Autorių Teisės: + Autorių teisės: - + Permissions: Leidimai: - + Default Bible Language - Numatytoji Biblijos Kalba + Numatytoji Biblijos kalba - + Book name language in search field, search results and on display: Knygų pavadinimų kalba paieškos laukelyje, paieškos rezultatuose ir ekrane: - + Global Settings - Globalūs Nustatymai + Globalūs nustatymai - + Bible Language - Biblijos Kalba - - - - Application Language - Progamos Kalba + Biblijos kalba + Application Language + Progamos kalba + + + English Lithuanian @@ -1059,243 +1064,278 @@ paieškos rezultatuose ir ekrane: This is a Web Download Bible. It is not possible to customize the Book Names. - Tai yra per Žiniatinklį Atsiųsta Biblija. -Neįmanoma nustatyti pasirinktinus Knygų Pavadinimus. + Tai yra per saityną atsiųsta Biblija. +Neįmanoma nustatyti pasirinktinus knygų pavadinimus. 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". + Norint naudoti pasirinktinus knygų pavadinimus, Metaduomenų 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... + Registruojama kalba... - - Importing %s... - Importing <book name>... - Importuojama %s... - - - + Download Error - Atsisiuntimo Klaida + 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 + 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ą. + + + Importing {book}... + Importing <book name>... + Importuojama {book}... + BiblesPlugin.ImportWizardForm - + Bible Import Wizard - Biblijos Importavimo Vedlys + Biblijos importavimo vediklis - + 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. + Šis vediklis 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į + Atsiuntimas per saityną - + Location: Vieta: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Biblija: - + Download Options - Atsisiuntimo Parinktys + Atsisiuntimo parinktys - + Server: Serveris: - + Username: Naudotojo vardas: - + Password: Slaptažodis: - + Proxy Server (Optional) - Įgaliotasis Serveris (Nebūtina) + Įgaliotasis serveris (Nebūtina) - + License Details - Išsamiau apie Licenciją + Išsamiau apie licenciją - + Set up the Bible's license details. - Nustatykite Biblijos licencijos detales. + Nustatykite išsamesnę Biblijos licencijos informaciją. - + Version name: Versijos pavadinimas: - + Copyright: - Autorių Teisės: + Autorių 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 autorių teises. Biblijos Viešojoje Srityje turi būti pažymėtos kaip tokios. - + Bible Exists - Biblija Jau Yra + 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 + 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 Spustelėkite, norėdami atsisiųsti Biblijų sąrašą - + Download bible list Atsisiųsti Biblijų sąrašą - + 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. + + + Bibles: + Biblijos: + + + + SWORD data folder: + SWORD duomenų aplankas: + + + + SWORD zip-file: + SWORD zip-failas: + + + + Defaults to the standard SWORD data folder + Atstato standartinį SWORD duomenų aplanką + + + + Import from folder + Importuoti iš aplanko + + + + Import from Zip-file + Importuoti iš Zip-failo + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Norint importuoti SWORD Biblijas, privalo būti įdiegtas pysword python modulis. Prašome skaityti naudotojo vadovą, kad sužinotumėte instrukcijas. + BiblesPlugin.LanguageDialog Select Language - Pasirinkite Kalbą + Pasirinkite kalbą @@ -1319,292 +1359,161 @@ Neįmanoma nustatyti pasirinktinus Knygų Pavadinimus. BiblesPlugin.MediaItem - - Quick - Greita - - - + Find: Rasti: - + Book: Knyga: - + Chapter: Skyrius: - + Verse: Eilutė: - + From: Nuo: - + To: Iki: - + Text Search - Ieškoti Teksto + Ieškoti teksto - + Second: - Antra: + Antroji: - + Scripture Reference - Šventojo Rašto Nuoroda + Šventojo Rašto nuoroda - + Toggle to keep or clear the previous results. Perjunkite, kad išlaikytumėte ar išvalytumėte 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... + Šventojo Rašto nuorodos paieška... + + + + Search Text... + Ieškoti tekste... + + + + Search + Paieška + + + + Select + Pasirinkti - Search Text... - Ieškoti Tekste... + Clear the search results. + Išvalyti paieškos rezultatus. - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Text or Reference + Tekstas ar nuoroda + + + + Text or Reference... + Tekstas ar nuoroda... + + + + Are you sure you want to completely delete "{bible}" 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? + Ar tikrai norite pilnai ištrinti "{bible}" Bibliją iš OpenLP? Norint vėl ja naudotis, jums reikės iš naujo ją importuoti. - - Advanced - Išplėstinė - - - - 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... + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + Antrojoje Biblijoje nėra visų eilučių, kurios yra pagrindinėje Biblijoje. +Bus rodomos tik eilutės rastos abiejose Biblijose. + +{count:d} eilučių nebuvo įtraukta į rezultatus. 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... + + Importing {book} {chapter}... + Importuojama {book} {chapter}... - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Pasirinkite Atsarginės Kopijos Katalogą + + Importing {name}... + Importuojama {name}... + + + BiblesPlugin.SwordImport - - 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 - Nėra reikalo daryti atsarginę mano Biblijų kopiją - - - - 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 - 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. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + Importuojant SWORD Bibliją, įvyko netikėta klaida, prašome pranešti apie šią klaidą OpenLP kūrėjams. +{error} 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. @@ -1612,9 +1521,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importuojama %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importuojama {book} {chapter}... @@ -1623,19 +1532,19 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Custom Slide name singular - Tinkinta Skaidrė + Tinkinta skaidrė Custom Slides name plural - Tinkintos Skaidrės + Tinkintos skaidrės Custom Slides container title - Tinkintos Skaidrės + Tinkintos skaidrės @@ -1675,12 +1584,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected custom slide to the service. - Pridėti pasirinktą tinkintą skaidrę prie pamaldų programos. + Pridėti pasirinktą tinkintą skaidrę į pamaldų programą. <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. + <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. @@ -1688,7 +1597,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Custom Display - Tinkintas Rodinys + Tinkintas rodinys @@ -1706,7 +1615,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit Custom Slides - Redaguoti Tinkintas Skaidres + Redaguoti tinkintas skaidres @@ -1729,7 +1638,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Redaguoti visas skaidres iš karto. - + Split a slide into two by inserting a slide splitter. Padalinti skaidrę į dvi, įterpiant skaidrės skirtuką. @@ -1744,22 +1653,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Padėkos: - + You need to type in a title. Turite įrašyti pavadinimą. Ed&it All - Re&daguoti Visą + Re&daguoti visą - + Insert Slide - Įterpti Skaidrę + Įterpti skaidrę - + You need to add at least one slide. Jūs turite pridėti bent vieną skaidrę. @@ -1767,17 +1676,17 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide - Redaguoti Skaidrę + Redaguoti skaidrę CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Ar tikrai norite ištrinti "{items:d}" pasirinktą tinkintą skaidrę(-es)? @@ -1785,7 +1694,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I <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. + <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. @@ -1805,11 +1714,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Paveikslai - - - Load a new image. - Įkelti naują paveikslą. - Add a new image. @@ -1838,7 +1742,17 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. - Pridėti pasirinktą paveikslą prie pamaldų programos. + Pridėti pasirinktą paveikslą į pamaldų programą. + + + + Add new image(s). + Pridėti naują paveikslą(-us). + + + + Add new image(s) + Pridėti naują paveikslą(-us) @@ -1864,12 +1778,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. @@ -1879,7 +1793,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Select Image Group - Pasirinkite Paveikslų Grupę + Pasirinkite paveikslų grupę @@ -1905,47 +1819,30 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment - Pasirinkti Priedą + Pasirinkti priedą ImagePlugin.MediaItem - + Select Image(s) - Pasirinkite Paveikslą(-us) + 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(-ų) + 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. Nebuvo rodymo elementų, kuriuos galima buvo pridėti. @@ -1955,25 +1852,42 @@ Ar vistiek norite pridėti kitus paveikslus? -- 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? + + Are you sure you want to remove "{name}" and everything in it? + Ar tikrai norite šalinti "{name}" ir viską kas joje yra? + + + + The following image(s) no longer exist: {names} + Šio paveikslo(-ų) daugiau nebėra: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + Šio paveikslo(-ų) daugiau nebėra: {names} +Ar vis tiek norite pridėti kitus paveikslus? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Atsirado problemų keičiant jūsų foną, paveikslo failo "{name}" daugiau nebėra. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Matomas, paveikslų su kitokia nei ekrano proporcija, fonas. @@ -1981,90 +1895,90 @@ Ar vistiek norite pridėti kitus paveikslus? Media.player - + Audio - Garso Įrašai + Garso įrašai - + Video - Vaizdo Įrašai + 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. - + This media player uses your operating system to provide media capabilities. - + Šis medija grotuvas naudoja jūsų operacinę sistemą, kad pateiktų medija galimybes. 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ą. + <strong>Medija papildinys</strong><br />Medija papildinys atsako už garso ir vaizdo įrašų atkūrimą. - + 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. + Pridėti pasirinktą mediją į pamaldų programą. @@ -2072,7 +1986,7 @@ Ar vistiek norite pridėti kitus paveikslus? Select Media Clip - Pasirinkti Medija Iškarpą + Pasirinkti medija iškarpą @@ -2097,7 +2011,7 @@ Ar vistiek norite pridėti kitus paveikslus? Track Details - Išsamiau apie Takelį + Išsamiau apie takelį @@ -2122,7 +2036,7 @@ Ar vistiek norite pridėti kitus paveikslus? Clip Range - Iškarpos Rėžis + Iškarpos rėžis @@ -2178,47 +2092,47 @@ Ar vistiek norite pridėti kitus paveikslus? 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 Nustatyti medija iškarpos pavadinimą - + Name of mediaclip: Medija iškarpos pavadinimas: - + Enter a valid name or cancel Įveskite teisingą pavadinimą arba atšaukite - + Invalid character Netesingas simbolis - + The name of the mediaclip must not contain the character ":" Medija iškarpos pavadinime negali būti simbolio ":" @@ -2226,89 +2140,99 @@ Ar vistiek norite pridėti kitus paveikslus? MediaPlugin.MediaItem - + Select Media - Pasirinkite Mediją + 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. - Įvyko problema, keičiant jūsų foną, medijos failo "%s" nebėra. - - - + Missing Media File - Trūksta Medija Failo + 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. Nebuvo rodymo elementų, kuriuos galima buvo pridėti. - + Unsupported File - Nepalaikomas Failas + Nepalaikomas failas - + Use Player: - Naudoti Grotuvą: + 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 - Medijos iškarpa jau išsaugota + Medijos iškarpa jau įrašyta - + This mediaclip has already been saved - Ši medijos iškarpa jau yra išsaugota + Ši medijos iškarpa jau yra įrašyta + + + + File %s not supported using player %s + Failas %s yra nepalaikomas, naudojant grotuvą %s + + + + Unsupported Media File + Nepalaikomas medija failas + + + + CD/DVD playback is only supported if VLC is installed and enabled. + CD/DVD atkūrimas yra palaikomas tik tuomet, jeigu VLC yra įdiegta ir įjungta. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Atsirado problemų keičiant jūsų foną, medijos failo "{name}" nebėra. + + + + The optical disc {name} is no longer available. + Optinis diskas {name} daugiau nebeprieinamas. + + + + The file {name} no longer exists. + Failo {name} daugiau nebėra. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Vaizdo įrašai ({video});;Garso įrašai ({audio});;{files} (*) @@ -2320,94 +2244,93 @@ Ar vistiek norite pridėti kitus paveikslus? - Start Live items automatically - Automatiškai paleisti Gyvai rodomus elementus - - - - OPenLP.MainWindow - - - &Projector Manager - &Projektorių Tvarkytuvė + Start new Live media automatically + Automatiškai paleisti naują Gyvai rodomą mediją OpenLP - + Image Files - Paveikslų Failai + 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 + 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 + Atverti - - Open - Atidaryti + + Video Files + Vaizdo įrašų failai + + + + Data Directory Error + Duomenų katalogo klaida + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + OpenLP.AboutForm - + Credits Padėkos - + License Licencija - - build %s - versija %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 laisva 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. @@ -2415,7 +2338,7 @@ OpenLP is free church presentation software, or lyrics projection software, used 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 <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ų. @@ -2424,174 +2347,157 @@ 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 Projekto vadovas - + Developers Kūrėjai - + Contributors Talkininkai - + Packagers Pakuotojai - + Testers Testuotojai - + Translators Vertėjai - + Afrikaans (af) - + Afrikanų (af) - + Czech (cs) Čekų (cs) - + Danish (da) Danų (da) - + German (de) Vokiečių (de) - + Greek (el) Graikų (el) - + English, United Kingdom (en_GB) Anglų, Jungtinė Karalystė (en_GB) - + English, South Africa (en_ZA) Anglų, Pietų Afrika (en_ZA) - + Spanish (es) Ispanų (es) - + Estonian (et) Estų (et) - + Finnish (fi) Suomių (fi) - + French (fr) Prancūzų (fr) - + Hungarian (hu) Vengrų (hu) - + Indonesian (id) - + Indoneziečių (id) - + Japanese (ja) Japonų (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norvegų Bokmål (nb) - + Dutch (nl) Olandų (nl) - + Polish (pl) Lenkų (pl) - + Portuguese, Brazil (pt_BR) Portugalų, Brazilija (pt_BR) - + Russian (ru) Rusų (ru) - + Swedish (sv) Švedų (sv) - + Tamil(Sri-Lanka) (ta_LK) - + Tamilų(Šri-Lanka) (ta_LK) - + Chinese(China) (zh_CN) Kinų(Kinija) (zh_CN) - + Documentation Dokumentacija - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Sukurta su - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen piktogramos: 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 @@ -2603,346 +2509,412 @@ OpenLP yra savanorių sukurta ir palaikoma programa. Jeigu jūs norėtumėte mat on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + 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 paskutinė, bet ne ką mažesnė padėka, + yra skiriama Dievui, mūsų Tėvui už tai, kad + Jis atsiuntė savo Sūnų numirti ant kryžiaus + ir taip išlaisvinti mus iš nuodėmės. Mes + pateikiame jums šią programinę įrangą + nemokamai, nes Jis mus išlaisvino. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Autorių Teisės © 2004-2016 %s -Autorių Teisių dalys © 2004-2016 %s + + build {version} + darinys {version} + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings - Vartotojo Sąsajos Nustatymai - - - - Number of recent files to display: - Rodomų paskiausių failų skaičius: + Naudotojo sąsajos nustatymai - 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 + 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ą + Atverti 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 + Išplėstiniai - Browse for an image file to display. - Naršyti, ieškant rodymui skirto paveikslų failo. + Default Service Name + Numatytasis pamaldų pavadinimas - 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: + 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. + Išsamesnės informacijos kaip naudoti, ieškokite OpenLP naudotojo vadove. - - Revert to the default service name "%s". - Atkurti numatytąjį pamaldų pavadinimą "%s". - - - + Example: Pavyzdys: - + Bypass X11 Window Manager - Apeiti X11 Langų Tvarkytuvę + Apeiti X11 langų tvarkytuvę - + Syntax error. Sintaksės klaida. - + Data Location - Duomenų Vieta + 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ą + Pasirinkite duomenų katalogo vietą - + Confirm Data Directory Change - Patvirtinkite Duomenų Katalogo Pakeitimą + Patvirtinkite duomenų katalogo pakeitimą - + Reset Data Directory - Atkurti Duomenų Katalogą + Atkurti duomenų katalogą - + Overwrite Existing Data - Pakeisti Esamus Duomenis + 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 + Rodyti apėjimus - + Use alternating row colours in lists Sąrašuose naudoti kintamąsias eilučių spalvas - + + 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. + + + + 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žverta. + + + + Max height for non-text slides +in slide controller: + Didžiausias netekstinių skaidrių +aukštis skaidrių valdiklyje: + + + + Disabled + Išjungta + + + + When changing slides: + Keičiant skaidres: + + + + Do not auto-scroll + Neslinkti automatiškai + + + + Auto-scroll the previous slide into view + Automatiškai slinkti ankstesnę skaidrę į rodinį + + + + Auto-scroll the previous slide to top + Automatiškai slinkti ankstesnę skaidrę į viršų + + + + Auto-scroll the previous slide to middle + Automatiškai slinkti ankstesnę skaidrę į vidurį + + + + Auto-scroll the current slide into view + Automatiškai slinkti esamą skaidrę į rodinį + + + + Auto-scroll the current slide to top + Automatiškai slinkti esamą skaidrę į viršų + + + + Auto-scroll the current slide to middle + Automatiškai slinkti esamą skaidrę į vidurį + + + + Auto-scroll the current slide to bottom + Automatiškai slinkti esamą skaidrę į apačią + + + + Auto-scroll the next slide into view + Automatiškai slinkti kitą skaidrę į rodinį + + + + Auto-scroll the next slide to top + Automatiškai slinkti kitą skaidrę į viršų + + + + Auto-scroll the next slide to middle + Automatiškai slinkti kitą skaidrę į vidurį + + + + Auto-scroll the next slide to bottom + Automatiškai slinkti kitą skaidrę į apačią + + + + Number of recent service files to display: + Rodomų, paskiausiai naudotų pamaldų programų failų skaičius: + + + + Open the last used Library tab on startup + Paleidus programą, atverti paskutinę naudotą bibliotekos kortelę + + + + Double-click to send items straight to Live + Dvikartis spustelėjimas pradeda rodyti elementus Gyvai + + + + Preview items when clicked in Library + Peržiūrėti elementus, kai ant jų spustelėjama bibliotekoje + + + + Preview items when clicked in Service + Peržiūrėti elementus, kai ant jų spustelėjama Pamaldų programoje + + + + Automatic + Automatiškai + + + + Revert to the default service name "{name}". + Atkurti numatytąjį pamaldų pavadinimą "{name}". + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + Ar tikrai norite pakeisti OpenLP duomenų katalogo vietą į: + +{path} + +Duomenų katalogas bus pakeistas, uždarius OpenLP. + + + WARNING: The location you have selected -%s +{path} 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 +{path} 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. - - - - 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.ColorButton - + Click to select a color. Spustelėkite, norėdami pasirinkti spalvą. @@ -2950,252 +2922,252 @@ This location will be used after OpenLP is closed. OpenLP.DB - + RGB RGB - + Video - Vaizdo Įrašai + 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 @@ -3203,79 +3175,92 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred - Įvyko Klaida + Įvyko klaida - + Send E-Mail - Siųsti El. laišką + Siųsti el. laišką - + Save to File - Išsaugoti į Failą + Įrašyti į failą - + Attach File - Prisegti Failą - - - - Description characters to enter : %s - Įvesti aprašo simbolių : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Prašome įvesti aprašą ką darėte, kas privertė atsirasti šią klaidą. Jei įmanoma, rašykite anglų kalba. -(Mažiausiai 20 simbolių) + Prisegti failą - 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. Also attach any files that triggered the problem. - 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. Taip pat pridėkite failus, kurie galėjo sukelti problemą. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Prašome aprašyti ką bandėte padaryti.</strong> &nbsp;Jei įmanoma, rašykite anglų kalba. + + + + <strong>Thank you for your description!</strong> + <strong>Dėkojame už jūsų aprašą!</strong> + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Papasakokite, ką darėte, kai tai nutiko.</strong> + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platforma: %s - - - - + Save Crash Report - Išsaugoti Strigties Ataskaitą + Įrašyti strigties ataskaitą - + Text files (*.txt *.log *.text) Tekstiniai failai (*.txt *.log *.text) + + + Platform: {platform} + + Platforma: {platform} + + OpenLP.FileRenameForm File Rename - Pervadinti Failą + Pervadinti failą New File Name: - Naujas Failo Pavadinimas: + Naujas failo pavadinimas: File Copy - Kopijuoti Failą + Kopijuoti failą @@ -3283,7 +3268,7 @@ This location will be used after OpenLP is closed. Select Translation - Pasirinkite Vertimą + Pasirinkite vertimą @@ -3299,275 +3284,270 @@ This location will be used after OpenLP is closed. OpenLP.FirstTimeWizard - + Songs Giesmės - + First Time Wizard - Pirmojo Karto Vedlys + Pirmojo karto vediklis - + Welcome to the First Time Wizard - Sveiki Atvykę į Pirmojo Karto Vedlį + Sveiki atvykę į pirmojo karto vediklį - - 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 + Numatytieji nustatymai - - Downloading %s... - Atsiunčiama %s... - - - + Enabling selected plugins... Įjungiami pasirinkti papildiniai... - + No Internet Connection - Nėra Interneto Ryšio + Nėra interneto ryšio - + Unable to detect an Internet connection. Nepavyko aptikti interneto ryšio. - + Sample Songs - Pavyzdinės Giesmės + 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 + 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 + 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. + Prašome palaukti, kol OpenLP bus nustatyta ir jūsų duomenys atsiųsti. - + Setting Up Nustatoma - - 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 + 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. + Atsiuntimo metu įvyko ryšio klaida, tolimesni atsiuntimai bus praleisti. Pabandykite iš naujo paleisti pirmojo karto vediklį 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į. + Atsiuntimo metu atsirado ryšio problemų, todėl tolimesni atsiuntimai bus praleisti. Vėliau pabandykite iš naujo paleisti pirmojo karto vediklį. - - 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 + 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 + 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 + 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ų + + + Select parts of the program you wish to use + Pasirinkite programos dalis, kurias norėtumėte naudoti + + + + You can also change these settings after the Wizard. + Po vediklio, taip pat galėsite keisti šiuos nustatymus. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Tinkintos skaidrės – Lengviau tvarkomos nei giesmės ir turi savo atskirą skaidrių sąrašą + + + + Bibles – Import and show Bibles + Biblijos – Importuoti ir rodyti Biblijas + + + + Images – Show images or replace background with them + Paveikslai – rodyti paveikslus arba pakeisti jais foną + + + + Presentations – Show .ppt, .odp and .pdf files + Pateiktys – Rodyti .ppt, .odp ir .pdf failus + + + + Media – Playback of Audio and Video files + Medija – Garso ir vaizdo failų atkūrimas + + + + Remote – Control OpenLP via browser or smartphone app + Nuotolinė prieiga – Valdyti OpenLP per naršyklę ar išmaniojo telefono programėlę + + + + Song Usage Monitor + Giesmių naudojimo prižiūryklė + + + + Alerts – Display informative messages while showing other slides + Įspėjimai – Rodyti informacinius pranešimus, tuo pačiu metu rodant kitas skaidres + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projektoriai – Valdyti jūsų tinkle esančius PJLink suderinamus projektorius per OpenLP + + + + Downloading {name}... + Atsiunčiama {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Atsiuntimas užbaigtas. Spustelėkite mygtuką {button}, kad grįžtumėte į OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Atsiuntimas užbaigtas. Spustelėkite mygtuką {button}, kad paleistumėte OpenLP. + + + + Click the {button} button to return to OpenLP. + Spustelėkite mygtuką {button}, kad grįžtumėte į OpenLP. + + + + Click the {button} button to start OpenLP. + Spustelėkite mygtuką {button}, kad paleistumėte OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + Šis vediklis padės jums sukonfigūruoti OpenLP pradiniam naudojimui. Tam, kad pradėtumėte, spustelėkite apačioje esantį mygtuką {button}. + + + + 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 {button} 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 vediklis reikalauja interneto ryšio, kad galėtų atsiųsti pavyzdines giesmes, Biblijas ir temas. Spustelėkite mygtuką {button} dabar, kad paleistumėte OpenLP su pradiniais nustatymais ir be jokių pavyzdinių duomenų. + +Norėdami iš naujo paleisti Pirmojo karto vediklį ir importuoti šiuos pavyzdinius duomenis vėliau, patikrinkite savo interneto ryšį ir iš naujo paleiskite šį vediklį, pasirinkdami programoje OpenLP "Įrankiai/Iš naujo paleisti pirmojo karto vediklį". + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +Tam, kad visiškai atšauktumėte pirmojo karto vediklį (ir nepaleistumėte OpenLP), spustelėkite dabar mygtuką {button}. + OpenLP.FormattingTagDialog Configure Formatting Tags - Konfigūruoti Formatavimo Žymes + Konfigūruoti formatavimo žymes @@ -3592,55 +3572,60 @@ Kad visiškai atšauktumėte Pirmojo Karto Vedlį (ir nepaleistumėte OpenLP), s Default Formatting - Numatytasis Formatavimas + Numatytasis formatavimas Custom Formatting - Pasirinktinis Formatavimas + Pasirinktinis formatavimas OpenLP.FormattingTagForm - + <HTML here> <HTML čia> - + Validation Error - Tikrinimo Klaida + 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. + Tag {tag} already defined. + Žymė {tag} jau yra apibrėžta. - Description %s already defined. - Aprašas %s jau yra apibrėžtas. + Description {tag} already defined. + Aprašas {tag} jau yra apibrėžtas. - - Start tag %s is not valid HTML - Pradžios žymė %s nėra teisingas HTML + + Start tag {tag} is not valid HTML + Pradžios žymė {tag} nėra teisingas HTML - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + Pabaigos žymė {end} neatitinka, pradžios žymės {start}, pabaigos žymę + + + + New Tag {row:d} + Nauja žymė {row:d} @@ -3729,170 +3714,200 @@ Kad visiškai atšauktumėte Pirmojo Karto Vedlį (ir nepaleistumėte OpenLP), s 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 + 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ą + Rodyti prisistatymo langą - + Application Settings - Programos Nustatymai + Programos nustatymai - + Prompt to save before starting a new service - Raginti išsaugoti, prieš pradedant naują pamaldų programą + Raginti įrašyti, prieš pradedant naują pamaldų programą - - Automatically preview next item in service - Automatiškai peržiūrėti kitą pamaldų programos elementą - - - + sec - sek + sek. - + CCLI Details - CCLI Detalės + Išsamesnė CCLI informacija - + SongSelect username: SongSelect naudotojo 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 + Fono garsas - + Start background audio paused Pradėti, pristabdžius fono garso įrašą - + Service Item Slide Limits - Pamaldų Programos Elemento Skaidrės Ribos + 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 + &Pasilikti skaidrėje - + &Wrap around P&rasukinėti skaidres - + &Move to next/previous service item P&ereiti prie kito/ankstesnio pamaldų programos elemento + + + Logo + Logotipas + + + + Logo file: + Logotipo failas: + + + + 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ą. + + + + Don't show logo on startup + Nerodyti logotipo, paleidžiant programą + + + + Automatically open the previous service file + Automatiškai atverti ankstesnį pamaldų programos failą + + + + Unblank display when changing slide in Live + Atidengti ekraną, kai rodyme Gyvai keičiama skaidrė + + + + Unblank display when sending items to Live + Atidengti ekraną, kai į rodymą Gyvai siunčiami elementai + + + + Automatically preview the next item in service + Automatiškai peržiūrėti kitą pamaldų programos elementą + OpenLP.LanguageManager - + Language Kalba - + Please restart OpenLP to use your new language setting. Norėdami naudotis naujais kalbos nustatymais, paleiskite OpenLP iš naujo. @@ -3900,469 +3915,266 @@ Kad visiškai atšauktumėte Pirmojo Karto Vedlį (ir nepaleistumėte OpenLP), s OpenLP.MainDisplay - + OpenLP Display - OpenLP Ekranas + OpenLP ekranas 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ė + + Open an existing service. + Atverti esamą pamaldų programą. + + + + Save the current service to disk. + Įrašyti dabartinę pamaldų programą į diską. + + + + Save Service As + Įrašyti pamaldų programą kaip + + + + Save the current service under a new name. + Įrašyti dabartinę pamaldų programą nauju pavadinimu. - Theme Manager - Temų Tvarkytuvė - - - - Open an existing service. - Atidaryti esamą pamaldų programą. - - - - Save the current service to disk. - Išsaugoti dabartinę pamaldų programą į diską. - - - - 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ą. - - - - List the Plugins - Išvardinti Papildinius - - - - &User Guide - &Naudotojo Vadovas - - - + &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į... + 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 versija atnaujinta - + OpenLP Main Display Blanked - OpenLP Pagrindinis Ekranas Uždengtas + OpenLP pagrindinis ekranas uždengtas - + The Main Display has been blanked out - Pagrindinis Ekranas buvo uždengtas + Pagrindinis ekranas buvo uždengtas - - Default Theme: %s - Numatytoji Tema: %s - - - + English Please add the name of your language here Lithuanian - + Configure &Shortcuts... - Konfigūruoti &Sparčiuosius Klavišus... + Konfigūruoti &sparčiuosius klavišus... - + Open &Data Folder... - Atidaryti &Duomenų Aplanką.... + Atverti &duomenų aplanką.... - + Open the folder where songs, bibles and other data resides. - Atidaryti aplanką, kuriame yra giesmės, Biblijos bei kiti duomenys. + Atverti aplanką, kuriame yra giesmės, Biblijos bei kiti duomenys. - + &Autodetect &Aptikti automatiškai - + Update Theme Images - Atnaujinti Temos Paveikslus + 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ą. - - 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į + Iš naujo paleisti pirmojo karto vediklį - + Re-run the First Time Wizard, importing songs, Bibles and themes. - Iš naujo paleisti Pirmojo Karto Vedlį, giesmių, Biblijų ir temų importavimui. + Iš naujo paleisti pirmojo karto vediklį, giesmių, Biblijų ir temų importavimui. - + Re-run First Time Wizard? - Paleisti Pirmojo Karto Vedlį iš naujo? + Paleisti pirmojo karto vediklį 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? + Ar tikrai norite paleisti pirmojo karto vediklį 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ą. +Šio vediklio 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šą + Išvalyti sąrašą - + Clear the list of recent files. - Išvalyti paskiausių failų sąrašą. + Išvalyti paskiausiai naudotų failų sąrašą. - + Configure &Formatting Tags... - Konfigūruoti &Formatavimo Žymes + 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. + OpenLP dabar bus užverta. Importuoti nustatymai bus pritaikyti kitą kartą, paleidus OpenLP. - + Export Settings File - Eksportuoti Nustatymų Failą + Eksportuoti nustatymų failą - - OpenLP Export Settings File (*.conf) - OpenLP Eksportuotas Nustatymų Failas (*.conf) - - - + New Data Directory Error - Naujo Duomenų Katalogo Klaida + 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. @@ -4375,7 +4187,7 @@ Nustatymų importavimas padarys pastovius pakeitimus jūsų dabartinei OpenLP ko 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. @@ -4384,191 +4196,379 @@ Processing has terminated and no changes have been made. 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 Nustatymų eksportavimo klaida - - The key "%s" does not have a default value so it will be skipped in this export. - Raktas "%s" neturi numatytosios reikšmės, todėl šiame eksportavime jis bus praleistas. + + &Recent Services + Paskiausiai naudotos pamaldų p&rogramos - - An error occurred while exporting the settings: %s - Eksportuojant nustatymus įvyko klaida: %s + + &New Service + &Nauja pamaldų programa + + + + &Open Service + Atverti pamaldų pr&ogramą - &Recent Services - - - - - &New Service - - - - - &Open Service - - - - &Save Service - + Į&rašyti pamaldų programą - + Save Service &As... - + Įraš&yti pamaldų programą kaip... - + &Manage Plugins &Tvarkyti papildinius - + Exit OpenLP Išeiti iš OpenLP - + Are you sure you want to exit OpenLP? Ar tikrai norite išeiti iš OpenLP? - + &Exit OpenLP Iš&eiti iš OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Dabar yra prieinama atsisiųsti OpenLP {new} versija (šiuo metu jūs naudojate {current} versiją). + +Jūs galite atsisiųsti naujausią versiją iš http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + Raktas "{key}" neturi numatytosios reikšmės, todėl šiame eksportavime jis bus praleistas. + + + + An error occurred while exporting the settings: {err} + Eksportuojant nustatymus, įvyko klaida: {err} + + + + Default Theme: {theme} + Numatytoji tema: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + OpenLP duomenys kopijuojami į naują duomenų katalogo vietą - {path} - Prašome palaukti, kol bus užbaigtas kopijavimas + + + + OpenLP Data directory copy failed + +{err} + OpenLP duomenų katalogo kopijavimas nepavyko + +{err} + + + + &Layout Presets + Iša&nkstinės išdėstymo parinktys + + + + Service + Pamaldų programa + + + + Themes + Temos + + + + Projectors + Projektoriai + + + + Close OpenLP - Shut down the program. + Užverti OpenLP - Išjungti programą. + + + + Export settings to a *.config file. + Eksportuoti nustatymus į *.config failą. + + + + Import settings from a *.config file previously exported from this or another machine. + Importuoti nustatymus iš *.config failo, kuris anksčiau buvo eksportuotas šiame ar kitame kompiuteryje. + + + + &Projectors + &Projektoriai + + + + Hide or show Projectors. + Slėpti ar rodyti projektorius. + + + + Toggle visibility of the Projectors. + Perjungti projektorių matomumą + + + + L&ibrary + B&iblioteka + + + + Hide or show the Library. + Slėpti ar rodyti biblioteką. + + + + Toggle the visibility of the Library. + Perjungti bibliotekos matomumą. + + + + &Themes + &Temos + + + + Hide or show themes + Slėpti ar rodyti temas + + + + Toggle visibility of the Themes. + Perjungti temų matomumą. + + + + &Service + &Pamaldų programa + + + + Hide or show Service. + Slėpti ar rodyti pamaldų programą. + + + + Toggle visibility of the Service. + Perjungti pamaldų programos matomumą. + + + + &Preview + &Peržiūra + + + + Hide or show Preview. + Slėpti ar rodyti peržiūrą. + + + + Toggle visibility of the Preview. + Perjungti peržiūros matomumą. + + + + Li&ve + Gy&vai + + + + Hide or show Live + Slėpti ar rodyti rodinį Gyvai + + + + L&ock visibility of the panels + Užr&akinti skydelių matomumą + + + + Lock visibility of the panels. + Užrakinti skydelių matomumą. + + + + Toggle visibility of the Live. + Perjungti rodinio Gyvai matomumą. + + + + You can enable and disable plugins from here. + Čia galite išjungti ir įjungti papildinius. + + + + More information about OpenLP. + Daugiau informacijos apie OpenLP. + + + + Set the interface language to {name} + Nustatyti sąsajos kalbą į {name} + + + + &Show all + &Rodyti visus + + + + Reset the interface back to the default layout and show all the panels. + Atstatyti sąsają atgal į numatytąjį išdėstymą ir rodyti visus skydelius. + + + + Use layout that focuses on setting up the Service. + Naudoti išdėstymą, kuris susitelkia ties pamaldų programos sudarymu. + + + + Use layout that focuses on Live. + Naudoti išdėstymą, kuris susitelkia ties rodymu Gyvai. + + + + OpenLP Settings (*.conf) + OpenLP nustatymai (*.conf) + + + + &User Manual + + OpenLP.Manager - + Database Error - Duomenų Bazės Klaida + 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. +Database: {db} + OpenLP nepavyksta įkelti jūsų duomenų bazės. -Duomenų bazė: %s +Duomenų bazė: {db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + Įkeliama duomenų bazė buvo sukurta naujesnėje OpenLP versijoje. Duomenų bazės versija yra {db_ver}, tuo tarpu OpenLP tikisi versijos {db_up}. Duomenų bazė nebus įkelta. + +Duomenų bazė: {db_name} OpenLP.MediaManagerItem - + No Items Selected - Nepasirinkti Elementai + Nepasirinkti elementai - + &Add to selected Service Item - &Pridėti prie pasirinkto Pamaldų programos elemento + &Pridėti į pasirinktą pamaldų programos elementą - + 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. + Privalote pasirinkti į kurį, jau esamą, pamaldų programos elementą pridėti. - + Invalid Service Item - Neteisingas Pamaldų Programos Elementas + 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 + 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. + + + Invalid File {name}. +Suffix not supported + Neteisingas failas {name}. +Povardis nepalaikomas + + + + You must select a {title} service item. + Privalote pasirinkti pamaldų programos elementą {title}. + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Trūksta <lyrics> žymės. - + <verse> tag is missing. Trūksta <verse> žymės. @@ -4576,22 +4576,22 @@ Nepalaikoma priesaga OpenLP.PJLink1 - + Unknown status Nežinoma būsena - + No message Nėra pranešimų - + Error while sending data to projector Klaida, siunčiant duomenis į projektorių - + Undefined command: Neapibrėžta komanda: @@ -4599,32 +4599,32 @@ Nepalaikoma priesaga OpenLP.PlayerTab - + Players Grotuvai - - - Available Media Players - Prieinami Medija Grotuvai - - Player Search Order - Grotuvų Paieškos Tvarka + 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) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" PASTABA: Norėdami naudoti VLC, privalote įdiegti %s versiją @@ -4633,391 +4633,386 @@ Nepalaikoma priesaga OpenLP.PluginForm - + Plugin Details - Išsamiau apie Papildinį + Išsamiau apie papildinį - + Status: Būsena: - + Active Aktyvus - - Inactive - Neaktyvus - - - - %s (Inactive) - %s (Neaktyvus) - - - - %s (Active) - %s (Aktyvus) + + Manage Plugins + Tvarkyti papildinius - %s (Disabled) - %s (Išjungta) + {name} (Disabled) + {name} (Išjungtas) - - Manage Plugins - Tvarkyti papildinius + + {name} (Active) + {name} (Aktyvus) + + + + {name} (Inactive) + {name} (Neaktyvus) OpenLP.PrintServiceDialog - + Fit Page - Priderinti prie Puslapio + Priderinti prie puslapio - + Fit Width - Priderinti prie Pločio + 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 - Normalus Mastelis - - - - Other Options - Kitos Parinktys + Normalus mastelis + 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 + Pamaldų programa - + Print Spausdinti - + Title: Pavadinimas: - + Custom Footer Text: - Tinkintas Poraštės Tekstas: + Tinkintas poraštės tekstas: OpenLP.ProjectorConstants - + OK - OK + Gerai - + General projector error Bendra projektoriaus klaida - + Not connected error Jungimosi klaida - + Lamp error Lempos klaida - + Fan error Ventiliatoriaus klaida - + High temperature detected Aptikta aukšta temperatūra - + Cover open detected Aptiktas atidarytas dangtis - + Check filter Patikrinkite filtrą - + Authentication Error - Tapatybės Nustatymo Klaida + Tapatybės nustatymo klaida - + Undefined Command - Neapibrėžta Komanda + Neapibrėžta komanda - + Invalid Parameter - Neteisingas Parametras + Neteisingas parametras - + Projector Busy - Projektorius Užimtas + Projektorius užimtas - + Projector/Display Error - Projektoriaus/Ekrano Klaida + 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 Neteisingas priešdelio simbolis - + The connection was refused by the peer (or timed out) Ryšys buvo atmestas kitos pusės (arba baigėsi jam skirtas laikas) - + 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 Adresas nurodytas su socket.bind() jau yra naudojamas ir buvo nustatytas būti išskirtiniu - + The address specified to socket.bind() does not belong to the host socket.bind() nurodytas adresas nepriklauso kompiuteriui - + 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) Ryšys su įgaliotuoju serveriu buvo netikėtai nutrauktas (prieš tai, kai buvo užmegztas ryšys su kita puse) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Baigėsi susijungimui su įgaliotuoju serveriu skirtas laikas arba įgaliotasis serveris nustojo atsakinėti tapatybės nustatymo etape. - + 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 Energijos taupymo veiksena - + Warmup in progress Vyksta įšilimas - + Power is on Maitinimas įjungtas - + Cooldown in progress Vyksta ataušimas - + 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 Ryšio užmezgimas su įgaliotuoju serveriu nepavyko, nes nepavyko suprasti iš įgaliotojo serverio gauto atsakymo @@ -5025,70 +5020,70 @@ Nepalaikoma priesaga OpenLP.ProjectorEdit - + Name Not Set - Nenustatytas Pavadinimas + Nenustatytas pavadinimas - + 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 - Dubliuoti Pavadinimą + Dubliuoti pavadinimą OpenLP.ProjectorEditForm - + Add New Projector - Pridėti Naują Projektorių + Pridėti naują projektorių + + + + Edit Projector + Redaguoti projektorių - Edit Projector - Redaguoti Projektorių + IP Address + IP adresas - - IP Address - IP Adresas + + Port Number + Prievado numeris - Port Number - Prievado Numeris - - - PIN PIN - + Name Pavadinimas - + Location Vieta - + Notes Pastabos - + Database Error - Duomenų Bazės Klaida + Duomenų bazės klaida - + There was an error saving projector information. See the log for the error Įvyko klaida, išsaugant projektoriaus informaciją. Išsamesnei informacijai apie klaidą, žiūrėkite žurnalą @@ -5096,305 +5091,360 @@ Nepalaikoma priesaga OpenLP.ProjectorManager - + Add Projector - Pridėti Projektorių + Pridėti projektorių - - Add a new projector - Pridėti naują projektorių - - - + Edit Projector - Redaguoti Projektorių + Redaguoti projektorių - - Edit selected projector - Redaguoti pasirinktą projektorių - - - + Delete Projector - Ištrinti Projektorių + Ištrinti projektorių - - Delete selected projector - Ištrinti pasirinktą projektorių - - - + Select Input Source - Pasirinkti Įvesties Šaltinį + Pasirinkti įvesties šaltinį - - Choose input source on selected projector - Pasirinkti pasirinkto projektoriaus įvesties šaltinį - - - + View Projector - Rodyti Projektorių + Rodyti projektorių - - 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 Pradėti projektoriaus būdėjimo veikseną - - Put selected projector in standby - Įvesti projektorių į būdėjimo veikseną - - - + 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ą + Žiū&rėti projektoriaus informaciją - + &Edit Projector - R&edaguoti Projektorių + R&edaguoti projektorių - + &Connect Projector - &Prijungti Projektorių + &Prijungti projektorių - + D&isconnect Projector - &Atjungti Projektorių + &Atjungti projektorių - + Power &On Projector - Į&jungti Projektorių + Į&jungti projektorių - + Power O&ff Projector - &Išjungti Projektorių + &Išjungti projektorių - + Select &Input - Pasirinkt&i Įvestį + Pasirinkt&i įvestį - + Edit Input Source - Redaguoti Įvesties Šaltinį + Redaguoti įvesties šaltinį - + &Blank Projector Screen - &Uždengti Projektoriaus Ekraną + &Uždengti projektoriaus ekraną - + &Show Projector Screen - &Rodyti Projektoriaus Ekraną + &Rodyti projektoriaus ekraną - + &Delete Projector - &Ištrinti Projektorių + &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 + Projektoriaus pavadinimas - + Manufacturer Gamintojas - + Model Modelis - + Other info Kita informacija - + Power status Maitinimo būsena - + Shutter is Sklendė yra - + Closed Uždaryta - + Current source input is Esama šaltinio įvestis yra - + Lamp Lempa - - On - Įjungta - - - - 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 + Projektoriaus informacija - + No message Nėra pranešimų - + Not Implemented Yet Dar neįgyvendinta - - Delete projector (%s) %s? - Ištrinti projektorių (%s) %s? - - - + Are you sure you want to delete this projector? Ar tikrai norite ištrinti šį projektorių? + + + Add a new projector. + Pridėti naują projektorių. + + + + Edit selected projector. + Redaguoti pasirinktą projektorių. + + + + Delete selected projector. + Ištrinti pasirinktą projektorių. + + + + Choose input source on selected projector. + Pasirinkti pasirinkto projektoriaus įvesties šaltinį. + + + + 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 projector. + Atsijungti nuo pasirinkto projektoriaus. + + + + Disconnect from selected projectors. + Atsijungti nuo pasirinktų projektorių. + + + + Power on selected projector. + Įjungti pasirinktą projektorių. + + + + Power on selected projectors. + Įjungti pasirinktus projektorius. + + + + Put selected projector in standby. + Įvesti pasirinktą projektorių į budėjimo veikseną. + + + + Put selected projectors in standby. + Įvesti pasirinktus projektorius į budėjimo veikseną. + + + + Blank selected projectors screen + Uždengti pasirinktų projektorių ekraną + + + + Blank selected projectors screen. + Uždengti pasirinktų projektorių ekraną. + + + + Show selected projector screen. + Rodyti pasirinkto projektoriaus ekraną. + + + + Show selected projectors screen. + Rodyti pasirinktų projektorių ekraną. + + + + is on + yra įjungtas + + + + is off + yra išjungtas + + + + Authentication Error + Tapatybės nustatymo klaida + + + + No Authentication Error + Tapatybės nustatymo nebuvimo klaida + OpenLP.ProjectorPJLink - + Fan Ventiliatorius - + Lamp Lempa - + Temperature Temperatūra - + Cover Dangtis - + Filter Filtras - + Other Kita @@ -5409,12 +5459,12 @@ Nepalaikoma priesaga Communication Options - Komunikacijos Parinktys + Komunikacijos parinktys Connect to projectors on startup - Paleidus programą, prisijungti prie projektorių + Paleidžiant programą, prisijungti prie projektorių @@ -5440,19 +5490,19 @@ Nepalaikoma priesaga OpenLP.ProjectorWizard - + Duplicate IP Address - Dublikuoti IP Adresą + Dublikuoti IP adresą - + Invalid IP Address - Neteisingas IP Adresas + Neteisingas IP adresas - + Invalid Port Number - Neteisingas Prievado Numeris + Neteisingas prievado numeris @@ -5460,30 +5510,30 @@ Nepalaikoma priesaga Screen - Ekrano + Ekranas - + primary pirminis OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Pradžia</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Trukmė</strong>: %s - - [slide %d] - [skaidrė %d] + [slide {frame:d}] + [skaidrė {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Pradžia</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Trukmė</strong>: {length} @@ -5491,7 +5541,7 @@ Nepalaikoma priesaga Reorder Service Item - Pertvarkyti Pamaldų Programos Elementą + Pertvarkyti pamaldų programos elementą @@ -5539,7 +5589,7 @@ Nepalaikoma priesaga &Delete From Service - &Ištrinti iš Pamaldų Programos + &Ištrinti iš pamaldų programos @@ -5547,52 +5597,52 @@ Nepalaikoma priesaga Ištrinti pasirinktą elementą iš pamaldų programos. - + &Add New Item - &Pridėti Naują Elementą + &Pridėti naują elementą - + &Add to Selected Item - &Pridėti prie Pasirinkto Elemento + &Pridėti į pasirinktą elementą - + &Edit Item - &Redaguoti Elementą + &Redaguoti elementą - + &Reorder Item - Pe&rtvarkyti Elementą + Pe&rtvarkyti elementą - + &Notes &Pastabos - + &Change Item Theme - Pa&keisti Elemento Temą + Pa&keisti elemento temą - + File is not a valid service. Failas nėra teisinga pamaldų programa. - + Missing Display Handler - Trūksta Ekrano Doroklės + Trūksta ekrano doroklės - + Your item cannot be displayed as there is no handler to display it Jūsų elementas negali būti rodomas, kadangi nėra doroklės, kuri jį rodytų - + 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 @@ -5617,9 +5667,9 @@ Nepalaikoma priesaga Suskleisti visus pamaldų programos elementus. - + Open File - Atidaryti Failą + Atverti failą @@ -5647,29 +5697,29 @@ Nepalaikoma priesaga Siųsti pasirinktą elementą į Gyvai. - + &Start Time Pradžio&s laikas - + Show &Preview - Ro&dyti Peržiūroje + Ro&dyti peržiūroje - + Modified Service - Pakeista Pamaldų Programa + 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ą? + Dabartinė pamaldų programa buvo pakeista. Ar norėtumėte įrašyti šią pamaldų programą? Custom Service Notes: - Pasirinktinos Pamaldų Programos Pastabos: + Pasirinktinos pamaldų programos pastabos: @@ -5682,29 +5732,29 @@ Nepalaikoma priesaga Grojimo laikas: - + Untitled Service - Bevardė Pamaldų Programa + Bevardė pamaldų programa - + File could not be opened because it is corrupt. - Nepavyko atidaryti failo, nes jis yra pažeistas. + Nepavyko atverti failo, nes jis yra pažeistas. - + Empty File - Tuščias Failas + Tuščias failas - + This service file does not contain any data. Šiame pamaldų programos faile nėra jokių duomenų. - + Corrupt File - Pažeistas Failas + Pažeistas failas @@ -5714,7 +5764,7 @@ Nepalaikoma priesaga Save this service. - Išsaugoti šią pamaldų programą. + Įrašyti šią pamaldų programą. @@ -5722,147 +5772,147 @@ Nepalaikoma priesaga Pasirinkite temą pamaldoms. - + Slide theme Skaidrės tema - + Notes Pastabos - + Edit Redaguoti - + Service copy only Kopijuoti tik pamaldų programą - + Error Saving File - Klaida, bandant Išsaugoti Failą + 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(-ų) + Trūksta pamaldų programos failo(-ų) - + &Rename... &Pervadinti... - + Create New &Custom Slide - Sukurti Naują &Tinkintą Skaidrę + Sukurti naują &tinkintą skaidrę - + &Auto play slides &Automatiškai rodyti skaidres - + Auto play slides &Loop - Automatiškai rodyti skaidres &Ciklu + Automatiškai rodyti skaidres &ciklu - + Auto play slides &Once - Automatiškai rodyti skaidres &Vieną kartą + Automatiškai rodyti skaidres &vieną kartą - + &Delay between slides &Pauzė tarp skaidrių - + OpenLP Service Files (*.osz *.oszl) - OpenLP Pamaldų Programos Failai (*.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 pamaldų programos failai (*.osz);; OpenLP pamaldų programos failai - mažieji (*.oszl) - + OpenLP Service Files (*.osz);; - OpenLP Pamaldų Programos Failai (*.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ą. + Pamaldų programos failas, kurį bandote atverti yra seno formato. +Prašome jį įrašyti, 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 + &Automatinis paleidimas - neaktyvus - + &Auto Start - active - &Automatinis Paleidimas - aktyvus + &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 - Įvyko klaida, įrašinėjant pamaldų programos failą: %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Pamaldų programoje trūksta šio failo(-ų): %s + Pamaldų programoje trūksta šio failo(-ų): {name} -Jei tęsite išsaugojimą, šie failai bus pašalinti. +Jei tęsite įrašymą, šie failai bus pašalinti. + + + + An error occurred while writing the service file: {error} + Įvyko klaida, įrašinėjant pamaldų programos failą: {error} @@ -5870,7 +5920,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Service Item Notes - Pamaldų Programos Elemento Pastabos + Pamaldų programos elemento pastabos @@ -5891,17 +5941,12 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Shortcut - Spartusis Klavišas + 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šą. + Dublikuoti spartųjį klavišą @@ -5936,7 +5981,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Restore Default Shortcuts - Atkurti Numatytuosius Sparčiuosius Klavišus + Atkurti numatytuosius sparčiuosius klavišus @@ -5946,221 +5991,237 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Configure Shortcuts - Konfigūruoti Sparčiuosius Klavišus + Konfigūruoti sparčiuosius klavišus + + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + OpenLP.SlideController - + Hide Slėpti - + Go To - Pereiti Prie - - - - Blank Screen - Uždengti Ekraną + Pereiti į - Blank to Theme - Rodyti Temos Foną - - - Show Desktop - Rodyti Darbalaukį + Rodyti darbalaukį - + Previous Service - Ankstesnė Pamaldų programa + Ankstesnė pamaldų programa - + Next Service - Kita Pamaldų programa + Kita pamaldų programa - - Escape Item - Ištrūkimo Elementas - - - + Move to previous. Pereiti prie ankstesnio. - + Move to next. Pereiti prie kito. - + Play Slides - Rodyti Skaidres + 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. + Pridėti į pamaldų programą. - + 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. + Garso įrašų garsis. - + Go to "Verse" - Pereiti prie "Posmelio" + Pereiti į "Posmelį" - + Go to "Chorus" - Pereiti prie "Priegiesmio" + Pereiti į "Priegiesmį" - + Go to "Bridge" - Pereiti prie "Tiltelio" + Pereiti į "Tiltelį" - + Go to "Pre-Chorus" - Pereiti prie "Prieš-Priegiesmio" + Pereiti į "Prieš-priegiesmį" - + Go to "Intro" - Pereiti prie "Įžangos" + Pereiti į "Įžangą" - + Go to "Ending" - Pereiti prie "Pabaigos" + Pereiti į "Pabaigą" - + Go to "Other" - Pereiti prie "Kita" + Pereiti į "Kitą" - + Previous Slide - Ankstesnė Skaidrė + Ankstesnė skaidrė - + Next Slide - Kita Skaidrė + Kita skaidrė - + Pause Audio - Pristabdyti Garso Takelį + Pristabdyti garso takelį - + Background Audio - Fono Garsas + Fono garsas - + Go to next audio track. Pereiti prie kito garso takelio. - + Tracks Takeliai + + + Loop playing media. + Groti mediją ciklu. + + + + Video timer. + Vaizdo laikmatis. + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source - Pasirinkti Projektoriaus Šaltinį + Pasirinkti projektoriaus šaltinį - + Edit Projector Source Text - Redaguoti Projektoriaus Šaltinio Tekstą + Redaguoti projektoriaus šaltinio tekstą - + Ignoring current changes and return to OpenLP Nepaisyti esamų pakeitimų ir grįžti į OpenLP - + Delete all user-defined text and revert to PJLink default text Ištrinti visą naudotojo apibrėžtą tekstą ir grįžti prie PJLink numatytojo teksto - + Discard changes and reset to previous user-defined text Atmesti pakeitimus ir atstatyti ankstesnį naudotojo apibrėžtą tekstą - + Save changes and return to OpenLP - išsaugoti pakeitimus ir grįžti į OpenLP + Įrašyti pakeitimus ir grįžti į OpenLP - + Delete entries for this projector Ištrinti šio projektoriaus įrašus - + Are you sure you want to delete ALL user-defined source input text for this projector? Ar tikrai norite ištrinti VISĄ naudotojo apibrėžtą šaltinio įvesties tekstą šiam projektoriui? @@ -6168,17 +6229,17 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. OpenLP.SpellTextEdit - + Spelling Suggestions - Rašybos Tikrinimo Pasiūlymai + Rašybos tikrinimo pasiūlymai - + Formatting Tags - Formatavimo Žymės + Formatavimo žymės - + Language: Kalba: @@ -6188,7 +6249,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Theme Layout - Temos Išdėstymas + Temos išdėstymas @@ -6206,7 +6267,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Item Start and Finish Time - Elemento Pradžios ir Pabaigos Laikas + Elemento pradžios ir pabaigos laikas @@ -6241,7 +6302,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Time Validation Error - Laiko Tikrinimo Klaida + Laiko tikrinimo klaida @@ -6257,7 +6318,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. OpenLP.ThemeForm - + (approximately %d lines per slide) (apytiksliai %d eilučių skaidrėje) @@ -6265,522 +6326,532 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. OpenLP.ThemeManager - + Create a new theme. Sukurti naują temą. - + Edit Theme - Redaguoti Temą + Redaguoti temą - + Edit a theme. Redaguoti temą. - + Delete Theme - Ištrinti Temą + Ištrinti temą - + Delete a theme. Ištrinti temą. - + Import Theme - Importuoti Temą + Importuoti temą - + Import a theme. Importuoti temą. - + Export Theme - Eksportuoti Temą + Eksportuoti temą - + Export a theme. Eksportuoti temą. - + &Edit Theme - &Redaguoti Temą + &Redaguoti temą - + &Delete Theme - &Ištrinti Temą + &Ištrinti temą - + Set As &Global Default - Nustatyti &Globaliai Numatytąja + Nustatyti &globaliai numatytąja - - %s (default) - %s (pagal numatymą) - - - + 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. - + You have not selected a theme. Jūs nepasirinkote temos. - - Save Theme - (%s) - Išsaugoti Temą - (%s) - - - + Theme Exported - Tema Eksportuota + Tema eksportuota - + Your theme has been successfully exported. Jūsų tema buvo sėkmingai eksportuota. - + Theme Export Failed - Temos Eksportavimas Nepavyko + Temos eksportavimas nepavyko - + Select Theme Import File - Pasirinkite Temos Importavimo Failą + Pasirinkite temos importavimo failą - + File is not a valid theme. Failas nėra teisinga tema. - + &Copy Theme - &Kopijuoti Temą + &Kopijuoti temą - + &Rename Theme - &Pervadinti Temą + &Pervadinti temą - + &Export Theme - &Eksportuoti Temą + &Eksportuoti temą - + You must select a theme to rename. Privalote pasirinkti kurią temą norite pervadinti. - + Rename Confirmation - Pervadinimo Patvirtinimas + 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 + Ištrynimo patvirtinimas - + Delete %s theme? Ištrinti %s temą? - + Validation Error - Tikrinimo Klaida + Tikrinimo klaida - + A theme with this name already exists. Tema tokiu pavadinimu jau yra. - - Copy of %s - Copy of <theme name> - %s kopija - - - + Theme Already Exists - Tema Jau Yra + 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 - Temos eksportavimas nepavyko, nes įvyko ši klaida: %s - - - + OpenLP Themes (*.otz) - OpenLP Temos (*.otz) + OpenLP temos (*.otz) - - %s time(s) by %s - - - - + Unable to delete theme Nepavyko ištrinti temos + + + {text} (default) + {text} (numatytoji) + + + + Copy of {name} + Copy of <theme name> + {name} kopija + + + + Save Theme - ({name}) + Įrašyti temą - ({name}) + + + + The theme export failed because this error occurred: {err} + Temos eksportavimas nepavyko, nes įvyko ši klaida: {err} + + + + {name} (default) + {name} (numatytoji) + + + + Theme {name} already exists. Do you want to replace it? + Tema {name} jau yra. Ar norite ją pakeisti? + + {count} time(s) by {plugin} + {count} kartą(-ų) pagal {plugin} + + + Theme is currently used -%s +{text} Tema šiuo metu yra naudojama -%s +{text} OpenLP.ThemeWizard - + Theme Wizard - Temos Vedlys + Temos vediklis - + Welcome to the Theme Wizard - Sveiki Atvykę į Temos Vedlį + Sveiki atvykę į temos vediklį - + Set Up Background - Nustatykite Foną + 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ė + Viršutinė kairė - apatinė dešinė - + Bottom Left - Top Right - Apatinė Kairė - Viršutinė Dešinė + Apatinė kairė - viršutinė dešinė - + Main Area Font Details - Pagrindinės Srities Šrifto Detalės + Išsamesnė pagrindinės srities šrifto informacija - + 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: + Eilučių intervalai: - + &Outline: &Kontūras: - + &Shadow: Š&ešėlis: - + Bold Pusjuodis - + Italic Kursyvas - + Footer Area Font Details - Poraštės Srities Šrifto Detalės + Išsamesnė poraštės srities šrifto informacija - + 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 + Išsamesnė teksto formatavimo informacija - + Allows additional display formatting information to be defined Leidžia apibrėžti papildomą rodymo formatavimo informaciją - + Horizontal Align: - Horizontalus Lygiavimas: + Horizontalus lygiavimas: - + Left Kairėje - + Right Dešinėje - + Center Centre - + Output Area Locations - Išvesties Sričių Vietos + Išvesties sričių vietos - + &Main Area - &Pagrindinė Sritis + &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ą. + Šis vediklis 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 + &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 + Išdėstymo peržiūra - + Transparent Permatomas - + Preview and Save - Peržiūra ir Išsaugojimas + Peržiūra ir įrašymas - + Preview the theme and save it. - Peržiūrėkite temą ir ją išsaugokite. + Peržiūrėkite temą ir ją įrašykite. - + Background Image Empty - Fono Paveikslas Tuščias + Fono paveikslas tuščias - + Select Image - Pasirinkite Paveikslą + Pasirinkite paveikslą - + Theme Name Missing - Trūksta Temos Pavadinimo + 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 + 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į. + Jūs nepasirinkote fono paveikslo. Prieš tęsiant, prašome pasirinkti fono paveikslą. + + + + Edit Theme - {name} + Redaguoti temą - {name} + + + + Select Video + Pasirinkti vaizdo įrašą @@ -6788,17 +6859,17 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Global Theme - Globali Tema + Globali tema Theme Level - Temos Lygis + Temos lygis S&ong Level - Gies&mių Lygis + Gies&mių lygis @@ -6808,7 +6879,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. &Service Level - &Pamaldų Programos Lygis + &Pamaldų programos lygis @@ -6818,7 +6889,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. &Global Level - &Globalus Lygis + &Globalus lygis @@ -6833,7 +6904,7 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. Universal Settings - Universalūs Nustatymai + Universalūs nustatymai @@ -6861,78 +6932,78 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. &Vertical Align: - &Vertikalus Lygiavimas: + &Vertikalus lygiavimas: - + Finished import. Importavimas užbaigtas. - + Format: Formatas: - + Importing Importuojama - + Importing "%s"... Importuojama "%s"... - + Select Import Source - Pasirinkite Importavimo Šaltinį + Pasirinkite importavimo šaltinį - + Select the import format and the location to import from. Pasirinkite importavimo formatą ir vietą iš kurios importuosite. - + Open %s File - Atidaryti %s Failą + Atverti %s failą - + %p% %p% - + Ready. Pasiruošę. - + Starting import... Pradedamas importavimas... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Jūs turite nurodyti bent vieną %s failą, iš kurio importuoti. - + Welcome to the Bible Import Wizard - Sveiki Atvykę į Biblijos Importavimo Vedlį + Sveiki atvykę į Biblijos importavimo vediklį - + Welcome to the Song Export Wizard - Sveiki Atvykę į Giesmių Eksportavimo Vedlį + Sveiki atvykę į giesmių eksportavimo vediklį - + Welcome to the Song Import Wizard - Sveiki Atvykę į Giesmių Importavimo Vedlį + Sveiki atvykę į giesmių importavimo vediklį @@ -6948,14 +7019,14 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. - © + © Copyright symbol. © Song Maintenance - Giesmių Priežiūra + Giesmių tvarkymas @@ -6980,585 +7051,636 @@ Jei tęsite išsaugojimą, šie failai bus pašalinti. XML sintaksės klaida - - Welcome to the Bible Upgrade Wizard - Sveiki Atvykę į Biblijos Naujinimo Vedlį - - - + Open %s Folder - Atidaryti %s Folder + Atverti %s aplanką - + 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 + Importuojamos giesmės - + Welcome to the Duplicate Song Removal Wizard - Sveiki Atvykę į Giesmių Dublikatų Šalinimo Vedlį + Sveiki atvykę į giesmių dublikatų šalinimo vediklį - + Written by Parašė Author Unknown - Nežinomas Autorius + Nežinomas autorius - + About Apie - + &Add &Pridėti - + Add group Pridėti grupę - + Advanced Išplėstinė - + All Files - Visi Failai + Visi failai - + Automatic Automatiškai - + Background Color - Fono Spalva + 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: + 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 + Dublikavimo klaida - + &Edit &Redaguoti - + Empty Field - Tuščias Laukas + Tuščias laukas - + Error Klaida - + Export Eksportuoti - + File Failas - + File Not Found - Failas Nerastas + 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 tšk. - + Help Pagalba - + h The abbreviated unit for hours val. - + Invalid Folder Selected Singular - Pasirinktas Neteisingas Aplankas + Pasirinktas neteisingas aplankas - + Invalid File Selected Singular - Pasirinktas Neteisingas Failas + Pasirinktas neteisingas failas - + Invalid Files Selected Plural - Pasirinkti Neteisingi Failai + Pasirinkti neteisingi failai - + Image Paveikslas - + Import Importuoti - + Layout style: Išdėstymo stilius: - + Live Gyvai - + Live Background Error - Rodymo Gyvai Fono Klaida + Rodymo Gyvai fono klaida - + Live Toolbar - Rodymo Gyvai Įrankių Juosta + Rodymo Gyvai įrankių juosta - + Load Įkelti - + 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 + New Service + Nauja pamaldų programa - No Files Selected - Plural - Nepasirinkti Failai + New Theme + Nauja tema - No Item Selected - Singular - Nepasirinktas Elementas + Next Track + Kitas takelis - No Items Selected + No Folder Selected + Singular + Nepasirinktas aplankas + + + + No File Selected + Singular + Nepasirinktas failas + + + + No Files Selected Plural - Nepasirinkti Elementai + Nepasirinkti failai + + + + No Item Selected + Singular + Nepasirinktas elementas + No Items Selected + Plural + Nepasirinkti elementai + + + OpenLP is already running. Do you wish to continue? OpenLP jau yra vykdoma. Ar norite tęsti? - + Open service. - Atidaryti pamaldų programą. + Atverti pamaldų programą. - + Play Slides in Loop - Rodyti Skaidres Ciklu + Rodyti skaidres ciklu - + Play Slides to End - Rodyti Skaidres iki Galo + Rodyti skaidres iki galo - + Preview Peržiūra - + Print Service - Spausdinti Pamaldų Programą + Spausdinti pamaldų programą - + Projector Singular Projektorius - + Projectors Plural Projektoriai - + Replace Background - Pakeisti Foną + Pakeisti foną - + Replace live background. Pakeisti rodymo Gyvai foną. - + Reset Background - Atstatyti Foną + 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 + Įrašyti ir peržiūrėti - + Search Paieška - + Search Themes... Search bar place holder text - Temų Paieška... + 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 Nustatymus - + Save Service - Išsaugoti Pamaldų Programą + Įrašyti pamaldų programą - + Service - Pamaldų Programa + Pamaldų programa - + Optional &Split - Pasirinktinis Pa&dalinimas + 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 - Pradėti %s - - - + Stop Play Slides in Loop - Nustoti Rodyti Skaidres Ciklu + Nustoti rodyti skaidres ciklu - + Stop Play Slides to End - Nustoti Rodyti Skaidres iki Galo + Nustoti rodyti skaidres iki galo - + Theme Singular Temos - + Themes Plural Temos - + Tools Įrankiai - + Top Viršuje - + Unsupported File - Nepalaikomas Failas + Nepalaikomas failas - + Verse Per Slide Kiekviena Biblijos eilutė atskiroje skaidrėje - + Verse Per Line Kiekviena Biblijos eilutė naujoje eilutėje - + Version Versija - + View Rodinys - + View Mode - Rodinio Veiksena + Rodinio veiksena - + CCLI song number: CCLI giesmės numeris: - + Preview Toolbar - Peržiūros Įrankių juosta + Peržiūros įrankių juosta - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Rodymo Gyvai fono pakeitimas yra neprieinamas, kaip WebKit grotuvas yra išjungtas. Songbook Singular - + Giesmynas Songbooks Plural - + Giesmynai + + + + Background color: + Fono spalva: + + + + Add group. + Pridėti grupę. + + + + File {name} not found. +Please try selecting it individually. + Failas {name} nerastas. +Prašome jūsų pasirinkti jį patiems. + + + + Start {code} + + + + + Video + Vaizdo įrašai + + + + Search is Empty or too Short + Paieška yra tuščia arba per trumpa + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>Jūsų įvesta paieška yra tuščia arba trumpesnė nei 3 simbolių ilgio.</strong><br><br>Prašome bandyti dar kartą, naudojant ilgesnę paiešką. + + + + No Bibles Available + Nėra prieinamų Biblijų + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>Šiuo metu nėra įdiegtų Biblijų.</strong><br><br>Prašome naudoti importavimo vediklį, kad įdiegtumėte vieną ar daugiau Biblijų. + + + + Book Chapter + Knygos skyrius + + + + Chapter + Skyrius + + + + Verse + Eilutė + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + Knygų pavadinimai gali būti trumpinami, pavyzdžiui, Ps 23 = Psalmės 23 + + + + No Search Results + Jokių paieškos rezultatų + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s ir %s + + {one} and {two} + - - %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 + + {first} and {last} + @@ -7574,7 +7696,7 @@ Prašome jūsų pasirinkti jį patiems. <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 naudotojas gali pasirinkti išskleidžiamajame langelyje. + <strong>Pateikties papildinys</strong><br />Pateikties papildinys suteikia galimybę rodyti pateiktis, naudojant kelias skirtingas programas. Prieinamas pateikčių programas naudotojas gali pasirinkti išskleidžiamajame langelyje. @@ -7625,7 +7747,7 @@ Prašome jūsų pasirinkti jį patiems. Select Presentation(s) - Pasirinkite Pateiktį(-is) + Pasirinkite pateiktį(-is) @@ -7638,47 +7760,47 @@ Prašome jūsų pasirinkti jį patiems. Pateikti, naudojant: - + File Exists - Failas Jau Yra + 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 + Trūksta pateikties - - The presentation %s is incomplete, please reload. - Pateiktis %s yra nepilna, prašome įkelti iš naujo. + + Presentations ({text}) + Pateiktys ({text}) - - The presentation %s no longer exists. - Pateikties %s jau nebėra. + + The presentation {name} no longer exists. + Pateikties {name} daugiau nebėra. + + + + The presentation {name} is incomplete, please reload. + Pateiktis {name} yra nepilna, prašome ją įkelti iš naujo. 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. + + 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. @@ -7686,12 +7808,7 @@ Prašome jūsų pasirinkti jį patiems. Available Controllers - Prieinami Valdikliai - - - - %s (unavailable) - %s (neprieinama) + Prieinami valdikliai @@ -7709,12 +7826,12 @@ Prašome jūsų pasirinkti jį patiems. 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. @@ -7725,13 +7842,21 @@ Prašome jūsų pasirinkti jį patiems. - Clicking on a selected slide in the slidecontroller advances to next effect. - Spustelėjimas skaidrių sąraše ant pasirinktos skaidrės pradeda perėjimą į kitą efektą/veiksmą. + Clicking on the current slide advances to the next effect + Spustelėjimas ant esamos skaidrės pradeda perėjimą į kitą efektą/veiksmą - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Leisti PowerPoint valdyti pateikties lango dydį ir vietą (Windows 8 mastelio keitimo problėmos apėjimas). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + Leisti PowerPoint valdyti pateikčių dydį ir monitorių +(Tai gali pataisyti PowerPoint mastelio nustatymo problemas, +esančias Windows 8 ir 10) + + + + {name} (unavailable) + {name} (neprieinama) @@ -7739,7 +7864,7 @@ Prašome jūsų pasirinkti jį patiems. <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ą. + <strong>Nuotolinės prieigos papildinys</strong><br />Nuotolinės prieigos papildinys suteikia galimybę siųsti pranešimus kitame kompiuteryje vykdomai OpenLP versijai per saityno naršyklę ar per nuotolinę API sąsają. @@ -7762,7 +7887,7 @@ Prašome jūsų pasirinkti jį patiems. Server Config Change - Serverio Konfigūracijos Pasikeitimas + Serverio konfigūracijos pasikeitimas @@ -7773,207 +7898,270 @@ Prašome jūsų pasirinkti jį patiems. RemotePlugin.Mobile - + Service Manager - Pamaldų Programos Tvarkytuvė + Pamaldų programos tvarkytuvė - + Slide Controller - Skaidrių Valdiklis + Skaidrių valdiklis - + Alerts Įspėjimai - + Search Paieška - + Home Pradžia - + Refresh Įkelti iš naujo - + Blank Uždengti - + Theme Temos - + Desktop Darbalaukis - + Show Rodyti - + Prev Ankstesnė - + Next Kitas - + Text Tekstas - + Show Alert - Rodyti Įspėjimą + Rodyti įspėjimą - + Go Live Rodyti Gyvai - + Add to Service - Pridėti prie Pamaldų Programos + Pridėti į Pamaldų programą - + Add &amp; Go to Service Pridėti ir pereiti prie Pamaldų programos - + No Results - Nėra Rezultatų + Nėra rezultatų - + Options Parinktys - + Service - Pamaldų Programa + Pamaldų programa - + Slides Skaidrės - + Settings Nustatymus - + Remote Nuotolinė prieiga - + Stage View - Scenos Rodinys + Scenos rodinys - + Live View - Gyvas Rodinys + Gyvas rodinys RemotePlugin.RemoteTab - + Serve on IP address: Aptarnavimo IP adresas: - + Port number: Prievado numeris: - + Server Settings - Serverio Nustatymai + 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 + Android programa - + Live view URL: Gyvo rodinio URL: - + HTTPS Server - HTTPS Serveris + 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 - Naudotojo Tapatybės Nustatymas + Naudotojo tapatybės nustatymas - + User id: Naudotojo id: - + Password: Slaptažodis: - + Show thumbnails of non-text slides in remote and stage view. Rodyti netekstinių skaidrių miniatiūras nuotoliniame ir scenos rodinyje. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Nuskenuokite QR kodą arba spustelėkite <a href="%s">atsisiųsti</a>, kad įdiegtumėte Android programą iš Google Play. + + iOS App + iOS programa + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Nuskenuokite QR kodą arba spustelėkite <a href="{qr}">atsisiųsti</a>, kad įdiegtumėte Android programėlę iš Google Play. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Nuskenuokite QR kodą arba spustelėkite <a href="{qr}">atsisiųsti</a>, kad įdiegtumėte iOS programėlę iš App Store. + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Nepasirinktas išvesties kelias + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Ataskaitos kūrimas + + + + Report +{name} +has been successfully created. + Ataskaita +{name} +sėkmingai sukurta. + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -7981,12 +8169,12 @@ Prašome jūsų pasirinkti jį patiems. &Song Usage Tracking - Giesmių &Naudojimo Sekimas + Giesmių &naudojimo sekimas &Delete Tracking Data - Iš&trinti Sekimo Duomenis + Iš&trinti sekimo duomenis @@ -7996,7 +8184,7 @@ Prašome jūsų pasirinkti jį patiems. &Extract Tracking Data - Iš&skleisti Sekimo Duomenis + Iš&skleisti sekimo duomenis @@ -8006,7 +8194,7 @@ Prašome jūsų pasirinkti jį patiems. Toggle Tracking - Perjungti Sekimą + Perjungti sekimą @@ -8014,50 +8202,50 @@ Prašome jūsų pasirinkti jį patiems. 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. + <strong>Giesmių naudojimo papildinys</strong><br />Šis papildinys seka giesmių naudojimą pamaldų metu. + + + + SongUsage + name singular + Giesmių naudojimas SongUsage - name singular - Giesmių Naudojimas - - - - SongUsage name plural - Giesmių Naudojimas + Giesmių naudojimas - + SongUsage container title - Giesmių Naudojimas + Giesmių naudojimas - + Song Usage - Giesmių Naudojimas + Giesmių naudojimas - + Song usage tracking is active. Giesmių naudojimo sekimas yra aktyvus. - + Song usage tracking is inactive. Giesmių naudojimo sekimas yra neaktyvus. - + display ekranas - + printed atspausdinta @@ -8067,22 +8255,22 @@ Prašome jūsų pasirinkti jį patiems. Delete Song Usage Data - Ištrinti Giesmių Naudojimo Duomenis + Ištrinti giesmių naudojimo duomenis Delete Selected Song Usage Events? - Ištrinti Pasirinktus Giesmių Naudojimo Įvykius? + 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? + Ar tikrai norite ištrinti pasirinktus giesmių naudojimo duomenis? Deletion Successful - Ištrynimas Sėkmingas + Ištrynimas sėkmingas @@ -8102,12 +8290,12 @@ Visi iki šios datos įrašyti duomenys bus negrįžtamai ištrinti. Song Usage Extraction - Giesmių Naudojimo Išskleidimas + Giesmių naudojimo išskleidimas Select Date Range - Pasirinkite Datos Atkarpą + Pasirinkite datos atkarpą @@ -8117,36 +8305,22 @@ Visi iki šios datos įrašyti duomenys bus negrįžtamai ištrinti. Report Location - Ataskaitos Vieta + Ataskaitos vieta Output File Location - Išvesties Failo Vieta + Išvesties failo vieta - - usage_detail_%s_%s.txt - naudojimo_informacija_%s_%s.txt - - - + Report Creation - Ataskaitos Kūrimas - - - - Report -%s -has been successfully created. - Ataskaita -%s -sėkmingai sukurta. + Ataskaitos kūrimas Output Path Not Selected - Nepasirinktas Išvesties Kelias + Nepasirinktas išvesties kelias @@ -8156,14 +8330,28 @@ Please select an existing path on your computer. Prašome pasirinkti, savo kompiuteryje esantį, kelią. - + Report Creation Failed - Ataskaitos Kūrimas Nepavyko + Ataskaitos kūrimas nepavyko - - An error occurred while creating the report: %s - Įvyko klaida, kuriant ataskaitą: %s + + usage_detail_{old}_{new}.txt + naudojimo_informacija_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + Ataskaita +{name} +sėkmingai sukurta. + + + + An error occurred while creating the report: {error} + Kuriant ataskaitą, įvyko klaida: {error} @@ -8176,105 +8364,105 @@ Prašome pasirinkti, savo kompiuteryje esantį, kelią. Import songs using the import wizard. - Importuoti giesmes, naudojant importavimo vedlį. + Importuoti giesmes, naudojant importavimo vediklį. - + <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. + <strong>Giesmių papildinys</strong><br />Giesmių papildinys suteikia galimybę rodyti bei valdyti giesmes. - + &Re-index Songs - Iš naujo &indeksuoti Giesmes + Iš naujo &indeksuoti giesmes - + Re-index the songs database to improve searching and ordering. Iš naujo indeksuoti giesmių duomenų bazę, siekiant 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ė + Simbolių koduotė - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8283,26 +8471,26 @@ už teisingą simbolių atvaizdavimą. Dažniausiai, tinka iš anksto parinktas pasirinkimas. - + 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 @@ -8310,40 +8498,40 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. Exports songs using the export wizard. - Eksportuoja giesmes per eksportavimo vedlį. + Eksportuoja giesmes per eksportavimo vediklį. - + 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 @@ -8358,15 +8546,30 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. Importuoti giesmes iš CCLI SongSelect tarnybos. - + Find &Duplicate Songs - Rasti &Giesmių Dublikatus + Rasti &giesmių dublikatus - + Find and remove duplicate songs in the song database. Rasti ir pašalinti giesmių duomenų bazėje esančius, giesmių dublikatus. + + + Songs + Giesmės + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8386,7 +8589,7 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. Words and Music Author who wrote both lyrics and music of a song - Žodžiai ir Muzika + Žodžiai ir muzika @@ -8400,7 +8603,7 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. Author Maintenance - Autorių Priežiūra + Autorių tvarkymas @@ -8452,64 +8655,69 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administruoja %s - - - - "%s" could not be imported. %s - Nepavyko importuoti "%s". %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] [aukščiau yra giesmės žymės su pastabomis, importuotomis iš 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. + + + Administered by {admin} + Administruoja {admin} + + + + "{title}" could not be imported. {entry} + Nepavyko importuoti "{title}". {entry} + + + + "{title}" could not be imported. {error} + Nepavyko importuoti "{title}". {error} + SongsPlugin.EditBibleForm - + Meta Data - Meta Duomenys + Metaduomenys - + Custom Book Names - Pasirinktini Knygų Pavadinimai + Pasirinktini knygų pavadinimai @@ -8517,7 +8725,7 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. Song Editor - Giesmės Redaktorius + Giesmės redaktorius @@ -8542,17 +8750,17 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. Ed&it All - Re&daguoti Visą + Re&daguoti visą Title && Lyrics - Pavadinimas ir Giesmės žodžiai + Pavadinimas ir giesmės žodžiai &Add to Song - &Pridėti prie Giesmės + &Pridėti į giesmę @@ -8562,7 +8770,7 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. A&dd to Song - Pri&dėti prie Giesmės + Pri&dėti prie giesmės @@ -8572,12 +8780,12 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. New &Theme - Nauja &Tema + Nauja &tema Copyright Information - Autorių Teisių Informacija + Autorių teisių informacija @@ -8587,87 +8795,87 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. Theme, Copyright Info && Comments - Tema, Autorių Teisės ir Komentarai + Tema, autorių teisės ir komentarai - + Add Author - Pridėti Autorių + 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ų. + Jūs nepasirinkote teisingo autoriaus. Arba pasirinkite autorių iš sąrašo, arba įrašykite naują autorių ir spustelėkite mygtuką "Pridėti į giesmę", kad pridėtumėte naują autorių. - + Add Topic - Pridėti Temą + 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ą. + Jūs nepasirinkote teisingos temos. Arba pasirinkite temą iš sąrašo, arba įrašykite naują temą ir spustelėkite mygtuką "Pridėti į giesmę", 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į. - + You need to have an author for this song. Ši giesmė privalo turėti autorių. Linked Audio - Susiję Garso Įrašai + Susiję garso įrašai Add &File(s) - Pridėti &Failą(-us) + Pridėti &failą(-us) Add &Media - Pridėti &Mediją + Pridėti &mediją Remove &All - Šalinti &Viską + Šalinti &viską - + Open File(s) - Atidaryti Failą(-us) + Atverti failą(-us) @@ -8680,98 +8888,117 @@ Koduotė atsakinga už teisingą simbolių atvaizdavimą. <strong>Įspėjimas:</strong> Jūs neįvedėte posmelių tvarkos. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Nėra posmelio, atitinkančio "%(invalid)s". Teisingi įrašai yra %(valid)s. -Prašome įvesti tarpais atskirtus posmelius. - - - + Invalid Verse Order - Neteisinga Posmelių Tvarka + Neteisinga posmelių tvarka &Edit Author Type - &Keisti Autoriaus Tipą + &Keisti autoriaus tipą - + Edit Author Type - Keisti Autoriaus Tipą + Keisti autoriaus tipą - + Choose type for this author Pasirinkite šiam autoriui tipą - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks - &Tvarkyti Autorius, Temas, Giesmynus + &Tvarkyti autorius, temas, giesmynus Add &to Song - + Pridė&ti prie giesmės Re&move - + Ša&linti Authors, Topics && Songbooks - + Autoriai, temos ir giesmynai - + Add Songbook - + Pridėti giesmyną - + This Songbook does not exist, do you want to add it? Tokio giesmyno nėra, ar norite jį pridėti? - + This Songbook is already in the list. Šis giesmynas jau yra sąraše. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + Jūs nepasirinkote teisingą giesmyną. Arba pasirinkite giesmyną iš sąrašo, arba įrašykite naują giesmyną ir spustelėkite mygtuką "Pridėti į giesmę", kad pridėtumėte naują giesmyną. + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Nėra posmelių, atitinkančių "{invalid}". Teisingi įrašai yra {valid}. +Prašome įvesti tarpais atskirtus posmelius. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Nėra posmelio, atitinkančio "{invalid}". Teisingi įrašai yra {valid}. +Prašome įvesti tarpais atskirtus posmelius. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + Šiuose posmeliuose yra ne vietoje padėtų formatavimo žymių: + +{tag} + +Prieš tęsiant, prašome ištaisyti šias žymes. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + Jūs turite {count} posmelius, pavadinimu {name} {number}. Daugiausiai, jūs galite turėti 26 posmelius tokiu pačiu pavadinimu 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ą. @@ -8781,88 +9008,88 @@ Please enter the verses separated by spaces. Song Export Wizard - Giesmių Eksportavimo Vedlys - - - - Select Songs - Pasirinkite Giesmes + Giesmių eksportavimo vediklis + 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ą + 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ę. + Eksportavimui, turite pridėti bent vieną giesmę. - + No Save Location specified - Nenurodyta Išsaugojimo vieta + Nenurodyta įrašymo vieta - + Starting export... Pradedamas eksportavimas... - + You need to specify a directory. Privalote nurodyti katalogą. - + Select Destination Folder - Pasirinkite Paskirties Aplanką + 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. + Pasirinkite katalogą, kuriame norite, kad būtų įrašytos 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ą. + Šis vediklis padės jums eksportuoti savo giesmes į atvirą ir nemokamą <strong>OpenLyrics </strong> šlovinimo giesmių formatą. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Neteisingas Foilpresenter giesmės failas. Nerasta posmelių. @@ -8870,7 +9097,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Įjungti paiešką rinkimo metu @@ -8878,247 +9105,262 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files - Pasirinkite Dokumentą/Pateikties Failus + Pasirinkite dokumentą/Pateikties failus Song Import Wizard - Giesmių Importavimo Vedlys + Giesmių importavimo vediklis - + 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. + Šis vediklis 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 + Bendrinis dokumentas/pateiktis - + Add Files... - Pridėti Failus... + Pridėti failus... - + Remove File(s) - Šalinti Failą(-us) + Šalinti failą(-us) - + Please wait while your songs are imported. Prašome palaukti, kol bus importuotos jūsų giesmės. - + Words Of Worship Song Files - Words Of Worship Giesmių Failai + Words Of Worship giesmių failai - + Songs Of Fellowship Song Files - Songs Of Fellowship Giesmių Failai + Songs Of Fellowship giesmių failai - + SongBeamer Files - SongBeamer Failai + SongBeamer failai - + SongShow Plus Song Files - SongShow Plus Giesmių Failai + SongShow Plus giesmių failai - + Foilpresenter Song Files - Foilpresenter Giesmių Failai + Foilpresenter giesmių failai - + Copy Kopijuoti - + Save to File - Išsaugoti į Failą + Įrašyti į 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 Files - OpenLyrics Failai + OpenLyrics failai - + CCLI SongSelect Files - CCLI SongSelect Failai + CCLI SongSelect failai - + EasySlides XML File - EasySlides XML Failas + EasySlides XML failas - + EasyWorship Song Database - EasyWorship Giesmių Duomenų Bazė + EasyWorship giesmių duomenų bazė - + DreamBeam Song Files - DreamBeam Giesmių Failai + 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>. + 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 + SundayPlus giesmių failai - + This importer has been disabled. Šis importavimo įrankis buvo išjungtas. - + MediaShout Database - MediaShout Duomenų Bazė + 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į. + MediaShout importavimo įrankis yra palaikomas tik operacinėje sistemoje Windows. Jis buvo išjungtas dėl trūkstamo Python modulio. Norėdami naudotis šiuo importavimo įrankiu, turėsite įdiegti "pyodbc" modulį. - + SongPro Text Files - SongPro Tekstiniai Failai + SongPro tekstiniai failai - + SongPro (Export File) - SongPro (Eksportavimo Failas) + 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 + EasyWorship pamaldų programos failas - + WorshipCenter Pro Song Files - WorshipCenter Pro Giesmių Failai + 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į. + 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 importavimo įrankiu, turėsite įdiegti "pyodbc" modulį. - + PowerPraise Song Files - PowerPraise Giesmių Failai + PowerPraise giesmių failai - + PresentationManager Song Files - PresentationManager Giesmių Failai + PresentationManager giesmių failai - - ProPresenter 4 Song Files - ProPresenter 4 Giesmių Failai - - - + Worship Assistant Files - Worship Assistant Failai + 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ą. + Programoje Worship Assistant, eksportuokite savo duomenų bazę į CSV failą. - + OpenLyrics or OpenLP 2 Exported Song - + OpenLyrics ar OpenLP 2 eksportuota giesmė - + OpenLP 2 Databases OpenLP 2 duomenų bazės - + LyriX Files LyriX failai - + LyriX (Exported TXT-files) LyriX (Eksportuoti TXT-failai) - + VideoPsalm Files VideoPsalm failai - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - VideoPsalm giesmynai įprastai yra saugomi kataloge %s + + OPS Pro database + OPS Pro duomenų bazė + + + + The OPS 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. + OPS Pro importavimo įrankis yra palaikomas tik operacinėje sistemoje Windows. Jis buvo išjungtas dėl trūkstamo Python modulio. Norėdami naudotis šiuo importavimo įrankiu, turėsite įdiegti "pyodbc" modulį. + + + + ProPresenter Song Files + ProPresenter giesmės failai + + + + The VideoPsalm songbooks are normally located in {path} + VideoPsalm giesmynai įprastai yra saugomi kataloge {path} SongsPlugin.LyrixImport - Error: %s - Klaida: %s + File {name} + Failas {name} + + + + Error: {error} + Klaida: {error} @@ -9126,7 +9368,7 @@ Please enter the verses separated by spaces. Select Media File(s) - Pasirinkite Medija Failą(-us) + Pasirinkite medija failą(-us) @@ -9137,79 +9379,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Pavadinimai - + Lyrics Giesmės žodžiai - + CCLI License: - CCLI Licencija: + CCLI licencija: - + Entire Song - Visoje Giesmėje + Visoje giesmėje - + Maintain the lists of authors, topics and books. - Prižiūrėti autorių, temų ir giesmynų sąrašus. + Tvarkyti autorių, temų ir giesmynų sąrašus. - + copy For song cloning kopijuoti - + Search Titles... - Pavadinimų Paieška... + Pavadinimų paieška... - + Search Entire Song... - Paieška Visoje Giesmėje... + Paieška visoje giesmėje... - + Search Lyrics... - Giesmės Žodžių Paieška... + Giesmės žodžių paieška... - + Search Authors... - Autorių Paieška... + Autorių paieška... - - Are you sure you want to delete the "%d" selected song(s)? - - - - + Search Songbooks... - + Paieška giesmynuose... + + + + Search Topics... + Ieškoti temose... + + + + Copyright + Autorių teisės + + + + Search Copyright... + Ieškoti autorių teisėse... + + + + CCLI number + CCLI numeris + + + + Search CCLI number... + Ieškoti CCLI numeryje... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + Ar tikrai norite ištrinti "{items:d}" pasirinktą giesmę(-es)? SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. - Nepavyko atidaryti MediaShout duomenų bazės. + Nepavyko atverti MediaShout duomenų bazės. + + + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Neįmanoma prisijungti prie OPS Pro duomenų bazės. + + + + "{title}" could not be imported. {error} + Nepavyko importuoti "{title}". {error} SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Neteisinga OpenLP 2 giesmių duomenų bazė. @@ -9217,9 +9497,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Eksportuojama "%s"... + + Exporting "{title}"... + Eksportuojama "{title}"... @@ -9238,29 +9518,37 @@ Please enter the verses separated by spaces. Nėra giesmių, kurias importuoti. - + Verses not found. Missing "PART" header. Eilutės nerastos. Trūksta "PART" antraštės. - No %s files found. - Nerasta %s failų. + No {text} files found. + Nerasta jokių {text} failų. - Invalid %s file. Unexpected byte value. - Neteisingas %s failas. Netikėta baito reikšmė. + Invalid {text} file. Unexpected byte value. + Neteisingas {text} failas. Netikėta baito reikšmė. - Invalid %s file. Missing "TITLE" header. - Neteisingas %s failas. Trūksta "TITLE" antraštės. + Invalid {text} file. Missing "TITLE" header. + Neteisingas {text} failas. Trūksta "TITLE" antraštės. - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Neteisingas %s failas. Trūksta "COPYRIGHTLINE" antraštės. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Neteisingas {text} failas. Trūksta "COPYRIGHTLINE" antraštės. + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + Failas nėra XML formato, kuris savo ruožtu yra vienintelis palaikomas formatas. @@ -9283,25 +9571,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + Giesmyno tvarkymas 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į. + Eksportavimas užbaigtas. Tam, 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 + + Your song export failed because this error occurred: {error} + Jūsų giesmių importavimas nepavyko, nes įvyko ši klaida: {error} @@ -9317,17 +9605,17 @@ Please enter the verses separated by spaces. Nepavyko importuoti sekančių giesmių: - + Cannot access OpenOffice or LibreOffice Nepavyko prieiti prie OpenOffice ar LibreOffice - + Unable to open file - Nepavyko atidaryti failą + Nepavyko atverti failo - + File not found Failas nerastas @@ -9335,109 +9623,109 @@ Please enter the verses separated by spaces. 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. + Šis giesmynas jau yra. - + Could not save your changes. - Nepavyko išsaugoti jūsų pakeitimų. + Nepavyko įrašyti 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. + Nepavyko įrašyti 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. + Nepavyko įrašyti jūsų modifikuotos temos, nes ji jau yra. - + Delete Author - Ištrinti Autorių + 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ą + 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ą + 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + Autorius {original} jau yra. Ar norėtumėte, kad giesmės, kurių autorius {new}, naudotų esantį autorių {original}? - - 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 topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + Tema {original} jau yra. Ar norėtumėte, kad giesmės, kurių tema {new}, naudotų esančią temą {original}? - - 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? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + Giesmynas {original} jau yra. Ar norėtumėte, kad giesmės, kurių giesmynas {new} naudotų esamą giesmyną {original}? @@ -9445,7 +9733,7 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - CCLI SongSelect Importavimo Įrankis + CCLI SongSelect importavimo įrankis @@ -9465,7 +9753,7 @@ Please enter the verses separated by spaces. Save username and password - Išsaugoti naudotojo vardą ir slaptažodį + Įrašyti naudotojo vardą ir slaptažodį @@ -9475,7 +9763,7 @@ Please enter the verses separated by spaces. Search Text: - Paieškos Tekstas: + Paieškos tekstas: @@ -9483,52 +9771,47 @@ Please enter the verses separated by spaces. Paieška - - Found %s song(s) - Rasta %s giesmė(-ių) - - - + Logout Atsijungti - + View Rodinys - + Title: Pavadinimas: - + Author(s): Autorius(-iai): - - - Copyright: - Autorių Teisės: - - CCLI Number: - CCLI Numeris: + Copyright: + Autorių teisės: + CCLI Number: + CCLI numeris: + + + Lyrics: Giesmės žodžiai: - + Back - Grįžti + Atgal - + Import Importuoti @@ -9550,17 +9833,17 @@ Please enter the verses separated by spaces. Save Username and Password - Išsaugoti Naudotojo Vardą ir Slaptažodį + Įrašyti naudotojo 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: Naudotojo 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. + ĮSPĖJIMAS: Naudotojo vardo ir slaptažodžio išsaugojimas yra NESAUGUS, jūsų slaptažodis yra laikomas GRYNO TEKSTO pavidalu. Spustelėkite Taip, kad įrašyti savo slaptažodį arba Ne, kad tai atšauktumėte. Error Logging In - Prisijungimo Klaida + Prisijungimo klaida @@ -9568,9 +9851,9 @@ Please enter the verses separated by spaces. Įvyko prisijungimo klaida, galbūt, jūsų naudotojo vardas arba slaptažodis yra neteisingas? - + Song Imported - Giesmė Importuota + Giesmė importuota @@ -9583,14 +9866,19 @@ Please enter the verses separated by spaces. Š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ų? Stop - + Stabdyti + + + + Found {count:d} song(s) + Rasta {count:d} giesmė(-ių) @@ -9598,32 +9886,32 @@ Please enter the verses separated by spaces. Songs Mode - Giesmių Veiksena - - - - Display verses on live tool bar - Rodyti posmelius rodymo Gyvai įrankių juostoje + Giesmių veiksena Update service from song edit Atnaujinti pamaldų programą, redaguojant giesmę + + + Display songbook in footer + Poraštėje rodyti giesmyną + + + + Enable "Go to verse" button in Live panel + Skydelyje Gyvai, įjungti mygtuką "Pereiti į posmelį" + - Import missing songs from service files + Import missing songs from Service files Importuoti trūkstamas giesmes iš pamaldų programos failų - - - Display songbook in footer - Rodyti giesmyną poraštėje - - Display "%s" symbol before copyright info - Prieš autorių teisių informaciją rodyti "%s" simbolį + Display "{symbol}" symbol before copyright info + Prieš autorių teisių informaciją rodyti "{symbol}" simbolį @@ -9631,7 +9919,7 @@ Please enter the verses separated by spaces. Topic Maintenance - Temų Priežiūra + Temų tvarkymas @@ -9647,37 +9935,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Posmelis - + Chorus Priegiesmis - + Bridge Tiltelis - + Pre-Chorus - Prieš-Priegiesmis + Prieš-priegiesmis - + Intro Įžanga - + Ending Pabaiga - + Other Kita @@ -9685,22 +9973,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - Klaida: %s + + Error: {error} + Klaida: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + Neteisingas Words of Worship giesmės failas. Trūksta "{text}" antraštės. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + Neteisingas Words of Worship giesmės failas. Trūksta "{text}" eilutės. @@ -9711,30 +9999,30 @@ Please enter the verses separated by spaces. 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 - Įrašas %d + + Line {number:d}: {error} + Eilutė {number:d}: {error} + + + + Record {count:d} + Įrašas {count:d} + + + + Decoding error: {error} + Dekodavimo klaida: {error} SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Neįmanoma prisijungti prie WorshipCenter Pro duomenų bazės. @@ -9747,67 +10035,993 @@ Please enter the verses separated by spaces. 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 Įrašas %d + + + Line {number:d}: {error} + Eilutė {number:d}: {error} + + + + Record {index} + Įrašas {index} + + + + Decoding error: {error} + Dekodavimo klaida: {error} + Wizard Wizard - Vedlys + Vediklis - + 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ė. + Šis vediklis 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ų. + + + Review duplicate songs ({current}/{total}) + Peržiūrėti giesmių dublikatus ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + Oromų + + + + Abkhazian + Language code: ab + Abchazų + + + + Afar + Language code: aa + Afarų + + + + Afrikaans + Language code: af + Afrikanų + + + + Albanian + Language code: sq + Albanų + + + + Amharic + Language code: am + Amharų + + + + Amuzgo + Language code: amu + Amuzgų + + + + Ancient Greek + Language code: grc + Senovės graikų + + + + Arabic + Language code: ar + Arabų + + + + Armenian + Language code: hy + Armėnų + + + + Assamese + Language code: as + Asamų + + + + Aymara + Language code: ay + Aimarų + + + + Azerbaijani + Language code: az + Azerbaidžaniečių + + + + Bashkir + Language code: ba + Baškirų + + + + Basque + Language code: eu + Baskų + + + + Bengali + Language code: bn + Bengalų + + + + Bhutani + Language code: dz + Botijų + + + + Bihari + Language code: bh + Biharų + + + + Bislama + Language code: bi + Bislama + + + + Breton + Language code: br + Bretonų + + + + Bulgarian + Language code: bg + Bulgarų + + + + Burmese + Language code: my + Mjanmų + + + + Byelorussian + Language code: be + Baltarusių + + + + Cakchiquel + Language code: cak + Kakčikelių + + + + Cambodian + Language code: km + Khmerų + + + + Catalan + Language code: ca + Katalonų + + + + Chinese + Language code: zh + Kinų + + + + Comaltepec Chinantec + Language code: cco + Comaltepec Chinantec + + + + Corsican + Language code: co + Korsikiečių + + + + Croatian + Language code: hr + Kroatų + + + + Czech + Language code: cs + Čekų + + + + Danish + Language code: da + Danų + + + + Dutch + Language code: nl + Olandų + + + + English + Language code: en + Lithuanian + + + + Esperanto + Language code: eo + Esperanto + + + + Estonian + Language code: et + Estų + + + + Faeroese + Language code: fo + Farerų + + + + Fiji + Language code: fj + Fidžių + + + + Finnish + Language code: fi + Suomių + + + + French + Language code: fr + Prancūzų + + + + Frisian + Language code: fy + Fryzų + + + + Galician + Language code: gl + Galisų + + + + Georgian + Language code: ka + Gruzinų + + + + German + Language code: de + Vokiečių + + + + Greek + Language code: el + Graikų + + + + Greenlandic + Language code: kl + Grenlandų + + + + Guarani + Language code: gn + Gvaranių + + + + Gujarati + Language code: gu + Gudžaratų + + + + Haitian Creole + Language code: ht + Haičio kreolų + + + + Hausa + Language code: ha + Hausų + + + + Hebrew (former iw) + Language code: he + Hebrajų (buvusi iw) + + + + Hiligaynon + Language code: hil + Ilongų + + + + Hindi + Language code: hi + Hindi + + + + Hungarian + Language code: hu + Vengrų + + + + Icelandic + Language code: is + Islandų + + + + Indonesian (former in) + Language code: id + Indoneziečių (buvusi in) + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Interlingue + + + + Inuktitut (Eskimo) + Language code: iu + Inuktikuto (Eskimų) + + + + Inupiak + Language code: ik + Inupiakų + + + + Irish + Language code: ga + Airių + + + + Italian + Language code: it + Italų + + + + Jakalteko + Language code: jac + Jakalteko + + + + Japanese + Language code: ja + Japonų + + + + Javanese + Language code: jw + Javiečių + + + + K'iche' + Language code: quc + Vidurio kjičių + + + + Kannada + Language code: kn + Kanadų + + + + Kashmiri + Language code: ks + Kašmyrų + + + + Kazakh + Language code: kk + Kazachų + + + + Kekchí + Language code: kek + Kekchí + + + + Kinyarwanda + Language code: rw + Kinjaruanda + + + + Kirghiz + Language code: ky + Kirgizų + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Korėjiečių + + + + Kurdish + Language code: ku + Kurdų + + + + Laothian + Language code: lo + Laosiečių (Lao) + + + + Latin + Language code: la + Lotynų + + + + Latvian, Lettish + Language code: lv + Latvių + + + + Lingala + Language code: ln + Lingala + + + + Lithuanian + Language code: lt + Lietuvių + + + + Macedonian + Language code: mk + Makedonų + + + + Malagasy + Language code: mg + Malagasių + + + + Malay + Language code: ms + Malajų + + + + Malayalam + Language code: ml + Malajalių + + + + Maltese + Language code: mt + Maltiečių + + + + Mam + Language code: mam + Šiaurės mamų + + + + Maori + Language code: mi + Moorių + + + + Maori + Language code: mri + Moorių + + + + Marathi + Language code: mr + Marathų + + + + Moldavian + Language code: mo + Moldavų + + + + Mongolian + Language code: mn + Mongolų + + + + Nahuatl + Language code: nah + Actekų + + + + Nauru + Language code: na + Nauriečių + + + + Nepali + Language code: ne + Nepalų + + + + Norwegian + Language code: no + Norvegų + + + + Occitan + Language code: oc + Oksitanų + + + + Oriya + Language code: or + Orijų + + + + Pashto, Pushto + Language code: ps + Puštūnų + + + + Persian + Language code: fa + Persų + + + + Plautdietsch + Language code: pdt + Plautdietšų + + + + Polish + Language code: pl + Lenkų + + + + Portuguese + Language code: pt + Portugalų + + + + Punjabi + Language code: pa + Pendžabų + + + + Quechua + Language code: qu + Kečujų + + + + Rhaeto-Romance + Language code: rm + Retoromanų + + + + Romanian + Language code: ro + Rumunų + + + + Russian + Language code: ru + Rusų + + + + Samoan + Language code: sm + Samojiečių + + + + Sangro + Language code: sg + Songo + + + + Sanskrit + Language code: sa + Sanskrito + + + + Scots Gaelic + Language code: gd + Škotų gėlų + + + + Serbian + Language code: sr + Serbų + + + + Serbo-Croatian + Language code: sh + Serbų-kroatų + + + + Sesotho + Language code: st + Pietų sotų + + + + Setswana + Language code: tn + Tsvanų + + + + Shona + Language code: sn + Šanų + + + + Sindhi + Language code: sd + Sindhų + + + + Singhalese + Language code: si + Sinhalų + + + + Siswati + Language code: ss + Svazių + + + + Slovak + Language code: sk + Slovakų + + + + Slovenian + Language code: sl + Slovėnų + + + + Somali + Language code: so + Somalių + + + + Spanish + Language code: es + Ispanų + + + + Sudanese + Language code: su + Sudaniečių + + + + Swahili + Language code: sw + Svahilių + + + + Swedish + Language code: sv + Švedų + + + + Tagalog + Language code: tl + Tagalų + + + + Tajik + Language code: tg + Tadžikų + + + + Tamil + Language code: ta + Tamilų + + + + Tatar + Language code: tt + Totorių + + + + Tegulu + Language code: te + Telugų + + + + Thai + Language code: th + Tajų + + + + Tibetan + Language code: bo + Tibetiečių + + + + Tigrinya + Language code: ti + Tigrinų + + + + Tonga + Language code: to + Tongų + + + + Tsonga + Language code: ts + Tsongų + + + + Turkish + Language code: tr + Turkų + + + + Turkmen + Language code: tk + Turkmėnų + + + + Twi + Language code: tw + Tvi + + + + Uigur + Language code: ug + Uigūrų + + + + Ukrainian + Language code: uk + Ukrainiečių + + + + Urdu + Language code: ur + Urdų + + + + Uspanteco + Language code: usp + Uspantekų + + + + Uzbek + Language code: uz + Uzbekų + + + + Vietnamese + Language code: vi + Vietnamiečių + + + + Volapuk + Language code: vo + Volapiuko + + + + Welch + Language code: cy + Valų + + + + Wolof + Language code: wo + Volofų + + + + Xhosa + Language code: xh + Kosų + + + + Yiddish (former ji) + Language code: yi + Jidiš (buvusi ji) + + + + Yoruba + Language code: yo + Jorubų + + + + Zhuang + Language code: za + Džuangų + + + + Zulu + Language code: zu + Zulų + + + diff --git a/resources/i18n/nb.ts b/resources/i18n/nb.ts index 624c1105f..3ba424987 100644 --- a/resources/i18n/nb.ts +++ b/resources/i18n/nb.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -86,7 +87,7 @@ You have not entered a parameter to be replaced. Do you want to continue anyway? - Du har ikke angitt et parameter i feltet. + Du har ikke angitt et parameter. Vil du fortsette? @@ -96,14 +97,14 @@ Vil du fortsette? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Meldingsteksten inneholder ikke '<>'. Vil du fortsette likevel? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Du har ikke spesifisert noen tekst for meldingen. Vennligst skriv inn tekst før du klikker Ny. @@ -120,32 +121,27 @@ Vennligst skriv inn tekst før du klikker Ny. AlertsPlugin.AlertsTab - + Font Skrifttype - + Font name: Skriftnavn: - + Font color: Skriftfarge: - - Background color: - Bakgrunnsfarge: - - - + Font size: Skriftstørrelse: - + Alert timeout: Meldingsvarighet: @@ -153,88 +149,78 @@ Vennligst skriv inn tekst før du klikker Ny. 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. Fremvis valgte bibel. - + Add the selected Bible to the service. Legg valgte bibelsitat til møteprogrammet. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bibeltillegg</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. - Genesis @@ -278,12 +264,12 @@ Vennligst skriv inn tekst før du klikker Ny. 1 Samuel - 1. Samuel + 1. Samuelsbok 2 Samuel - 2. Samuel + 2. Samuelsbok @@ -739,161 +725,130 @@ Vennligst skriv inn tekst før du klikker Ny. Denne bibelen finnes allerede. Vennligst importer en annen bibel eller slett den eksisterende. - - You need to specify a book name for "%s". - Du må angi et boknavn 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. - Boknavnet "%s" er ikke riktig. -Tall kan bare brukes først i navnet og må -etterfølges av en eller flere ikke-numeriske tegn. - - - + Duplicate Book Name Dublett boknavn - - The Book Name "%s" has been entered more than once. - Boknavnet "%s" har blitt angitt flere ganger. + + You need to specify a book name for "{text}". + Du må angi et boknavn for "{text}". + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + Boknavnet "{name}" er ikke riktig. +Tall kan bare brukes først i navnet og må +etterfølges av en eller flere ikke-numeriske tegn. + + + + The Book Name "{name}" has been entered more than once. + Boknavnet "{name}" har blitt angitt flere ganger. + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Feil i bibelreferanse - - Web Bible cannot be used - Nettbibel kan ikke brukes + + Web Bible cannot be used in Text Search + Nettbibel kan ikke brukes i tekstsøk - - 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 importveiviseren 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Din skriftstedhenvisning er enten ikke støttet av OpenLP eller er ugyldig. Vennligst sørg for at din referanse oppfyller ett av følgende mønstre eller se i manualen: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Bok kapittel -Bok kapittel%(range)sKapittel -Bok kapittel%(verse)sVers%(range)sVers -Bok kapittel%(verse)sVers%(range)sVers%(list)sVers%(range)sVers -Bok kapittel%(verse)sVers%(range)sVers%(list)sKapittel%(verse)sVers%(range)sVerse -Bok kapittel%(verse)sVers%(range)sKapittel%(verse)sVerse +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + Tekstsøk er ikke tilgjengelig for nettbibler. +Vennligst bruk referansesøk i stedet. + +Dette betyr at bibelutgaven du bruker +eller sekundær utgave er installert som nettbibel. + +Hvis du forsøkte å utføre et referansesøk +i kombinert søk, er referansen ugyldig. + + + + Nothing found + Ingenting funnet BiblesPlugin.BiblesTab - + Verse Display Versvisning - + Only show new chapter numbers Vis bare nye kapittelnumre - + Bible theme: Bibeltema: - + No Brackets Ingen klammer - + ( And ) ( Og ) - + { And } { Og } - + [ And ] [ Og ] - - Note: -Changes do not affect verses already in the service. - Merk: -Endringer påvirker ikke vers som allerede finnes i møteprogrammet. - - - + Display second Bible verses Vis alternative bibelvers - + Custom Scripture References Egendefinerte skriftstedhenvisninger - - Verse Separator: - Vers-skilletegn: - - - - Range Separator: - Utvalgs-skilletegn: - - - - List Separator: - Listeskillere: - - - - End Mark: - Sluttmerker: - - - + 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. @@ -902,37 +857,84 @@ De må skilles med en loddrett strek. "|" Vennligst tøm denne redigeringslinjen for å bruke standardverdien. - + English Norsk (bokmål) - + Default Bible Language Standard bibelspråk - + Book name language in search field, search results and on display: - Boknavn språk i søkefelt, + Boknavnspråk i søkefelt, søkeresultat og på skjerm: - + Bible Language Bibelspråk - + Application Language Programspråk - + Show verse numbers Vis versnumrene + + + Note: Changes do not affect verses in the Service + Merk: Endringer påvirker ikke versene i møteprogrammet + + + + Verse separator: + Versskiller: + + + + Range separator: + Utvalgsskiller: + + + + List separator: + Listeskiller: + + + + End mark: + Sluttmerke: + + + + Quick Search Settings + Innstillinger for hurtigsøk + + + + Reset search type to "Text or Scripture Reference" on startup + Reset søketype til "tekst eller referanse" ved oppstart + + + + Don't show error if nothing is found in "Text or Scripture Reference" + Ikke vis feil dersom ingenting er funnet i "tekst eller referanse" + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + Søk automatisk mens du skriver (tekstsøk må inneholde +minst {count} bokstaver og et mellomrom av ytelsesgrunner) + BiblesPlugin.BookNameDialog @@ -988,70 +990,71 @@ søkeresultat og på skjerm: BiblesPlugin.CSVBible - - Importing books... %s - Importerer bøker... %s + + Importing books... {book} + Importerer bøker... {book} - - Importing verses... done. - Importerer vers... utført. + + Importing verses from {book}... + Importing verses from <book name>... + Importerer vers fra {book}... BiblesPlugin.EditBibleForm - + Bible Editor Bibelredigerer - + License Details Lisensdetaljer - + Version name: Versjonnavn: - + Copyright: Copyright: - + Permissions: Rettigheter: - + Default Bible Language Standard bibelspråk - + Book name language in search field, search results and on display: Boknavn språk i søkefelt, søkeresultat og på skjerm: - + Global Settings Globale innstillinger - + Bible Language Bibelspråk - + Application Language Programspråk - + English Norsk (bokmål) @@ -1071,224 +1074,259 @@ Det er ikke mulig å tilpasse boknavn. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrerer bibel og laster bøker... - + Registering Language... 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. + + + Importing {book}... + Importing <book name>... + Importerer {book}... + BiblesPlugin.ImportWizardForm - + Bible Import Wizard Verktøy for 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. 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å 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. Offentlig eiendom ("Public Domain") bibler må markeres som dette. - + 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 importer en annen bibel eller slett den eksisterende. - + Your Bible import failed. Bibelimport 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. + + + Bibles: + Bibler: + + + + SWORD data folder: + SWORD data mappe: + + + + SWORD zip-file: + SWORD zip-fil: + + + + Defaults to the standard SWORD data folder + Standardinstillinger for standard SWORD datamappe + + + + Import from folder + Importer fra mappe + + + + Import from Zip-file + Importer fra zip-fil + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + For å importere SWORD bibler må "pysword python-modulen" være installert. Vennligst les bruksanvisningen for instruksjoner. + BiblesPlugin.LanguageDialog @@ -1319,292 +1357,161 @@ Det er ikke mulig å tilpasse boknavn. BiblesPlugin.MediaItem - - Quick - Hurtig - - - + Find: Søk: - + Book: Bok: - + Chapter: Kapittel: - + Verse: Vers: - + From: Fra: - + To: Til: - + Text Search Tekstsøk - + Second: Alternativ: - + Scripture Reference Bibelreferanse - + Toggle to keep or clear the previous results. 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 søkeresultater for bibelvers. Ønsker du å slette dine søkeresultater og starte et nytt søk? - + Bible not fully loaded. Bibelen er ikke fullstendig lastet. - + 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. - Den andre bibelen inneholder ikke alle versene i hovedbibelen. Bare vers funnet i begge vil bli vist. %d vers er ikke med i resultatet. - - - + Search Scripture Reference... Søk skriftsted... - + Search Text... Søk tekst... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Søk + + + + Select + Velg + + + + Clear the search results. + Slett søkeresultater. + + + + Text or Reference + Tekst eller referanse + + + + Text or Reference... + Tekst eller referanse... + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Er du sikker på at du vil slette "%s" bibel fra OpenLP? + Er du sikker på at du vil slette "{bible}" bibel fra OpenLP? Du må importere denne bibelen på nytt for å bruke den igjen. - - Advanced - Avansert - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Ugyldig filtype for valgte bibel. OpenSong-bibler kan være komprimert. Du må dekomprimere dem før import. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - 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... + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + Den andre bibelen inneholder ikke alle versene i hovedbibelen. +Bare vers funnet i begge vil bli vist. + +{count:d} vers er ikke med i resultatet. 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... + + Importing {book} {chapter}... + Importerer {book} {chapter}... - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Velg en backupmappe + + Importing {name}... + Importerer {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Oppgraderingsveiviser - - - - 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. - Denne veiviseren hjelper deg til å oppgradere dine eksisterende bibler fra en tidligere versjon av OpenLP 2. Klikk neste nedenfor for å starte oppgraderingen. - - - - Select Backup Directory - Velg backupmappe - - - - Please select a backup directory for your Bibles - Vennligst 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 programmet. 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>. - - - - Please select a backup location for your Bibles. - Velg backupstasjon for dine bibler. - - - - Backup Directory: - Backupkatalog: - - - - There is no need to backup my Bibles - Det er ikke nødvendig å sikkerhetskopiere mine bibler - - - - Select Bibles - Velg bibel - - - - Please select the Bibles to upgrade - Velg bibel som skal oppgraderes - - - - Upgrading - Oppgraderer - - - - Please wait while your Bibles are upgraded. - 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 angitte mappen. - - - - Upgrading Bible %s of %s: "%s" -Failed - Bibeloppgradering %s av %s: "%s" mislyktes - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Oppgraderer bibel %s av %s: "%s" -Oppgraderer ... - - - - Download Error - Nedlastingsfeil - - - - To upgrade your Web Bibles an Internet connection is required. - For å oppgradere din internettbibel er tilkobling til internett påkrevd. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Oppgraderer bibel %s av %s: "%s" -Oppgraderer %s... - - - - Upgrading Bible %s of %s: "%s" -Complete - Oppgraderer bibel %s av %s: "%s" -Utført - - - - , %s failed - , %s feilet - - - - Upgrading Bible(s): %s successful%s - Oppgraderer bibel(er): %s vellykket%s - - - - Upgrade failed. - Oppgraderingen mislyktes. - - - - You need to specify a backup directory for your Bibles. - Du må spesifisere en mappe for backup av dine bibler. - - - - Starting upgrade... - Starter oppgradering... - - - - There are no Bibles that need to be upgraded. - Det er ingen bibler som trenger oppgradering. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Oppgradering bibel(bibler): %(success)d vellykket%(failed_text)s -Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørsel. Internettilkobling er påkrevd. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + En uventet feil oppsto under importen av SWORD-bibelen, vennligst rapporter denne til OpenLP-utviklerne. +{error} BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Feil bibelfiltype oppgitt. Zefania-bibler kan være komprimert. Du må dekomprimere dem før import. @@ -1612,9 +1519,9 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importerer %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importerer {book} {chapter}... @@ -1729,7 +1636,7 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse Rediger alle lysbilder på en gang. - + Split a slide into two by inserting a slide splitter. Del lysbilde i to ved å sette inn en lysbildedeler. @@ -1744,7 +1651,7 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse &Credits: - + You need to type in a title. Du må skrive inn en tittel. @@ -1754,12 +1661,12 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse Red&iger alle - + Insert Slide Sett inn lysbilde - + You need to add at least one slide. Du må legge til minst ett lysbilde. @@ -1767,7 +1674,7 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse CustomPlugin.EditVerseForm - + Edit Slide Rediger bilde @@ -1775,9 +1682,9 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Er du sikker på at du vil slette de "%d" valgte egendefinerte bilde(ne)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + Er du sikker på at du vil slette de "{items:d}" valgte egendefinerte bilde(ne)? @@ -1805,11 +1712,6 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse container title Bilder - - - Load a new image. - Last et nytt bilde. - Add a new image. @@ -1840,6 +1742,16 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse Add the selected image to the service. Legg valgte bilde til møteprogrammet. + + + Add new image(s). + Legg til nytt(-e) bilde(r). + + + + Add new image(s) + Legg til nytt(-e) bilde(r) + ImagePlugin.AddGroupForm @@ -1864,12 +1776,12 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse 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. @@ -1905,7 +1817,7 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse ImagePlugin.ExceptionDialog - + Select Attachment Velg vedlegg @@ -1913,39 +1825,22 @@ Vær oppmerksom på at versene fra nettbibler blir nedlastet på din forespørse ImagePlugin.MediaItem - + Select Image(s) 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(t) 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 ikke noe visningselement å legge til. @@ -1955,25 +1850,42 @@ 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 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? + + Are you sure you want to remove "{name}" and everything in it? + Er du sikker på at du vil fjerne "{name}" med alt innhold? + + + + The following image(s) no longer exist: {names} + De(t) følgende bilde(r) finnes ikke lenger: {names} + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + De(t) følgende bilde(r) finnes ikke lenger: {names} +Vil du likevel legge til de andre bildene? + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + Det oppstod et problem ved erstatting av bakgrunnen, bildefilen "{name}" finnes ikke lenger. ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Synlig bakgrunn for bilder med bildeformat annerledes enn skjermen. @@ -1981,27 +1893,27 @@ Vil du likevel legge til de andre bildene? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Denne mediespilleren bruker operativsystemet for å gi mediefunksjoner. @@ -2009,60 +1921,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 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. Fremvis valgte media. - + Add the selected media to the service. Legg valgte media til møteprogram. @@ -2178,47 +2090,47 @@ Vil du likevel legge til de andre bildene? VLC mislyktes i avspillingen - + CD not loaded correctly CD er ikke lagt riktig i - + The CD was not loaded correctly, please re-load and try again. CD ikke lagt riktig i, prøv igjen. - + DVD not loaded correctly DVD er ikke lagt riktig i - + The DVD was not loaded correctly, please re-load and try again. DVD er ikke lagt riktig i, prøv igjen. - + Set name of mediaclip Navngi medieklipp - + Name of mediaclip: Navn på medieklipp: - + Enter a valid name or cancel Angi et gyldig navn eller avbryt - + Invalid character Ugyldig tegn - + The name of the mediaclip must not contain the character ":" Navnet på medieklippet kan ikke inneholde tegnet ":" @@ -2226,90 +2138,100 @@ Vil du likevel legge til de andre bildene? MediaPlugin.MediaItem - + Select Media Velg media - + You must select a media file to delete. 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 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 ikke noe visningselement å legge til. - + Unsupported File - Denne filtypen støttes ikke + Filtypen støttes ikke - + Use Player: Bruk mediaspiller: - + VLC player required VLC mediaspiller er påkrevd - + VLC player required for playback of optical devices 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 Mediaklippet er allerede lagret - + This mediaclip has already been saved Dette mediaklippet har allerede blitt lagret + + + File %s not supported using player %s + Fil %s er ikke støttet når du bruker spiller %s + + + + Unsupported Media File + Mediafilen støttes ikke + + + + CD/DVD playback is only supported if VLC is installed and enabled. + CD/DVD-avspilling støttes bare når VLC er installert og aktivert. + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + Det oppstod et problem ved erstatting av bakgrunnen, mediefilen "{name}" finnes ikke lenger. + + + + The optical disc {name} is no longer available. + Den optiske platen {name} er ikke lenger tilgjengelig. + + + + The file {name} no longer exists. + Filen {name} finnes ikke lenger. + + + + Videos ({video});;Audio ({audio});;{files} (*) + Videoer ({video});;Lyd ({audio});;{files} (*) + MediaPlugin.MediaTab @@ -2320,94 +2242,93 @@ Vil du likevel legge til de andre bildene? - Start Live items automatically - Start automatisk - - - - OPenLP.MainWindow - - - &Projector Manager - Behandle &prosjektorinnstillinger + Start new Live media automatically + Start nye Live-medier automatisk OpenLP - + Image Files Bildefiler - - Information - Informasjon - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Bibelformatet er forandret. -Du må oppgradere eksisterende bibler. -Vil du at OpenLP skal oppgradere nå? - - - + Backup 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 OpenLPs datamappe? - - - + Backup of the data folder failed! Sikkerhetskopieringen mislyktes! - - A backup of the data folder has been created at %s - En sikkerhetskopi av datamappen er opprettet i %s - - - + Open Åpne + + + Video Files + Videofiler + + + + Data Directory Error + Datakatalogfeil + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Medvirkende - + License Lisens - - 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. 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. - + 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. Dette programmet er distribuert i det håp at det vil være nyttig, men UTEN NOEN FORM FOR GARANTI; selv uten underforståtte garantier om SALGBARHET eller ANVENDELIGHET FOR ET SPESIELT FORMÅL. Se nedenfor for flere detaljer. - + 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. @@ -2424,174 +2345,157 @@ Finn ut mer om OpenLP: http://openlp.org/ OpenLP er skrevet og vedlikeholdt av frivillige. Hvis du ønsker at det blir skrevet mer gratis kristen programvare, kan du vurdere et frivillig bidrag ved å klikke på knappen nedenfor. - + Volunteer Frivillig - + Project Lead Prosjektleder - + Developers Utviklere - + Contributors Bidragsytere - + Packagers Pakkere - + Testers Testere - + Translators Oversettere - + Afrikaans (af) Afrikaans (af) - + Czech (cs) Tsjekkisk(cs) - + Danish (da) Dansk (da) - + German (de) Tysk (de) - + Greek (el) Gresk (el) - + English, United Kingdom (en_GB) Engelsk, Storbritannia (en_GB) - + English, South Africa (en_ZA) Engelsk, Sør-Afrika (en_ZA) - + Spanish (es) Spansk (es) - + Estonian (et) Estisk (et) - + Finnish (fi) Finsk (fi) - + French (fr) Fransk (fr) - + Hungarian (hu) Ungarsk (hu) - + Indonesian (id) Indonesisk (id) - + Japanese (ja) Japansk (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norsk bokmål (nb) - + Dutch (nl) Nederlansk (nl) - + Polish (pl) Polsk (pl) - + Portuguese, Brazil (pt_BR) Portugesisk, Brasil (pt_BR) - + Russian (ru) Russisk (ru) - + Swedish (sv) Svensk (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamilsk(Sri-Lanka) (ta_LK) - + Chinese(China) (zh_CN) Kinesisk(Kina) (zh_CN) - + Documentation Dokumentasjon - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Fremstilt med - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: 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 @@ -2616,333 +2520,244 @@ OpenLP er skrevet og vedlikeholdt av frivillige. Hvis du ønsker at det blir skr fritt uten omkostninger, - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Delvis copyright © 2004-2016 %s + + build {version} + build {version} + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Innstillinger for brukergrensesnitt - - - Number of recent files to display: - Antall nylig brukte filer som skal vises: - - Remember active media manager tab on startup - Husk aktiv fane i innholdselementer ved oppstart - - - - Double-click to send items straight to live - Dobbelklikk for å sende poster direkte til fremvisning - - - Expand new service items on creation Utvid nye programposter ved opprettelse - + Enable application exit confirmation Aktiver avslutningsbekreftelse - + Mouse Cursor Musepekeren - + Hide mouse cursor when over display window Skjul musepekeren når den er over visningsvinduet - - Default Image - Standard bilde - - - - Background color: - Bakgrunnsfarge: - - - - Image file: - Bildefil: - - - + Open File Åpne fil - + Advanced Avansert - - - Preview items when clicked in Media Manager - Forhåndsvis poster markert i Innholdselementer - - Browse for an image file to display. - Søk etter en bildefil som skal vises. - - - - Revert to the default OpenLP logo. - Gå tilbake til standard OpenLP logo. - - - Default Service Name Standard møteprogramnavn - + Enable default service name Aktiver standard møteprogramnavn - + Date and Time: Dato og tid: - + Monday Mandag - + Tuesday Tirsdag - + Wednesday Onsdag - + Friday Fredag - + Saturday Lørdag - + Sunday Søndag - + Now - + Time when usual service starts. Tidspunkt når møtet normalt starter. - + Name: Navn: - + Consult the OpenLP manual for usage. Se OpenLP brukermanual for bruk. - - Revert to the default service name "%s". - Tilbakestill til standard møteprogramnavn "%s". - - - + Example: Eksempel: - + Bypass X11 Window Manager Forbigå X11 Window Manager - + Syntax error. Syntaksfeil. - + Data Location Sti til lagringsområde - + Current path: Gjeldende sti: - + Custom path: Egendefinert sti: - + Browse for new data file location. Bla for ny datafilplassering. - + Set the data location to the default. Tilbakestill til standard dataplassering. - + Cancel Avbryt - + Cancel OpenLP data directory location change. Avbryt endring av datafilplasseringen i OpenLP. - + Copy data to new location. Kopier data til ny plassering. - + Copy the OpenLP data files to the new location. Kopier OpenLP datafiler til den nye plasseringen. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>ADVARSEL:</strong> Den nye datakatalogen inneholder OpenLP data filer. Disse filene VIL bli overskrevet under kopieringen. - - Data Directory Error - Datakatalogfeil - - - + Select Data Directory Location Velg plassering for datakatalog - + Confirm Data Directory Change Bekreft endring av datakatalog - + Reset Data Directory Tilbakestill datakatalog - + Overwrite Existing Data Overskriv eksisterende 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 datakatalog ble ikke funnet - -%s - -Denne katalogen ble tidligere endret fra OpenLP standardplassering. Hvis den nye plasseringen var på flyttbare medier, må disse gjøres tilgjengelig. - -Klikk "Nei" for å stoppe oppstarten av OpenLP. slik at du kan løse problemet. Klikk "Ja" for å nullstille datakatalogen til standardplasseringen. - - - - 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. - Er du sikker på at du vil endre plasseringen av OpenLP datakatalog til: - - -%s - - -Datakatalogen vil bli endret når OpenLP blir lukket. - - - + Thursday Torsdag - + Display Workarounds - Grafikkløsninger + Skjermvisningsløsninger - + Use alternating row colours in lists Bruk vekslende radfarger i lister - - 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? - ADVARSEL: - -Plasseringen du har valgt - -%s - -synes å inneholde OpenLP datafiler. Ønsker du å erstatte disse filene med gjeldende datafiler? - - - + Restart Required Omstart påkrevd - + This change will only take effect once OpenLP has been restarted. Denne endringen vil bare tre i kraft når OpenLP har blitt startet på nytt. - + 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. @@ -2950,11 +2765,153 @@ This location will be used after OpenLP is closed. Denne plasseringen vil bli brukt etter OpenLP er lukket. + + + Max height for non-text slides +in slide controller: + Max height for non-text slides +in slide controller: + + + + Disabled + Deaktivert + + + + When changing slides: + Under skifting av lysbilder: + + + + Do not auto-scroll + Ikke rull automatisk + + + + Auto-scroll the previous slide into view + Autorull forrige bilde til visning + + + + Auto-scroll the previous slide to top + Autorull forrige bilde til topp + + + + Auto-scroll the previous slide to middle + Autorull forrige bilde til midten + + + + Auto-scroll the current slide into view + Autorull gjeldende bilde til visning + + + + Auto-scroll the current slide to top + Autorull gjeldende bilde til topp + + + + Auto-scroll the current slide to middle + Autorull gjeldende bilde til midten + + + + Auto-scroll the current slide to bottom + Autorull gjeldende bilde til bunn + + + + Auto-scroll the next slide into view + Autorull neste bilde til visning + + + + Auto-scroll the next slide to top + Autorull neste bilde til topp + + + + Auto-scroll the next slide to middle + Autorull neste bilde til midten + + + + Auto-scroll the next slide to bottom + Autorull neste bilde til bunn + + + + Number of recent service files to display: + Antall tidligere møteprogramfiler som skal vises: + + + + Open the last used Library tab on startup + Åpne sist bruke bibliotekfane ved oppstart + + + + Double-click to send items straight to Live + Dobbelklikk for å sende poster direkte til fremvisning + + + + Preview items when clicked in Library + Forhåndsvis poster markert i biblioteket + + + + Preview items when clicked in Service + Forhåndsvis poster som er markert i møteprogram + + + + Automatic + Automatisk + + + + Revert to the default service name "{name}". + Tilbakestill til standard møteprogramnavn "{name}". + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + Er du sikker på at du vil endre plasseringen av OpenLP datakatalog til: + +{path} + +Datakatalogen vil bli endret når OpenLP blir lukket. + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + ADVARSEL: + +Plasseringen du har valgt + +{path} + +synes å inneholde OpenLP datafiler. Ønsker du å erstatte disse filene med gjeldende datafiler? + OpenLP.ColorButton - + Click to select a color. Klikk for å velge farge. @@ -2962,252 +2919,252 @@ Denne plasseringen vil bli brukt etter OpenLP er lukket. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digital - + Storage Lager - + Network Nettverk - + 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 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 - + Network 1 Nettverk 1 - + Network 2 Nettverk 2 - + Network 3 Nettverk 3 - + Network 4 Nettverk 4 - + Network 5 Nettverk 5 - + Network 6 Nettverk 6 - + Network 7 Nettverk 7 - + Network 8 Nettverk 8 - + Network 9 Nettverk 9 @@ -3215,61 +3172,75 @@ Denne plasseringen vil bli brukt etter OpenLP er lukket. OpenLP.ExceptionDialog - + Error Occurred Feil oppstod - + Send E-Mail Send e-post - + Save to File Lagre til fil - + Attach File Legg ved fil - - - Description characters to enter : %s - Skriv forklarende tekst: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Legg ved en beskrivelse over hva du gjorde som forårsaket denne feilen. Om mulig skriv på engelsk. (Minimum 20 tegn) - - 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. Also attach any files that triggered the problem. - 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. Legg også ved eventuelle filer som utløste problemet. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + <strong>Legg ved en beskrivelse over hva du forsøkte å gjøre.</strong> &nbsp;Hvis mulig, skriv på engelsk. + + + + <strong>Thank you for your description!</strong> + Takk for din beskrivelse! + + + + <strong>Tell us what you were doing when this happened.</strong> + <strong>Fortell oss hva du gjorde da dette skjedde.</strong> + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Plattform: %s - - - - + Save Crash Report Lagre krasjrapport - + Text files (*.txt *.log *.text) Tekstfiler (*.txt *.log *.text) + + + Platform: {platform} + + Plattform: {platform} + + OpenLP.FileRenameForm @@ -3310,267 +3281,262 @@ Denne plasseringen vil bli brukt etter OpenLP er lukket. OpenLP.FirstTimeWizard - + Songs Sanger - + First Time Wizard Oppstartsveiviser - + Welcome to the First Time Wizard Velkommen til oppstartsveiviseren - - 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 - Tillat fjernstyring - - - - Monitor Song Usage - Overvåk bruk av sanger - - - - Allow Alerts - Tillat varselmeldinger - - - + Default Settings Standardinnstillinger - - Downloading %s... - Nedlasting %s... - - - + Enabling selected plugins... Aktiverer programtillegg... - + No Internet Connection Ingen internettilkobling - + Unable to detect an Internet connection. Umulig å oppdage en internettilkobling. - + 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 Eksempeltema - + 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 framvisningsskjerm: - + 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. Vennligst 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 Internettilkobling ble funnet. Oppstartsveiviseren trenger en Internett-tilkobling for å kunne laste ned eksempelsanger, bibler og temaer. Klikk Fullfør-knappen for å starte OpenLP og utføre innledende innstillinger uten eksempeldata. - -For å kjøre oppstartsveiviseren og importere disse eksempeldata på et senere tidspunkt, kan du kontrollere Internettilkoblingen og kjøre denne veiviseren ved å velge "Verktøy / Kjør oppstartsveiviser 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 forbindelsesproblemer, så videre nedlasting ble avsluttet. Prøv å kjøre oppstartsveiviseren 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 oppstartsveiviseren 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 oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk på %s knappen nå. - - - + Downloading Resource Index 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 kan ikke lastes ned - - Unable to download some files - Noen filer er umulig å laste ned + + Select parts of the program you wish to use + Velg tillegg du ønsker å bruke + + + + You can also change these settings after the Wizard. + Du kan også endre disse innstillingene senere. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Egendefinerte lysbilder - Enklere å håndtere enn sanger, og de har sin egen liste med lysbilder + + + + Bibles – Import and show Bibles + Bibler - Importer og vis bibler + + + + Images – Show images or replace background with them + Bilder - Vis bilder eller erstatt bakgrunnen med dem + + + + Presentations – Show .ppt, .odp and .pdf files + Presentasjoner - Vis .ppt, .odp og .pdf-filer + + + + Media – Playback of Audio and Video files + Media - Spill av lyd- og videofiler + + + + Remote – Control OpenLP via browser or smartphone app + Fjernstyring - Kontroller OpenLP fra en webside eller en smarttelefon-app + + + + Song Usage Monitor + Vis bruksloggen + + + + Alerts – Display informative messages while showing other slides + Meldinger - Vis informative meldinger mens du viser andre lysbilder + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projektører - Kontroller PJLink-kompatible projektører på ditt nettverk fra OpenLP + + + + Downloading {name}... + Laster ned {name}... + + + + Download complete. Click the {button} button to return to OpenLP. + Nedlastingen er ferdig. Klikk på {button} knappen for å returnere til OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Nedlastingen er ferdig. Klikk på {button} knappen for å starte OpenLP. + + + + Click the {button} button to return to OpenLP. + Klikk på {button} for å gå tilbake til OpenLP. + + + + Click the {button} button to start OpenLP. + Klikk på {button} knappen for å starte OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + Denne veiviseren hjelper deg å sette opp OpenLP for førstegangs bruk. Klikk {button} knappen under for å starte. + + + + 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 {button} 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 Internettilkobling ble funnet. Oppstartsveiviseren trenger en Internett-tilkobling for å kunne laste ned eksempelsanger, bibler og temaer. Klikk {button} for å starte OpenLP og utføre innledende innstillinger uten eksempeldata. + +For å kjøre oppstartsveiviseren og importere disse eksempeldata på et senere tidspunkt, kan du kontrollere Internettilkoblingen og kjøre denne veiviseren ved å velge "Verktøy/Kjør oppstartsveiviser på nytt" fra OpenLP. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + +For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk på {button} knappen nå. @@ -3614,44 +3580,49 @@ For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk p OpenLP.FormattingTagForm - + <HTML here> <Sett inn HTML-kode her> - + Validation Error Kontrollfeil - + Description is missing Beskrivelse mangler - + Tag is missing Tagg mangler - Tag %s already defined. - Tagg %s er allerede definert. + Tag {tag} already defined. + Tagg {tag} er allerede definert. - Description %s already defined. - Beskrivelse %s er allerede definert. + Description {tag} already defined. + Beskrivelse {tag} er allerede definert. - - Start tag %s is not valid HTML - Start tagg %s er ikke gyldig HTMLkode + + Start tag {tag} is not valid HTML + Start tagg {tag} er ikke gyldig HTMLkode - - End tag %(end)s does not match end tag for start tag %(start)s - Slutttagg %(end)s stemmer ikke overens med slutttagg for starttagg %(start)s + + End tag {end} does not match end tag for start tag {start} + Slutttagg {end} stemmer ikke overens med slutttagg for starttagg {start} + + + + New Tag {row:d} + Ny kode {row:d} @@ -3740,170 +3711,200 @@ For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk p OpenLP.GeneralTab - + General Generell - + Monitors Skjermer - + Select monitor for output display: Velg skjerm som innhold skal vises på: - + Display if a single screen Vis dersom enkel skjerm - + Application Startup Programoppstart - + Show blank screen warning Vis "blank skjerm"-advarsel - - Automatically open the last service - Åpne forrige møteprogram automatisk - - - + Show the splash screen Vis logo - + Application Settings Møteprograminnstillinger - + Prompt to save before starting a new service Spør om å lagre før du starter et nytt møteprogram - - Automatically preview next item in service - Automatisk forhåndsvis neste post i møteprogrammet - - - + sec sek - + CCLI Details CCLI-detaljer - + SongSelect username: SongSelect brukernavn: - + SongSelect password: SongSelect passord: - + X X - + Y Y - + Height Høyde - + Width Bredde - + Check for updates to OpenLP Se etter oppdateringer til OpenLP - - Unblank display when adding new live item - Gjør skjerm synlig når nytt element blir lagt til - - - + Timed slide interval: Tidsbestemt lysbildeintervall: - + Background Audio Bakgrunnslyd - + Start background audio paused Start med bakgrunnslyd pauset - + Service Item Slide Limits Bildeveksling - + Override display position: Manuell skjermposisjon: - + Repeat track list Gjenta spilleliste - + Behavior of next/previous on the last/first slide: Innstilling for navigering gjennom bildene: - + &Remain on Slide &Bli på siste bilde i sangen - + &Wrap around - &Gjennom sangen - starte om + &Gjenta fra toppen - + &Move to next/previous service item - &Gjennom sangen - neste post på programmet + &Gå til neste post på programmet + + + + Logo + Logo + + + + Logo file: + Logo fil: + + + + Browse for an image file to display. + Søk etter en bildefil som skal vises. + + + + Revert to the default OpenLP logo. + Gå tilbake til standard OpenLP logo. + + + + Don't show logo on startup + Ikke vis logo ved oppstart + + + + Automatically open the previous service file + Åpne sist brukte møteprogram automatisk + + + + Unblank display when changing slide in Live + Gjør skjerm synlig når du endrer bilde i fremvisning + + + + Unblank display when sending items to Live + Gjør skjerm synlig når du sender element til fremvisning + + + + Automatically preview the next item in service + Automatisk forhåndsvis neste post i møteprogram OpenLP.LanguageManager - + Language Språk - + Please restart OpenLP to use your new language setting. Vennligst start OpenLP på nytt for å bruke de nye språkinnstillingene. @@ -3911,7 +3912,7 @@ For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk p OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -3919,462 +3920,258 @@ For å avbryte oppstartsveiviseren fullstendig (og ikke starte OpenLP), trykk p OpenLP.MainWindow - + &File &Fil - + &Import &Importer - + &Export &Eksporter - + &View &Vis - - M&ode - M&odus - - - + &Tools V&erktøy - + &Settings &Innstillinger - + &Language &Språk - + &Help &Hjelp - - Service Manager - Møteprogram - - - - Theme Manager - Temabehandler - - - + Open an existing service. Åpne et allerede eksisterende møteprogram. - + Save the current service to disk. Lagre gjeldende møteprogram til disk. - + Save Service As Lagre møteprogram som - + Save the current service under a new name. Lagre gjeldende møteprogram med et nytt navn. - + E&xit &Avslutt - - Quit OpenLP - Avslutt OpenLP - - - + &Theme &Tema - + &Configure OpenLP... &Sett opp OpenLP... - - &Media Manager - &Innholdselementer (Bibliotek) - - - - Toggle Media Manager - Vis Innholdselementer - - - - Toggle the visibility of the media manager. - Slå på/av Innholdselementer. - - - - &Theme Manager - &Temabehandler - - - - Toggle Theme Manager - Vis temabehandler - - - - Toggle the visibility of the theme manager. - Slå på/av temabehandler. - - - - &Service Manager - &Møteprogram - - - - Toggle Service Manager - Vis møteprogram - - - - Toggle the visibility of the service manager. - Slå på/av møteprogrambehandler. - - - - &Preview Panel - &Forhåndsvisningspanel - - - - Toggle Preview Panel - Vis forhåndsvisningspanel - - - - Toggle the visibility of the preview panel. - Slå på/av forhåndsvisningspanel. - - - - &Live Panel - Fr&emvisningspanel - - - - Toggle Live Panel - Vis Fremvisningspanel - - - - Toggle the visibility of the live panel. - Slå på/av fremvisningpanel. - - - - List the Plugins - List opp tilleggsmoduler - - - - &User Guide - &Brukerveiledning - - - + &About &Om - - More information about OpenLP - Mer informasjon om OpenLP - - - - &Online Help - Online &hjelp - - - + &Web Site &Nettside - + Use the system language, if available. Bruk systemspråk dersom tilgjengelig. - - Set the interface language to %s - Sett brukerspråk til %s - - - + Add &Tool... Legg til v&erktøy... - + Add an application to the list of tools. Legg til en applikasjon i verktøylisten. - - &Default - &Standard - - - - Set the view mode back to the default. - Tilbakestill programmet til standard visning. - - - + &Setup &Planlegging - - Set the view mode to Setup. - Sett progammet i planleggingmodus. - - - + &Live &Fremvisning - - Set the view mode to Live. - Sett programmet i fremvisningmodus. - - - - 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 nå tilgjengelig for nedlasting (du bruker versjon %s). - - -Du kan laste ned siste versjon fra http://openlp.org/. - - - + OpenLP Version Updated OpenLP er oppdatert - + OpenLP Main Display Blanked OpenLP visningsskjerm er avslått - + The Main Display has been blanked out Visningsskjerm er avslått - - Default Theme: %s - Standard tema: %s - - - + English Please add the name of your language here Norsk (bokmål) - + Configure &Shortcuts... Konfigurer &hurtigtaster... - + Open &Data Folder... Åpne &datakatalog... - + Open the folder where songs, bibles and other data resides. Åpne mappen der sanger, bibler og andre data lagres. - + &Autodetect Oppdag &automatisk - + Update Theme Images Oppdater temabilder - + Update the preview images for all themes. Oppdater forhåndsvisningsbilder for alle tema. - + Print the current service. Skriv ut gjeldende møteprogram. - - L&ock Panels - L&ås paneler - - - - Prevent the panels being moved. - Forhindre at paneler blir flyttet. - - - + Re-run First Time Wizard Kjør oppstartsveiviseren på nytt - + Re-run the First Time Wizard, importing songs, Bibles and themes. Kjør oppstartsveiviseren på nytt og importer sanger, bibler og tema. - + Re-run First Time Wizard? Vil du kjøre oppstartsveiviseren på nytt? - + 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. Vil du kjøre oppstartsveiviseren på nytt? -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. +Dersom du kjører veiviseren på nytt vil det sannsynlig føre til forandringer i gjeldende oppsett i OpenLP og muligens legge til sanger i eksisterende sangliste og bytte gjeldende tema. - + Clear List Clear List of recent files Tøm listen - + Clear the list of recent files. Tøm listen over siste brukte møteprogram. - + Configure &Formatting Tags... Konfigurerer &formateringskoder... - - Export OpenLP settings to a specified *.config file - Eksporter OpenLP-innstillingene til en spesifisert *.config-fil - - - + Settings Innstillinger - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importer OpenLP-innstillier fra en spesifisert *.config fil som tidligere er eksportert fra denne eller en annen datamaskin - - - + Import settings? Vil du importere innstillinger? - - Open File - Åpne fil - - - - OpenLP Export Settings Files (*.conf) - OpenLP eksportinnstillingsfiler (*.conf) - - - + Import settings Importer innstillinger - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP vil nå avsluttes. Importerte innstillinger blir aktive ved neste oppstart av OpenLP. - + Export Settings File Eksporter innstillingsfil - - OpenLP Export Settings File (*.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 datakatalogplassering - %s. Vent til kopieringen er ferdig - - - - OpenLP Data directory copy failed - -%s - Kopiering til OpenLP datakatalog mislyktes - -%s - - - + General Generell - + Library Bibliotek - + Jump to the search box of the current active plugin. Gå til søkeboksen for den aktive plugin. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4384,10 +4181,10 @@ Dersom du kjører veiviseren på nytt vil det sannsynlig føre til forandringer Å importere innstillinger vil gjøre permanente forandringer i din nåværende OpenLP konfigurasjon. -Dersom du importerer feil innstillinger kan det føre til uberegnelig opptreden eller OpenLP avsluttes unormalt. +Dersom du importerer feil innstillinger kan det medføre 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. @@ -4396,191 +4193,380 @@ Processing has terminated and no changes have been made. Behandlingen er avsluttet og ingen endringer er gjort. - - Projector Manager - Projektorbehandler - - - - 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 - - - + &Recent Services Sist brukte &møteprogram - + &New Service &Nytt møteprogram - + &Open Service &Åpne møteprogram. - + &Save Service &Lagre møteprogram - + Save Service &As... Lagre møteprogram &som - + &Manage Plugins - &Behandle Tilleggsmoduler + &Behandle programtillegg - + Exit OpenLP Avslutt OpenLP - + Are you sure you want to exit OpenLP? Er du sikker på at du vil avslutte OpenLP? - + &Exit OpenLP &Avslutt OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Versjon {new} av OpenLP er nå tilgjengelig for nedlasting (du bruker versjon {current}). + + +Du kan laste ned siste versjon fra http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + Tasten "{key}" har ikke en standardverdi, så den vil bli hoppet over i denne eksporten. + + + + An error occurred while exporting the settings: {err} + Det oppstod en feil under eksport av innstillingene: {err} + + + + Default Theme: {theme} + Standard tema: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Kopierer OpenLP data til ny datakatalogplassering - {path} - Vent til kopieringen er ferdig + + + + OpenLP Data directory copy failed + +{err} + Kopiering til OpenLP datakatalog mislyktes + +{err} + + + + &Layout Presets + &Layout innstillinger + + + + Service + Møteprogram + + + + Themes + Temaer + + + + Projectors + Projektorer + + + + Close OpenLP - Shut down the program. + Lukk OpenLP - Avslutt programmet + + + + Export settings to a *.config file. + Eksporter innstillinger til en *.config-fil + + + + Import settings from a *.config file previously exported from this or another machine. + Importer OpenLP-innstillinger fra en *.config fil som tidligere er eksportert fra denne eller en annen datamaskin. + + + + &Projectors + &Projektorer + + + + Hide or show Projectors. + Skjul eller vis projektorer + + + + Toggle visibility of the Projectors. + Endre synlighet for projektorer. + + + + L&ibrary + B&ibliotek + + + + Hide or show the Library. + Skjul eller vis biblioteket + + + + Toggle the visibility of the Library. + Endre synlighet for biblioteket. + + + + &Themes + &Temaer + + + + Hide or show themes + Vis eller skjul temaer + + + + Toggle visibility of the Themes. + Endre synlighet for temaer. + + + + &Service + &Møteprogram + + + + Hide or show Service. + Skjul eller vis møteprogram. + + + + Toggle visibility of the Service. + Endre synlighet for møteprogram + + + + &Preview + &Forhåndsvisning + + + + Hide or show Preview. + Vis eller skjul forhåndsvisning. + + + + Toggle visibility of the Preview. + Endre synlighet for forhåndsvisning. + + + + Li&ve + Fr&emvisning + + + + Hide or show Live + Skjul eller vis fremvisning. + + + + L&ock visibility of the panels + L&ås panelene + + + + Lock visibility of the panels. + Lås panelene + + + + Toggle visibility of the Live. + Slå på/av fremvisning + + + + You can enable and disable plugins from here. + Du kan slå av eller på programtillegg her + + + + More information about OpenLP. + Mer informasjon om OpenLP. + + + + Set the interface language to {name} + Sett brukerspråk til {name} + + + + &Show all + &Vis alt + + + + Reset the interface back to the default layout and show all the panels. + Resett brukerflate til standard oppsett og vis alle paneler. + + + + Use layout that focuses on setting up the Service. + Bruk oppsett som fokuserer på å sette opp møteprogrammet. + + + + Use layout that focuses on Live. + Bruk oppsett som fokuserer på fremvisning. + + + + OpenLP Settings (*.conf) + OpenLP innstillinger (*.conf) + + + + &User Manual + + 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 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 - OpenLP kan ikke laste databasen. +Database: {db} + OpenLP kan ikke laste inn din database. -Database: %s +Database: {db} + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + Databasen som ble forsøkt lastet er laget i en nyere versjon av OpenLP. Databasen har versjon {db_ver}, mens OpenLP ventet versjon {db_up}. Databasen blir ikke lastet. + +Database: {db_name} OpenLP.MediaManagerItem - + No Items Selected Ingen poster er valgt - + &Add to selected Service Item &Legg til i valgt post i møteprogrammet - + You must select one or more items to preview. Du må velge en eller flere poster som skal forhåndsvises. - + You must select one or more items to send live. Du må velge en eller flere poster som skal fremvises. - + You must select one or more items. Du må velge en eller flere poster. - + You must select an existing service item to add to. Du må velge en eksisterende post i møteprogrammet som skal legges til. - + Invalid Service Item Ugyldig møteprogrampost - - You must select a %s service item. - Du må velge en post av typen %s i møteprogrammet. - - - + You must select one or more items to add. Du må velge en eller flere poster som skal legges til. - - No Search Results - Ingen søkeresultat - - - + Invalid File Type Ugyldig filtype - - Invalid File %s. -Suffix not supported - Ugyldig fil %s. -Filendelsen støttes ikke - - - + &Clone &Klone - + Duplicate files were found on import and were ignored. Doble versjoner av filene ble funnet ved importen og ble ignorert. + + + Invalid File {name}. +Suffix not supported + Ugyldig fil {name}. +Filendelsen støttes ikke + + + + You must select a {title} service item. + Du må velge et {title} møteprogram element. + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tagg mangler. - + <verse> tag is missing. <verse> tagg mangler. @@ -4588,22 +4574,22 @@ Filendelsen støttes ikke OpenLP.PJLink1 - + Unknown status Ukjent status - + No message Ingen melding - + Error while sending data to projector Feil under sending av data til projektor - + Undefined command: Udefinert kommando: @@ -4611,32 +4597,32 @@ Filendelsen støttes ikke OpenLP.PlayerTab - + Players Spillere - + Available Media Players Tilgjengelige mediaspillere - + Player Search Order Søkerekkefølge for mediaspillere - + Visible background for videos with aspect ratio different to screen. Synlig bakgrunn for videoer med størrelsesformat annerledes enn skjermen. - + %s (unavailable) %s (utilgjengelig) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" MERK: For å bruke VLC må du installere versjon %s @@ -4645,55 +4631,50 @@ Filendelsen støttes ikke OpenLP.PluginForm - + Plugin Details Moduldetaljer - + Status: Status: - + Active Aktiv - - Inactive - Inaktiv - - - - %s (Inactive) - %s (Inaktiv) - - - - %s (Active) - %s (Aktiv) + + Manage Plugins + Behandle programtillegg - %s (Disabled) - %s (Deaktivert) + {name} (Disabled) + {name} (Deaktivert) - - Manage Plugins - Behandle tilleggsmoduler + + {name} (Active) + {name} (Aktiv) + + + + {name} (Inactive) + {name} (Ikke aktivert) OpenLP.PrintServiceDialog - + Fit Page Tilpass til siden - + Fit Width Tilpass til bredden @@ -4701,77 +4682,77 @@ Filendelsen støttes ikke OpenLP.PrintServiceForm - + Options Alternativer - + Copy Kopier - + Copy as HTML Kopier som HTML - + Zoom In Zoom inn - + Zoom Out Zoom ut - + Zoom Original Tilbakestill zoom - + Other Options Andre alternativ - + Include slide text if available Inkluder sidetekst dersom tilgjengelig - + Include service item notes Inkluder notater - + Include play length of media items Inkluder spillelengde for mediaelementer - + Add page break before each text item Legg til sideskift for hvert tekstelement - + Service Sheet Møteprogram - + Print Skriv ut - + Title: Tittel: - + Custom Footer Text: Egendefinert bunntekst: @@ -4779,257 +4760,257 @@ Filendelsen støttes ikke OpenLP.ProjectorConstants - + OK OK - + General projector error Generell projektorfeil - + Not connected error "Ikke tilkoblet"-feil - + Lamp error Lampefeil - + Fan error Viftefeil - + High temperature detected Oppdaget høy temperatur - + Cover open detected Oppdaget åpent deksel - + Check filter Kontroller filter - + Authentication Error Godkjenningsfeil - + Undefined Command Udefinert kommando - + Invalid Parameter Ugyldig parameter - + Projector Busy Projektor opptatt - + Projector/Display Error 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) + Tilkoblingen ble nektet av noden (eller fikk 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 tilkoblinger) - + 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 Proxy-adresse angitt med setProxy() ble ikke funnet - + An unidentified error occurred En ukjent feil oppstod - + Not connected Ikke tilkoblet - + Connecting Kobler til - + Connected Tilkoblet - + Getting status Mottar status - + Off Av - + Initialize in progress Initialisering pågår - + Power in standby Strøm i standby - + Warmup in progress Oppvarming pågår - + Power is on Strømmen er slått på - + Cooldown in progress Avkjøling pågår - + Projector Information available Projektorinformasjon er tilgjengelig - + Sending data Sender data - + 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 @@ -5037,17 +5018,17 @@ Filendelsen støttes ikke 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 @@ -5055,52 +5036,52 @@ Filendelsen støttes ikke OpenLP.ProjectorEditForm - + Add New Projector Legg til ny projektor - + Edit Projector Rediger projektor - + IP Address IP-adresse - + Port Number Port nummer - + PIN PIN kode - + Name Navn - + Location Plassering - + Notes Notater - + Database Error Databasefeil - + There was an error saving projector information. See the log for the error Det oppsto en feil ved lagring av projektorinformasjonen. Se i loggen for informasjon @@ -5108,305 +5089,360 @@ Filendelsen støttes ikke OpenLP.ProjectorManager - + Add Projector Legg til projektor - - Add a new projector - Legg til en ny projektor - - - + Edit Projector Rediger projektor - - Edit selected projector - Rediger valgte projektor - - - + Delete Projector Slett projektor - - Delete selected projector - Slett valgte projektor - - - + Select Input Source Velg inngangskilde - - Choose input source on selected projector - Velg inngangskilde for valgte projektor - - - + View Projector Vis projektor - - View selected projector information - Vis informasjon for valgte projektor - - - - Connect to selected projector - Koble til valgte projektor - - - + Connect to selected projectors Koble til valgte projektorer - + Disconnect from selected projectors Koble fra valgte projektorer - + Disconnect from selected projector Koble fra valgte projektor - + Power on selected projector Slå på valgte projektor - + Standby selected projector Valgte projektor i ventemodus - - Put selected projector in standby - Sett valgt projektor i ventemodus - - - + 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 - + Name Navn - + IP IP - + Port Port - + Notes Notater - + 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 - + Lamp Lampe - - On - - - - - Off - Av - - - + Hours Timer - + No current errors or warnings Ingen aktuelle feil eller advarsler - + Current errors/warnings Aktuelle feil/advarsler - + Projector Information Projektorinformasjon - + No message Ingen melding - + Not Implemented Yet Ikke implementert ennå - - Delete projector (%s) %s? - Slett projektor (%s) %s? - - - + Are you sure you want to delete this projector? Er du sikker på at du vil slette denne projektoren? + + + Add a new projector. + Legg til en ny projektor. + + + + Edit selected projector. + Rediger valgte projektor + + + + Delete selected projector. + Slett valgte projektor. + + + + Choose input source on selected projector. + Velg inngangskilde for valgte projektor. + + + + View selected projector information. + Vis informasjon for valgte projektor. + + + + Connect to selected projector. + Koble til valgte projektor. + + + + Connect to selected projectors. + Koble til valgte projektorer. + + + + Disconnect from selected projector. + Koble fra valgte projektor. + + + + Disconnect from selected projectors. + Koble fra valgte projektorer. + + + + Power on selected projector. + Slå på valgte projektor. + + + + Power on selected projectors. + Slå på valgte projektorer. + + + + Put selected projector in standby. + Sett valgt projektor i ventemodus. + + + + Put selected projectors in standby. + Sett valgt projektor i ventemodus. + + + + Blank selected projectors screen + Slukk valgte projektorskjerm + + + + Blank selected projectors screen. + Slukk valgte projektorskjerm. + + + + Show selected projector screen. + Vis valgte projektorskjerm. + + + + Show selected projectors screen. + Vis valgte projektorskjerm. + + + + is on + er på + + + + is off + er slått av + + + + Authentication Error + Godkjenningsfeil + + + + No Authentication Error + Ingen autentiseringsfeil + OpenLP.ProjectorPJLink - + Fan Vifte - + Lamp Lampe - + Temperature Temperatur - + Cover Deksel - + Filter Filter - + Other Tilleggsinformasjon @@ -5452,17 +5488,17 @@ Filendelsen støttes ikke OpenLP.ProjectorWizard - + Duplicate IP Address Gjentatt IP-adresse - + Invalid IP Address Ugyldig IPadresse - + Invalid Port Number Ugyldig portnummer @@ -5475,27 +5511,27 @@ Filendelsen støttes ikke Skjerm - + primary primær OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Lengde</strong>: %s - - [slide %d] - [slide %d] + [slide {frame:d}] + [slide {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Start</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Lengde</strong>: {length} @@ -5526,7 +5562,7 @@ Filendelsen støttes ikke Move item up one position in the service. - Flytter posten opp et steg. + Flytter posten opp et trinn. @@ -5536,7 +5572,7 @@ Filendelsen støttes ikke Move item down one position in the service. - Flytter posten et steg ned. + Flytter posten ned ett trinn. @@ -5559,52 +5595,52 @@ Filendelsen støttes ikke Slett valgte post fra programmet. - + &Add New Item &Legg til ny post - + &Add to Selected Item Legg til i &valgt post - + &Edit Item &Rediger post - + &Reorder Item &Omorganiser post - + &Notes &Notater - + &Change Item Theme &Skift postens tema - + File is not a valid service. 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 @@ -5629,7 +5665,7 @@ Filendelsen støttes ikke Skjul alle poster i programmet. - + Open File Åpne fil @@ -5659,22 +5695,22 @@ Filendelsen støttes ikke Sender valgt element til fremvisning. - + &Start Time &Starttid - + Show &Preview &Forhåndsvis - + Modified Service Endret møteprogram - + The current service has been modified. Would you like to save this service? Gjeldende møteprogram er endret. Vil du lagre? @@ -5694,27 +5730,27 @@ Filendelsen støttes ikke Spilletid: - + Untitled Service Møteprogram uten navn - + File could not be opened because it is corrupt. Filen kunne ikke åpnes fordi den er skadet. - + Empty File Tom fil - + This service file does not contain any data. - Denne møteprogram filen er tom. + Denne møteprogramfilen er tom. - + Corrupt File Skadet fil @@ -5734,148 +5770,148 @@ Filendelsen støttes ikke Velg et tema for møteprogrammet. - + Slide theme Lysbildetema - + Notes Notater - + Edit Redigere - + Service copy only 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. - + Service File(s) Missing Møteprogramfil(er) mangler - + &Rename... &Endre navn... - + Create New &Custom Slide Opprett nytt egendefinert &lysbilde - + &Auto play slides Vis lysbilde &automatisk - + Auto play slides &Loop Vis lysbilder i &løkke - + Auto play slides &Once Vis lysbilde &en gang - + &Delay between slides &Pause mellom lysbildene - + OpenLP Service Files (*.osz *.oszl) OpenLP Møteprogramfiler (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - OpenLP Møteprogramfiler (*.osz);; OpenLP Møteprogramfiler - lett (*.oszl) + OpenLP Møteprogramfiler (*.osz);; OpenLP Møteprogramfiler - lite (*.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 + &Autostart - 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Følgende fil(er) i møteprogrammet mangler: %s + Følgende fil(er) mangler i møteprogrammet: {name} Disse filene vil bli fjernet hvis du fortsetter til lagre. + + + An error occurred while writing the service file: {error} + Det oppstod en feil under skriving av møteprogramfilen: {error} + OpenLP.ServiceNoteForm @@ -5906,14 +5942,9 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. Hurtigtast - + Duplicate Shortcut - Dublett snarvei - - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Hurtigtasten "%s" er allerede brukt til en annen handling, bruk en annen hurtigtast. + Dupliser snarvei @@ -5960,219 +5991,235 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. Configure Shortcuts Konfigurer hurtigtaster + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Skjul - + Go To Gå til - - - Blank Screen - Vis sort skjerm - - Blank to Theme - Vis tema - - - Show Desktop Vis skrivebord - + Previous Service Forrige møteprogram - + Next Service Neste møteprogram - - Escape Item - Avbryt post - - - + Move to previous. Flytt til forrige. - + Move to next. Flytt til neste. - + Play Slides Spill sider - + Delay between slides in seconds. Ventetid mellom bildene i sekunder. - + Move to live. Flytt til fremvisning. - + Add to Service. Legg til i møteprogram. - + Edit and reload song preview. Rediger og oppdater forhåndsvisning. - + Start playing media. Start avspilling av media. - + Pause audio. Pause lyden. - + Pause playing media. Pause avspilling av media. - + Stop playing media. Stopp avspilling av media. - + Video position. Videoposisjon. - + Audio Volume. Lydvolum. - + Go to "Verse" Gå til "Vers" - + Go to "Chorus" Gå til "Refreng" - + Go to "Bridge" Gå til "Mellomspill" - + Go to "Pre-Chorus" Gå til "Bro" - + Go to "Intro" Gå til "Intro" - + Go to "Ending" Gå til "Avslutt" - + Go to "Other" Gå til "Tilleggsinformasjon" - + Previous Slide Forrige bilde - + Next Slide Neste bilde - + Pause Audio Pause lyd - + Background Audio Bakgrunnslyd - + Go to next audio track. Gå til neste lydspor. - + Tracks Spor + + + Loop playing media. + Spill av media i sløyfe + + + + Video timer. + Video timer + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + 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 - + 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? @@ -6180,17 +6227,17 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. OpenLP.SpellTextEdit - + Spelling Suggestions Staveforslag - + Formatting Tags Formateringstagger - + Language: Språk: @@ -6269,7 +6316,7 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. OpenLP.ThemeForm - + (approximately %d lines per slide) (ca. %d linjer per bilde) @@ -6277,523 +6324,533 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. OpenLP.ThemeManager - + Create a new theme. Lag et nytt tema. - + Edit Theme Rediger tema - + Edit a theme. Rediger et tema. - + Delete Theme Slett tema - + Delete a theme. Slett et tema. - + Import Theme Importer tema - + Import a theme. Importer et tema. - + Export Theme Eksporter tema - + Export a theme. Eksporter et tema. - + &Edit Theme &Rediger tema - + &Delete Theme &Slett tema - + Set As &Global Default Sett som &globalt tema - - %s (default) - %s (standard) - - - + You must select a theme to edit. Du må velge et tema å redigere. - + You are unable to delete the default theme. Du kan ikke slette standardtemaet. - + You have not selected a theme. Du har ikke valgt et tema. - - Save Theme - (%s) - Lagre tema - (%s) - - - + Theme Exported Tema eksportert - + Your theme has been successfully exported. - Temaet har blitt eksportert uten problemer. + Temaeksporten var vellykket. - + Theme Export Failed Temaeksporten var mislykket - + Select Theme Import File Velg en tema importfil - + File is not a valid theme. Filen er ikke et gyldig tema. - + &Copy Theme &Kopier tema - + &Rename Theme &Endre navn på tema - + &Export Theme &Eksporter tema - + You must select a theme to rename. Du må velge et tema som skal endre navn. - + Rename Confirmation Bekreft navneendring - + Rename %s theme? Endre navn på tema %s? - + You must select a theme to delete. Du må velge et tema som skal slettes. - + Delete Confirmation Bekreft sletting - + Delete %s theme? Slett %s tema? - + Validation Error Kontrollfeil - + A theme with this name already exists. Et tema med dette navnet finnes allerede. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s gang(er) med %s - - - + Unable to delete theme Kan ikke slette tema + + + {text} (default) + {text} (standard) + + + + Copy of {name} + Copy of <theme name> + Kopi av {name} + + + + Save Theme - ({name}) + Lagre tema - ({name}) + + + + The theme export failed because this error occurred: {err} + Eksport av tema mislyktes fordi denne feilen oppstod: {err} + + + + {name} (default) + {name} (standard) + + + + Theme {name} already exists. Do you want to replace it? + Temaet {name} finnes allerede. Vil du erstatte det? + + {count} time(s) by {plugin} + {count} gang(er) av {plugin} + + + Theme is currently used -%s - Temaet er for tiden i bruk +{text} + Temaet er for tiden i bruk -%s +{text} OpenLP.ThemeWizard - + Theme Wizard Temaveiviser - + Welcome to the Theme Wizard Velkommen til temaveiviseren - + Set Up Background Sett opp bakgrunn - + Set up your theme's background according to the parameters below. Sett opp temabakgrunn i henhold til parameterne nedenfor. - + Background type: Bakgrunnstype: - + Gradient Gradient - + Gradient: Gradient: - + Horizontal Horisontal - + Vertical Vertikal - + Circular Sirkulær - + Top Left - Bottom Right Øverst til venstre - Nederst til høyre - + Bottom Left - Top Right Nederst til venstre - Øverst til høyre - + Main Area Font Details Fontdetaljer for hovedfeltet - + Define the font and display characteristics for the Display text Angi skriftstørrelsen og egenskaper for visningsteksten - + Font: Font: - + Size: Størrelse: - + Line Spacing: Linjeavstand: - + &Outline: &Kontur: - + &Shadow: &Skygge: - + Bold Fet - + Italic Kursiv - + Footer Area Font Details Fontdetaljer for bunntekstområdet - + Define the font and display characteristics for the Footer text Angi skriftstørrelsen og egenskaper for bunnteksten - + Text Formatting Details Tekstformatering - + Allows additional display formatting information to be defined Ytterlige innstillingsmuligheter for hvordan teksten skal vises - + Horizontal Align: Vannrett justering: - + Left Venstre - + Right Høyre - + Center Midten - + Output Area Locations Plassering av tekst - + &Main Area - &Hovedområdet + &Hovedområde - + &Use default location &Bruk standard plassering - + X position: X posisjon: - + px px - + Y position: Y posisjon: - + Width: Bredde: - + Height: Høyde: - + Use default location Bruk standard plassering - + Theme name: Tema navn: - - Edit Theme - %s - Rediger tema - %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. Denne veiviseren vil hjelpe deg å lage og redigere dine temaer. Klikk på Neste-knappen under for å starte oppsettet av bakgrunnen. - + Transitions: Overganger: - + &Footer Area &Bunntekst - + Starting color: Startfarge: - + Ending color: Sluttfarge: - + Background color: Bakgrunnsfarge: - + Justify Finjuster - + Layout Preview Forhåndsvisning av layout - + Transparent Gjennomsiktig - + Preview and Save Forhåndsvis og lagre - + Preview the theme and save it. Forhåndsvis og lagre temaet. - + Background Image Empty Bakgrunnsbilde er tomt - + Select Image Velg bilde - + Theme Name Missing Temanavn mangler - + There is no name for this theme. Please enter one. Du har ikke angitt navn for temaet. Vennligst legg til navn. - + Theme Name Invalid Ugyldig temanavn - + Invalid theme name. Please enter one. Ugyldig temanavn. Velg et nytt. - + Solid color Ensfarget - + color: farge: - + Allows you to change and move the Main and Footer areas. Her kan du endre og flytte tekst- og bunntekst områdene. - + You have not selected a background image. Please select one before continuing. Du har ikke valgt et bakgrunnsbilde. Vennligst velg et før du fortsetter. + + + Edit Theme - {name} + Rediger tema - {name} + + + + Select Video + Velg Video + OpenLP.ThemesTab @@ -6815,7 +6872,7 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. 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. - Bruker temaet fra hver sang i databasen. Hvis en sang ikke har et tema tilknyttet, brukes program tema. Hvis møteprogrammet ikke har et tema, brukes det globale tema. + Bruker temaet fra hver sang i databasen. Hvis en sang ikke har et tema tilknyttet brukes møteprogrammets tema. Hvis møteprogrammet ikke har et tema brukes globalt tema. @@ -6825,7 +6882,7 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. 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. - Bruk 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 brukes globalt tema. @@ -6858,17 +6915,17 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. Delete the selected item. - Slett valgte post. + Slett valgte element. Move selection up one position. - Flytt valgte ett steg opp. + Flytt valgte element ett trinn opp. Move selection down one position. - Flytt valgte ett steg ned. + Flytt valgte element ett trinn ned. @@ -6876,73 +6933,73 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. &Vertikal justering: - + Finished import. Import fullført. - + Format: Format: - + Importing Importerer - + Importing "%s"... Importerer "%s"... - + Select Import Source Velg importkilde - + Select the import format and the location to import from. Velg importformat og plasseringen du vil importere fra. - + Open %s File Åpne %s fil - + %p% %p% - + Ready. Klar. - + Starting import... Starter import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Du må angi minst én %s fil som du vil importere fra. - + Welcome to the Bible Import Wizard Velkommen til bibelimportveiviseren - + Welcome to the Song Export Wizard Velkommen til sangeksportveiviseren - + Welcome to the Song Import Wizard Velkommen til sangimportveiviseren @@ -6960,7 +7017,7 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. - © + © Copyright symbol. © @@ -6992,39 +7049,34 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. XML syntaksfeil - - Welcome to the Bible Upgrade Wizard - Velkommen til bibeloppgradering-veiviseren - - - + Open %s Folder Åpne %s mappe - + You need to specify one %s file to import from. A file type e.g. OpenSong Du må angi en %s fil du vil importere fra. - + You need to specify one %s folder to import from. A song format e.g. PowerSong 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 av sangduplikater - + Written by Skrevet av @@ -7034,504 +7086,492 @@ Disse filene vil bli fjernet hvis du fortsetter til lagre. Ukjent forfatter - + About Om - + &Add &Legg til - + Add group Legg til gruppe - + Advanced Avansert - + All Files Alle filer - + Automatic Automatisk - + Background Color Bakgrunnsfarge - + Bottom Bunn - + Browse... Bla... - + Cancel Avbryt - + CCLI number: CCLI nummer: - + Create a new service. Lag et nytt møteprogram. - + Confirm Delete Bekreft sletting - + Continuous Kontinuerlig - + Default Standard - + Default Color: Standard farge: - + 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. Møteprogram %Y-%m-%d %H-%M - + &Delete &Slett - + Display style: Visningsstil: - + Duplicate Error Duplikatfeil - + &Edit &Rediger - + Empty Field Tomt felt - + Error Feil - + Export Eksporter - + File Fil - + File Not Found Fil ikke funnet - - File %s not found. -Please try selecting it individually. - Fil %s ikke funnet. -Vennligst prøv å velge den individuelt. - - - + pt Abbreviated font pointsize unit pt - + Help Hjelp - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Ugyldig mappe valgt - + Invalid File Selected Singular Ugyldig fil valgt - + Invalid Files Selected Plural Ugyldige filer valgt - + Image Bilde - + Import Importere - + Layout style: Layout stil: - + Live Fremvisning - + Live Background Error - Fremvisning bakgrunns feil + Feil i levende bakgrunn - + Live Toolbar Fremvisning - verktøylinje - + Load Laste - + Manufacturer Singular Produsent - + Manufacturers Plural Produsenter - + Model Singular Modell - + Models Plural Modeller - + m The abbreviated unit for minutes m - + Middle Midten - + New Ny - + New Service Nytt møteprogram - + New Theme Nytt tema - + Next Track Neste spor - + No Folder Selected Singular Ingen mappe valgt - + No File Selected Singular Ingen fil er valgt - + No Files Selected Plural Inger filer er valgt - + No Item Selected Singular Ingen post er valgt - + No Items Selected Plural Ingen poster er valgt - + OpenLP is already running. Do you wish to continue? OpenLP kjører allerede. Vil du fortsette? - + Open service. Åpne møteprogram. - + Play Slides in Loop Kontinuerlig visning av sider - + Play Slides to End Vis sider til "siste side" - + Preview Forhåndsvisning - + Print Service Skriv ut møteprogram - + Projector Singular Projektor - + Projectors Plural Projektorer - + Replace Background Erstatt bakgrunn - + Replace live background. Bytt fremvisningbakgrunn. - + Reset Background Tilbakestill bakgrunn - + Reset live background. - Tilbakestill fremvisningbakgrunn. + Tilbakestill levende bakgrunn. - + 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 - + 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. + Splitte et lysbilde 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" + Stopp visning av sider til siste side - + Theme Singular Tema - + Themes Plural Temaer - + Tools Verktøy - + Top Topp - + Unsupported File Filtypen 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: - + Preview Toolbar Forhåndsvisning - verktøylinje - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - En kan ikke bytte fremvist bakgrunnsbilde når WebKit spilleren er deaktivert. + En kan ikke bytte levende bakgrunn når WebKit spilleren er deaktivert. @@ -7545,32 +7585,100 @@ Vennligst prøv å velge den individuelt. Plural Sangbøker + + + Background color: + Bakgrunnsfarge: + + + + Add group. + Legg til gruppe. + + + + File {name} not found. +Please try selecting it individually. + Fil {name} ikke funnet. +Vennligst prøv å velge den individuelt. + + + + Start {code} + Start {code} + + + + Video + Video + + + + Search is Empty or too Short + Søket er tomt eller for kort + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + <strong>Søket du har skrevet er tomt eller kortere enn 3 tegn. </strong><br><br>Forsøk igjen med en lengre tekst. + + + + No Bibles Available + Ingen bibler tilgjengelig + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + <strong>Det er ingen bibler installert. </strong><br><br>Vennligst bruk importveiviseren for å installere en eller flere bibler. + + + + Book Chapter + Bok kapittel + + + + Chapter + Kapittel + + + + Verse + Vers + + + + Psalm + Salme + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + Boknavn kan forkortes fra fulle navn, f.eks. Sal 23 = Salme 23 + + + + No Search Results + Ingen søkeresultat + + + + Please type more text to use 'Search As You Type' + + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s og %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, og %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7650,46 +7758,46 @@ Vennligst prøv å velge den individuelt. Presenter ved hjelp av: - + File Exists Filen eksisterer allerede - + A presentation with that filename already exists. En presentasjon med dette filnavnet eksisterer allerede. - + This type of presentation is not supported. Denne type presentasjoner er ikke støttet. - - Presentations (%s) - Presentasjoner (%s) - - - + Missing Presentation Presentasjonen mangler - - The presentation %s is incomplete, please reload. - Presentasjonen %s er ufullstendig, vennligst oppdater. + + Presentations ({text}) + Presentasjoner ({text}) - - The presentation %s no longer exists. - Presentasjonen %s eksisterer ikke lenger. + + The presentation {name} no longer exists. + Presentasjonen {name} eksisterer ikke lenger. + + + + The presentation {name} is incomplete, please reload. + Presentasjonen {name} er ufullstendig, vennligst oppdater. 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. Det oppstod en feil i Powerpointintegrasjonen og presentasjonen vil bli stoppet. Start presentasjonen på nytt hvis du ønsker å fortsette. @@ -7700,11 +7808,6 @@ Vennligst prøv å velge den individuelt. Available Controllers Tilgjengelige presentasjonsprogram - - - %s (unavailable) - %s (utilgjengelig) - Allow presentation application to be overridden @@ -7721,12 +7824,12 @@ Vennligst prøv å velge den individuelt. 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. @@ -7737,13 +7840,20 @@ Vennligst prøv å velge den individuelt. - Clicking on a selected slide in the slidecontroller advances to next effect. - Ved å klikke på et valgt lysbilde i fremvisningskontrollen; fortsetter til neste effekt. + Clicking on the current slide advances to the next effect + Å klikke på et valgt lysbilde i fremvisningskontrollen fortsetter til neste effekt. - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - La PowerPoint kontrollere størrelsen og posisjonen til presentasjonsvinduet (løsning på Windows 8 skalerings problemer) + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + La PowerPoint kontrollere størrelsen og posisjonen til presentasjonsvinduet +(Dette kan løse skaleringsproblemer i Windows 8 og 10) + + + + {name} (unavailable) + {name} (ikke tilgjengelig) @@ -7774,138 +7884,138 @@ Vennligst prøv å velge den individuelt. Server Config Change - Endre serverinnstillingene + Endre serverinnstillinger Server configuration changes will require a restart to take effect. - Endring av serverinnstillingene krever omstart for å tre i kraft. + Endring av serverinnstillinger krever omstart for å tre i kraft. RemotePlugin.Mobile - + Service Manager Møteprogram - + Slide Controller Fremvisningskontroll - + Alerts Meldinger - + Search Søk - + Home Hjem - + Refresh Oppdater - + Blank Slukk - + Theme Tema - + Desktop Skrivebord - + Show Vis - + Prev Forrige - + Next Neste - + Text Tekst - + Show Alert 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 - + Remote Fjernstyring - + Stage View Scenevisning - + Live View Skjermvisning @@ -7913,79 +8023,142 @@ Vennligst prøv å velge den individuelt. RemotePlugin.RemoteTab - + Serve on IP address: Bruk IP-adresse: - + Port number: Portnummer: - + Server Settings Serverinnstillinger - + Remote URL: Fjernstyring URL: - + Stage view URL: Scenevisning URL: - + Display stage time in 12h format Vis scenetiden i 12-timersformat - + Android App Android App - + 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: - + Password: Passord: - + Show thumbnails of non-text slides in remote and stage view. Vis miniatyrbilder av ikke-tekst slides i fjernstyrings- og scenevisning. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Skann QR-koden eller klikk <a href="%s">last ned</a> for å installere Android appen fra Google Play. + + iOS App + iOS App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + Skann QR-koden eller klikk <a href="{qr}">last ned</a> for å installere Android appen fra Google Play. + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + Skann QR-koden eller klikk <a href="{qr}">last ned</a> for å installere iOS-appen fra App Store. + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Målmappe er ikke valgt + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Rapport opprettet + + + + Report +{name} +has been successfully created. + Rapporten +{name} +er opprettet uten problemer. + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8023,55 +8196,55 @@ Vennligst prøv å velge den individuelt. Toggle the tracking of song usage. - Slår logging av sanger av/på. + Slår logging av sanger på/av. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <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. Sanglogging er aktiv. - + Song usage tracking is inactive. Sanglogging er ikke aktiv. - + display vise - + printed - utskrevet + skrevet ut @@ -8137,24 +8310,10 @@ Alle data som er registrert før denne datoen vil bli varig slettet.Ut-fil plassering - - usage_detail_%s_%s.txt - bruks_detaljer_%s_%s.txt - - - + Report Creation Rapport opprettet - - - Report -%s -has been successfully created. - Rapport -%s -er opprettet uten problem. - Output Path Not Selected @@ -8164,18 +8323,32 @@ er opprettet uten problem. 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. + Du må velge en gyldig målmappe 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 + + usage_detail_{old}_{new}.txt + bruksdetaljer_{gml}_{ny}.txt + + + + Report +{name} +has been successfully created. + Rapporten +{name} +er opprettet uten problemer. + + + + An error occurred while creating the report: {error} + Det oppstod en feil ved oppretting av rapporten: {error} @@ -8191,102 +8364,102 @@ Velg en eksisterende sti på harddisken. Importere sanger med importveiviseren. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <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. Reindekserer sangdatabasen for å oppnå bedre inndeling og søking. - + Reindexing songs... Indekserer sanger på nytt ... - + Arabic (CP-1256) Arabisk (CP-1256) - + Baltic (CP-1257) Baltisk (CP-1257) - + Central European (CP-1250) Sentraleuropeisk (CP-1250) - + Cyrillic (CP-1251) Kyrillisk (CP-1251) - + Greek (CP-1253) Gresk (CP-1253) - + Hebrew (CP-1255) Hebraisk (CP-1255) - + Japanese (CP-932) Japansk (CP-932) - + Korean (CP-949) Koreansk (CP-949) - + Simplified Chinese (CP-936) Forenklet kinesisk (CP-936) - + Thai (CP-874) Thai (CP-874) - + Traditional Chinese (CP-950) Tradisjonell kinesisk (CP-950) - + Turkish (CP-1254) Tyrkisk (CP-1254) - + Vietnam (CP-1258) Vietnamesisk (CP-1258) - + Western European (CP-1252) Vesteuropeisk (CP-1252) - + Character Encoding Tegnkoding - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8294,26 +8467,26 @@ Usually you are fine with the preselected choice. Vanligvis fungerer forhåndsvalgt innstilling. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Velg tegntabellinnstilling. Innstillingen er avgjørende for riktige tegn. - + Song name singular Sang - + Songs name plural Sanger - + Songs container title Sanger @@ -8324,37 +8497,37 @@ Innstillingen er avgjørende for riktige tegn. 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 @@ -8369,15 +8542,30 @@ Innstillingen er avgjørende for riktige tegn. 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. + + + Songs + Sanger + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8441,7 +8629,7 @@ Innstillingen er avgjørende for riktige tegn. You have not set a display name for the author, combine the first and last names? - Du har ikke satt et visningsnavn til forfatteren, kombiner for- og etternavn. + Du har ikke satt et visningsnavn for forfatteren, kombinere for- og etternavn? @@ -8463,62 +8651,67 @@ Innstillingen er avgjørende for riktige tegn. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administreres av %s - - - - "%s" could not be imported. %s - "%s" kunne ikke importeres. %s - - - + Unexpected data formatting. Uventet dataformatering. - + No song text found. Ingen sangtekst funnet. - + [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. + + + Administered by {admin} + Administeres av {admin} + + + + "{title}" could not be imported. {entry} + "{title}" kunne ikke importeres. {entry} + + + + "{title}" could not be imported. {error} + "{title}" kunne ikke importeres. {error} + SongsPlugin.EditBibleForm - + Meta Data Metadata - + Custom Book Names Egendefinerte boknavn @@ -8601,57 +8794,57 @@ Innstillingen er avgjørende for riktige tegn. Tema, copyright info && kommentarer - + Add Author Legg til forfatter - + This author does not exist, do you want to add them? Denne forfatteren eksisterer ikke, skal den opprettes? - + This author is already in the list. Denne forfatteren er allerede på listen. - + 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. Du har ikke valgt et gyldig forfatternavn. Enten velg en forfatter fra listen eller skriv inn en ny forfatter og klikk "Legg til forfatter" -knappen for å legge til en ny forfatter. - + Add Topic Legg til emne - + This topic does not exist, do you want to add it? Dette emnet eksisterer ikke, skal det opprettes? - + This topic is already in the list. Dette emnet eksisterer allerede i listen. - + 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å "Legg til emne"-knappen for å legge til det nye emnet. - + You need to type in a song title. Du må oppgi sangtittel. - + You need to type in at least one verse. Du må skrive inn minst ett vers. - + You need to have an author for this song. Du må angi en forfatter til denne sangen. @@ -8676,7 +8869,7 @@ Innstillingen er avgjørende for riktige tegn. Fjern &alle - + Open File(s) Åpne fil(er) @@ -8691,14 +8884,7 @@ Innstillingen er avgjørende for riktige tegn. <strong>Advarsel:</strong> Du har ikke angitt versrekkefølge. - - 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. - - - + Invalid Verse Order Feil versrekkefølge @@ -8708,22 +8894,15 @@ Fyll inn versene adskilt med mellomrom. &Rediger forfatterkategori - + Edit Author Type Rediger forfatterkategori - + Choose type for this author Velg kategori for denne forfatteren - - - 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. - &Manage Authors, Topics, Songbooks @@ -8745,45 +8924,77 @@ Fyll inn versene adskilt med mellomrom. Forfattere, emner && sangbøker - + Add Songbook Legg til sangbok - + This Songbook does not exist, do you want to add it? Denne sangboken eksisterer ikke, skal den opprettes? - + This Songbook is already in the list. Denne sangboken finnes allerede i listen. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Du har ikke valgt en gyldig sangbok. Du kan enten velge en sangbok fra listen, eller lag en ny sangbok og klikk på "Tilføye sang" knappen for å legge til den nye sangboken. + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Det er ingen vers tilsvarende "{invalid}". Gyldige oppføringer er {valid}. +Skriv inn versene adskilt med mellomrom. + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + Det er ingen vers tilsvarende "{invalid}". Gyldige oppføringer er {valid}. +Skriv inn versene adskilt med mellomrom. + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + Det er feilplasserte formateringstagger i følgende vers: + +{tag} + +Vennligst korriger disse før du fortsetter. + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + Du har {count} vers med navn {name} {number}. Du kan ha maksimalt 26 vers med samme navn + SongsPlugin.EditVerseForm - + Edit Verse Rediger vers - + &Verse type: &Verstype: - + &Insert Set &inn - + Split a slide into two by inserting a verse splitter. Splitte siden i to ved å sette et verssplitter. @@ -8796,77 +9007,77 @@ Fyll inn versene adskilt med mellomrom. Veiviser for sangeksport - + Select Songs Velg sanger - + Check the songs you want to export. Merk sangene du vil eksportere. - + Uncheck All Fjern all merking - + Check All Merk alle - + Select Directory Velg katalog - + Directory: Katalog: - + Exporting Eksporterer - + Please wait while your songs are exported. Vennligst vent mens sangene blir eksportert. - + You need to add at least one Song to export. Du må legge til minst én sang som skal eksporteres. - + No Save Location specified Lagringsområdet er ikke angitt - + Starting export... Starter eksporten... - + You need to specify a directory. Du må angi en katalog. - + Select Destination Folder Velg målmappe - + Select the directory where you want the songs to be saved. Velg katalogen hvor du vil sangene skal lagres. - + 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. @@ -8874,7 +9085,7 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Ugyldig Foilpresenter sangfil. Ingen vers funnet. @@ -8882,7 +9093,7 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.GeneralTab - + Enable search as you type Aktiver søk mens du skriver @@ -8890,7 +9101,7 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Velg dokument/presentasjonsfiler @@ -8900,237 +9111,252 @@ Fyll inn versene adskilt med mellomrom. Veiviser for sangimport - + 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. Denne veiviseren vil hjelpe deg å importere sanger fra en rekke formater. For å starte importen klikk på "Neste-knappen" og så velg format og sted å importere fra. - + Generic Document/Presentation Generic Document/Presentation - + Add Files... Legg til filer... - + Remove File(s) Fjern filer(er) - + Please wait while your songs are imported. Vennligst vent mens sangene importeres. - + Words Of Worship Song Files Words Of Worship sangfiler - + Songs Of Fellowship Song Files Songs Of Fellowship sangfiler - + SongBeamer Files SongBeamer filer - + SongShow Plus Song Files SongShow Plus sangfiler - + Foilpresenter Song Files Foilpresenter sangfiler - + Copy Kopier - + Save to File Lagre til fil - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. "Songs of Fellowship"-importøren har blitt deaktivert fordi OpenLP ikke får tilgang til OpenOffice eller LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Den generiske dokument/presentasjon importøren har blitt deaktivert fordi OpenLP ikke får tilgang til OpenOffice eller LibreOffice. - + OpenLyrics Files OpenLyrics filer - + CCLI SongSelect Files CCLI SongSelect-filer - + EasySlides XML File EasySlides XML-fil - + EasyWorship Song Database EasyWorship sangdatabase - + DreamBeam Song Files DreamBeam Sangfiler - + You need to specify a valid PowerSong 1.0 database folder. Du må angi en gyldig PowerSong 1.0 databasemappe. - + 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>. 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>. - + SundayPlus Song Files SundayPlus sangfiler - + This importer has been disabled. Denne importfunksjonen er deaktivert. - + 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. Importfunksjonen for MediaShout støttes bare i Windows. Den har blitt deaktivert på grunn av en manglende Python-modul. Hvis du ønsker å bruke denne importøren, må du installere "pyodbc" modulen. - + SongPro Text Files SongPro tekstfiler - + SongPro (Export File) SongPro (eksportfil) - + In SongPro, export your songs using the File -> Export menu I SongPro eksporterer du sangene ved hjelp av File -> Export menyen - + EasyWorship Service File EasyWorship møteprogramfil - + WorshipCenter Pro Song Files WorshipCenter Pro sangfiler - + 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. Importfunksjonen for MediaShout støttes bare i Windows. Den har blitt deaktivert på grunn av en manglende Python-modul. Hvis du ønsker å bruke denne importøren, må du installere "pyodbc" modulen. - + 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 må du eksportere din database til en CSV fil. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics eller OpenLP 2 eksporterte sanger - + OpenLP 2 Databases OpenLP 2 databaser - + LyriX Files LyriX Filer - + LyriX (Exported TXT-files) LyriX (Eksporterte TXT-filer) - + VideoPsalm Files VideoPsalm Filer - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - VideoPsalm sangbøker finnes vanligvis i %s + + OPS Pro database + OPS Pro database + + + + The OPS 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. + Importfunksjonen for OPS Pro støttes bare i Windows. Den har blitt deaktivert på grunn av en manglende Python-modul. Hvis du ønsker å bruke denne importfunksjonen, må du installere "pyodbc" modulen. + + + + ProPresenter Song Files + ProPresenter sangfiler + + + + The VideoPsalm songbooks are normally located in {path} + VideoPsalm sangbøker finnes vanligvis i {path} SongsPlugin.LyrixImport - Error: %s - Feil: %s + File {name} + Fil {name} + + + + Error: {error} + Feil: {error} @@ -9149,79 +9375,117 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.MediaItem - + Titles Titler - + Lyrics Sangtekster - + CCLI License: CCLI Lisens: - + Entire Song Hele sangen - + Maintain the lists of authors, topics and books. Vedlikeholde listene over forfattere, emner og bøker. - + copy For song cloning kopi - + Search Titles... Søk titler... - + Search Entire Song... Søk i hele sanginnholdet... - + Search Lyrics... Søk i sangtekster... - + Search Authors... Søk forfattere... - - Are you sure you want to delete the "%d" selected song(s)? - Er du sikker på at du vil slette de "%d" valgte sang(ene)? - - - + Search Songbooks... Søk i sangbøker + + + Search Topics... + Søk i Emne... + + + + Copyright + Copyright + + + + Search Copyright... + Søk i Copyright... + + + + CCLI number + CCLI nummer + + + + Search CCLI number... + Søk i CCLI nummer... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + Er du sikker på at du vil slette de "{items:d}" valgte sang(ene)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Kan ikke åpne MediaShout databasen. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Kan ikke oprette kontakt med OPS Pro databasen. + + + + "{title}" could not be imported. {error} + "{title}" kunne ikke importeres. {error} + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Ikke en gyldig OpenLP 2 sangdatabase. @@ -9229,9 +9493,9 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Eksporterer "%s"... + + Exporting "{title}"... + Eksporterer "{title}"... @@ -9250,29 +9514,37 @@ Fyll inn versene adskilt med mellomrom. Ingen sanger å importere. - + Verses not found. Missing "PART" header. Versene ikke funnet. Mangler "PART" overskrift. - No %s files found. - Ingen %s fler funnet. + No {text} files found. + Ingen {text} filer funnet. - Invalid %s file. Unexpected byte value. - Ugyldig %s fil. Uventet byteverdi. + Invalid {text} file. Unexpected byte value. + Ugyldig {text} fil. Uventet byteverdi. - Invalid %s file. Missing "TITLE" header. - Ugyldig %s fil. Mangler "TITLE" overskrift. + Invalid {text} file. Missing "TITLE" header. + Ugyldig {text} fil. Mangler "TITLE" overskrift. - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Ugyldig %s fil. Manglende "COPYRIGHTLINE" overskrift. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Ugyldig {text} fil. Manglende "COPYRIGHTLINE" overskrift. + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + Filen er ikke i XML-format som er det eneste støttede formatet. @@ -9285,7 +9557,7 @@ Fyll inn versene adskilt med mellomrom. &Publisher: - &Forlegger: + &Utgiver: @@ -9301,19 +9573,19 @@ Fyll inn versene adskilt med mellomrom. 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 <strong>OpenLyrics</strong>-importøren. - - Your song export failed because this error occurred: %s - Eksport av sangen mislyktes fordi denne feilen oppstod: %s + + Your song export failed because this error occurred: {error} + Eksport av sangen mislyktes fordi denne feilen oppstod: {error} @@ -9329,17 +9601,17 @@ Fyll inn versene adskilt med mellomrom. Følgende sanger kunne ikke importeres: - + Cannot access OpenOffice or LibreOffice Får ikke tilgang til OpenOffice eller LibreOffice - + Unable to open file Kan ikke åpne fil - + File not found Fil ikke funnet @@ -9347,109 +9619,109 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.SongMaintenanceForm - + Could not add your author. Kunne ikke legge til forfatteren. - + This author already exists. Denne forfatteren finnes allerede. - + Could not add your topic. Kunne ikke legge til emnet. - + This topic already exists. Dette emnet finnes allerede. - + Could not add your book. Kunne ikke legge til boken. - + This book already exists. Denne boken finnes allerede. - + Could not save your changes. Kunne ikke lagre endringene. - + Could not save your modified author, because the author already exists. Kunne ikke lagre den endrede forfatteren fordi forfatteren finnes allerede. - + Could not save your modified topic, because it already exists. Kunne ikke lagre det endrede emnet, fordi det finnes allerede. - + Delete Author Slett forfatter - + Are you sure you want to delete the selected author? Er du sikker på at du vil slette den valgte forfatteren? - + This author cannot be deleted, they are currently assigned to at least one song. Denne forfatteren kan ikke slettes. Den er for øyeblikket tilknyttet minst én sang. - + Delete Topic Slett emne - + Are you sure you want to delete the selected topic? Er du sikker på at du vil slette valgte emne? - + This topic cannot be deleted, it is currently assigned to at least one song. Dette emnet kan ikke slettes. Det er for øyeblikket tilknyttet minst én sang. - + Delete Book Slett bok - + Are you sure you want to delete the selected book? Er du sikker på at du vil slette valgte bok? - + This book cannot be deleted, it is currently assigned to at least one song. Denne boken kan ikke slettes. Den er for øyeblikket tilknyttet minst én sang. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Forfatteren %s finnes allerede. Vil du lage sanger med forfatter %s bruk den eksisterende forfatter %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + Forfatteren {original} finnes allerede. Vil du la sanger med forfatter {new} bruke den eksisterende forfatter {original}? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Emnet %s finnes allerede. Vil du lage sanger med emne %s bruk det eksisterende emne %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + Emnet {original} finnes allerede. Vil du la sanger med emne {new} bruke det eksisterende emne {original}? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Boken %s finnes allerede. Vil du lage sanger med bok %s bruk den eksisterende bok %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + Boken {original} finnes allerede. Vil du la sanger med bok {new} bruke den eksisterende boken {original}? @@ -9457,7 +9729,7 @@ Fyll inn versene adskilt med mellomrom. CCLI SongSelect Importer - CCLI SongSelect importør + CCLI SongSelect importverktøy @@ -9495,52 +9767,47 @@ Fyll inn versene adskilt med mellomrom. Søk - - Found %s song(s) - Fant %s sang(er) - - - + Logout Logg ut - + View Vis - + Title: Tittel: - + Author(s): Forfatter(e): - + Copyright: Copyright: - + CCLI Number: CCLI Nummer: - + Lyrics: Sangtekster: - + Back Tilbake - + Import Importere @@ -9580,7 +9847,7 @@ Fyll inn versene adskilt med mellomrom. Det var problemer med å logge inn, kanskje brukernavn eller passord er feil? - + Song Imported Sang importert @@ -9595,7 +9862,7 @@ Fyll inn versene adskilt med mellomrom. Denne sangen har noen mangler, f. eks sangteksten, og kan derfor ikke importeres. - + Your song has been imported, would you like to import more songs? Sangen har blitt importert, ønsker du å importere flere sanger? @@ -9604,6 +9871,11 @@ Fyll inn versene adskilt med mellomrom. Stop Stopp + + + Found {count:d} song(s) + Fant {count:d} sang(er) + SongsPlugin.SongsTab @@ -9612,30 +9884,30 @@ Fyll inn versene adskilt med mellomrom. Songs Mode Sangmodus - - - Display verses on live tool bar - Vis versene på fremvis - verktøylinje - Update service from song edit - Oppgrader sanger også i møteprogramet - - - - Import missing songs from service files - Importer manglende sanger fra møteprogram filene + Oppgrader sanger også i møteprogrammet Display songbook in footer Vis sangbok i bunntekst + + + Enable "Go to verse" button in Live panel + Aktiver "Gå til vers"-knapp i fremvisningspanelet + + + + Import missing songs from Service files + Importer manglende sanger fra møteprogramfilene + - Display "%s" symbol before copyright info - Sett "%s" symbol foran copyright informasjonen + Display "{symbol}" symbol before copyright info + Sett "{symbol}" symbol foran copyrightinformasjonen @@ -9659,37 +9931,37 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.VerseType - + Verse Vers - + Chorus Refreng - + Bridge Stikk - + Pre-Chorus Bro - + Intro Intro - + Ending Avslutning - + Other Tilleggsinformasjon @@ -9697,22 +9969,22 @@ Fyll inn versene adskilt med mellomrom. SongsPlugin.VideoPsalmImport - - Error: %s - Feil: %s + + Error: {error} + Feil: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Ugyldig Words of Worship sangfil. Mangler "%s" header.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + Ugyldig Words of Worship sangfil. Mangler "{text}" overskrift. - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Ugyldig Words of Worship sang fil. Mangler "%s" string.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + Ugyldig Words of Worship sangfil. Mangler "{text}" streng. @@ -9723,30 +9995,30 @@ Fyll inn versene adskilt med mellomrom. Feil ved lesing av CSV-fil. - - Line %d: %s - Linje %d: %s - - - - Decoding error: %s - Dekodingsfeil: %s - - - + File not valid WorshipAssistant CSV format. Filen er ikke i gyldig WorshipAssistant CSV-format. - - Record %d - Post %d + + Line {number:d}: {error} + Linje {number:d}: {error} + + + + Record {count:d} + Post {count:d} + + + + Decoding error: {error} + Dekodingsfeil: {error} SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Kan ikke opprette kontakt med WorshipCenter Pro databasen. @@ -9759,25 +10031,30 @@ Fyll inn versene adskilt med mellomrom. Feil ved lesing av CSV-fil. - + File not valid ZionWorx CSV format. Filen er ikke i gyldig ZionWorx CSV-format. - - Line %d: %s - Linje %d: %s - - - - Decoding error: %s - Dekodingsfeil: %s - - - + Record %d Post %d + + + Line {number:d}: {error} + Linje {number:d}: {error} + + + + Record {index} + Post {index} + + + + Decoding error: {error} + Dekodingsfeil: {error} + Wizard @@ -9787,39 +10064,960 @@ Fyll inn versene adskilt med mellomrom. Veiviser - + 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 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 sangduplikater. - + Please wait while your songs database is analyzed. Vennligst vent mens sangdatabasen blir analysert. - + Here you can decide which songs to remove and which ones to keep. Her kan du velge hvilke sanger du vil slette eller beholde. - - Review duplicate songs (%s/%s) - Gjennomgå sangduplikater (%s/%s) - - - + Information Informasjon - + No duplicate songs have been found in the database. Ingen sangduplikater er blitt funnet i databasen. + + + Review duplicate songs ({current}/{total}) + Gjennomgå sangduplikater ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + (Afan) Oromo + + + + Abkhazian + Language code: ab + Abkhaziansk + + + + Afar + Language code: aa + Afar + + + + Afrikaans + Language code: af + Afrikaans + + + + Albanian + Language code: sq + Albansk + + + + Amharic + Language code: am + Amharisk + + + + Amuzgo + Language code: amu + Amuzgo + + + + Ancient Greek + Language code: grc + Gammelgresk + + + + Arabic + Language code: ar + Arabisk + + + + Armenian + Language code: hy + Armensk + + + + Assamese + Language code: as + Assamesisk + + + + Aymara + Language code: ay + Aymara + + + + Azerbaijani + Language code: az + Azerbaijansk + + + + Bashkir + Language code: ba + Bashkir + + + + Basque + Language code: eu + Baskisk + + + + Bengali + Language code: bn + Bengalsk + + + + Bhutani + Language code: dz + Bhutansk + + + + Bihari + Language code: bh + Bihari + + + + Bislama + Language code: bi + Bislama + + + + Breton + Language code: br + Bretonsk + + + + Bulgarian + Language code: bg + Bulgarsk + + + + Burmese + Language code: my + Burmesisk + + + + Byelorussian + Language code: be + Hviterussisk + + + + Cakchiquel + Language code: cak + Cakchiquel + + + + Cambodian + Language code: km + Kambodsjansk + + + + Catalan + Language code: ca + Katalansk + + + + Chinese + Language code: zh + Kinesisk + + + + Comaltepec Chinantec + Language code: cco + Comaltepec Chinantec + + + + Corsican + Language code: co + Korsikansk + + + + Croatian + Language code: hr + Kroatisk + + + + Czech + Language code: cs + Tsjekkisk + + + + Danish + Language code: da + Dansk + + + + Dutch + Language code: nl + Nederlandsk + + + + English + Language code: en + Norsk (bokmål) + + + + Esperanto + Language code: eo + Esperanto + + + + Estonian + Language code: et + Estisk + + + + Faeroese + Language code: fo + Færøysk + + + + Fiji + Language code: fj + Fiji + + + + Finnish + Language code: fi + Finsk + + + + French + Language code: fr + Fransk + + + + Frisian + Language code: fy + Frisisk + + + + Galician + Language code: gl + Galisisk + + + + Georgian + Language code: ka + Georgisk + + + + German + Language code: de + Tysk + + + + Greek + Language code: el + Gresk + + + + Greenlandic + Language code: kl + Grønlandsk + + + + Guarani + Language code: gn + Guarani + + + + Gujarati + Language code: gu + Gujarati + + + + Haitian Creole + Language code: ht + Haitikreolsk + + + + Hausa + Language code: ha + Hausa + + + + Hebrew (former iw) + Language code: he + Hebraisk (tidligere iw) + + + + Hiligaynon + Language code: hil + Hiligaynon + + + + Hindi + Language code: hi + Hindi + + + + Hungarian + Language code: hu + Ungarsk + + + + Icelandic + Language code: is + Islandsk + + + + Indonesian (former in) + Language code: id + Indonesisk (tidligere in) + + + + Interlingua + Language code: ia + Interlingua + + + + Interlingue + Language code: ie + Interlingue + + + + Inuktitut (Eskimo) + Language code: iu + Inuktitut (Eskimo) + + + + Inupiak + Language code: ik + Inupiak + + + + Irish + Language code: ga + Irsk + + + + Italian + Language code: it + Italiensk + + + + Jakalteko + Language code: jac + Jakalteko + + + + Japanese + Language code: ja + Japansk + + + + Javanese + Language code: jw + Javanesisk + + + + K'iche' + Language code: quc + K'iche' + + + + Kannada + Language code: kn + Kannada + + + + Kashmiri + Language code: ks + Kashmiri + + + + Kazakh + Language code: kk + Kazakh + + + + Kekchí + Language code: kek + Kekchí + + + + Kinyarwanda + Language code: rw + Kinyarwanda + + + + Kirghiz + Language code: ky + Kirghiz + + + + Kirundi + Language code: rn + Kirundi + + + + Korean + Language code: ko + Koreansk + + + + Kurdish + Language code: ku + Kurdisk + + + + Laothian + Language code: lo + Laotisk + + + + Latin + Language code: la + Latin + + + + Latvian, Lettish + Language code: lv + Latvisk + + + + Lingala + Language code: ln + Lingala + + + + Lithuanian + Language code: lt + Litauensk + + + + Macedonian + Language code: mk + Makedonsk + + + + Malagasy + Language code: mg + Malagasy + + + + Malay + Language code: ms + Malayisk + + + + Malayalam + Language code: ml + Malayalam + + + + Maltese + Language code: mt + Maltesisk + + + + Mam + Language code: mam + Mam + + + + Maori + Language code: mi + Maori + + + + Maori + Language code: mri + Maori + + + + Marathi + Language code: mr + Marathi + + + + Moldavian + Language code: mo + Moldaviansk + + + + Mongolian + Language code: mn + Mongolsk + + + + Nahuatl + Language code: nah + Nahuatl + + + + Nauru + Language code: na + Nauru + + + + Nepali + Language code: ne + Nepalsk + + + + Norwegian + Language code: no + Norsk + + + + Occitan + Language code: oc + Occitansk + + + + Oriya + Language code: or + Oriya + + + + Pashto, Pushto + Language code: ps + Pashtu + + + + Persian + Language code: fa + Persisk + + + + Plautdietsch + Language code: pdt + Plattysk + + + + Polish + Language code: pl + Polsk + + + + Portuguese + Language code: pt + Portugisisk + + + + Punjabi + Language code: pa + Punjabi + + + + Quechua + Language code: qu + Quechua + + + + Rhaeto-Romance + Language code: rm + Rheto-Romansk + + + + Romanian + Language code: ro + Rumensk + + + + Russian + Language code: ru + Russisk + + + + Samoan + Language code: sm + Samoansk + + + + Sangro + Language code: sg + Sangro + + + + Sanskrit + Language code: sa + Sanskrit + + + + Scots Gaelic + Language code: gd + Skotsk Gælisk + + + + Serbian + Language code: sr + Serbisk + + + + Serbo-Croatian + Language code: sh + Serbokroatisk + + + + Sesotho + Language code: st + Sesotho + + + + Setswana + Language code: tn + Setswana + + + + Shona + Language code: sn + Shona + + + + Sindhi + Language code: sd + Sindhi + + + + Singhalese + Language code: si + Singalesisk + + + + Siswati + Language code: ss + Siswati + + + + Slovak + Language code: sk + Slovakisk + + + + Slovenian + Language code: sl + Slovensk + + + + Somali + Language code: so + Somali + + + + Spanish + Language code: es + Spansk + + + + Sudanese + Language code: su + Sudanesisk + + + + Swahili + Language code: sw + Swahili + + + + Swedish + Language code: sv + Svensk + + + + Tagalog + Language code: tl + Tagalog + + + + Tajik + Language code: tg + Tajik + + + + Tamil + Language code: ta + Tamil + + + + Tatar + Language code: tt + Tatar + + + + Tegulu + Language code: te + Tegulu + + + + Thai + Language code: th + Thai + + + + Tibetan + Language code: bo + Tibetansk + + + + Tigrinya + Language code: ti + Tigrinya + + + + Tonga + Language code: to + Tonga + + + + Tsonga + Language code: ts + Tsonga + + + + Turkish + Language code: tr + Tyrkisk + + + + Turkmen + Language code: tk + Turkmen + + + + Twi + Language code: tw + Twi + + + + Uigur + Language code: ug + Uigur + + + + Ukrainian + Language code: uk + Ukrainsk + + + + Urdu + Language code: ur + Urdu + + + + Uspanteco + Language code: usp + Uspanteco + + + + Uzbek + Language code: uz + Usbek + + + + Vietnamese + Language code: vi + Vietnamesisk + + + + Volapuk + Language code: vo + Volapuk + + + + Welch + Language code: cy + Walisisk + + + + Wolof + Language code: wo + Wolof + + + + Xhosa + Language code: xh + Xhosa + + + + Yiddish (former ji) + Language code: yi + Jiddish (tidligere ji) + + + + Yoruba + Language code: yo + Yoruba + + + + Zhuang + Language code: za + Zhuang + + + + Zulu + Language code: zu + Zulu + + + diff --git a/resources/i18n/nl.ts b/resources/i18n/nl.ts index 5efb20cd7..7eb26beea 100644 --- a/resources/i18n/nl.ts +++ b/resources/i18n/nl.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Toch doorgaan? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? De waarschuwingstekst bevat geen '<>'. Wilt u toch doorgaan? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. De waarschuwingstekst is leeg. Voer eerst tekst in voordat u op Nieuw klikt. @@ -120,32 +121,27 @@ Voer eerst tekst in voordat u op Nieuw klikt. AlertsPlugin.AlertsTab - + Font Lettertype - + Font name: Naam lettertype: - + Font color: Letterkleur: - - Background color: - Achtergrondkleur: - - - + Font size: Lettergrootte: - + Alert timeout: Tijdsduur: @@ -153,88 +149,78 @@ 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>Bijbelplug-in</strong><br />De Bijbelplug-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. - Genesis @@ -739,161 +725,121 @@ Voer eerst tekst in voordat u op Nieuw klikt. Deze bijbelvertaling bestaat reeds. Importeer een andere vertaling of verwijder eerst de bestaande versie. - - You need to specify a book name for "%s". - U moet een naam opgeven voor het bijbelboek "%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. - De naam voor het bijbelboek "%s" is niet correct. -Nummers mogen alleen aan het begin gebruikt worden en moeten -gevolgd worden door een of meerdere niet-nummer lettertekens. - - - + Duplicate Book Name Duplicaat gevonden - - The Book Name "%s" has been entered more than once. - De naam van het bijbelboek "%s" is meer dan één keer opgegeven. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Fout in schriftverwijzing - - Web Bible cannot be used - Online bijbels kunnen niet worden gebruikt + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - De opgegeven tekstverwijzing wordt niet herkend door OpenLP of is ongeldig. Gebruik een van onderstaande patronen of raadpleeg de handleiding: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Boek Hoofdstuk -Boek Hoofdstuk%(range)sHoofdstuk -Boek Hoofdstuk%(verse)sVers%(range)sVers -Boek Hoofdstuk%(verse)sVers%(range)sVers%(list)sVers%(range)sVers -Boek Hoofdstuk%(verse)sVers%(range)sVers%(list)sHoofdstuk%(verse)sVers%(range)sVers -Boek Hoofdstuk%(verse)sVers%(range)sHoofdstuk%(verse)sVers +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Bijbeltekst weergave - + Only show new chapter numbers Toon alleen nieuw hoodstuknummer - + Bible theme: Bijbel thema: - + No Brackets Geen haakjes - + ( And ) ( en ) - + { And } { en } - + [ And ] [ en ] - - Note: -Changes do not affect verses already in the service. - Opmerking: -Wijzigingen hebben geen betrekking op bijbelverzen die al in de liturgie zijn opgenomen. - - - + Display second Bible verses Toon tweede bijbelvertaling - + Custom Scripture References Aangepaste schriftverwijzingen - - Verse Separator: - Vers scheidingsteken: - - - - Range Separator: - Bereik scheidingsteken: - - - - List Separator: - Lijst scheidingsteken: - - - - End Mark: - Eind teken: - - - + 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. @@ -902,37 +848,83 @@ Ze moeten gescheiden worden door een verticale streep "|". Maak de regel leeg om de standaardinstelling te gebruiken. - + English Dutch - + Default Bible Language Standaardtaal bijbel - + Book name language in search field, search results and on display: Taal van de namen van bijbelboeken in zoekvelden, zoekresultaten en in weergave: - + Bible Language Taal bijbel - + Application Language Programmataal - + Show verse numbers Toon versnummers + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +980,71 @@ zoekresultaten en in weergave: BiblesPlugin.CSVBible - - Importing books... %s - Importeren bijbelboeken... %s + + Importing books... {book} + - - Importing verses... done. - Importeren bijbelverzen... klaar. + + Importing verses from {book}... + Importing verses from <book name>... + BiblesPlugin.EditBibleForm - + Bible Editor Bijbel editor - + License Details Licentiedetails - + Version name: Versie naam: - + Copyright: Copyright: - + Permissions: Rechten: - + Default Bible Language Standaardtaal bijbel - + Book name language in search field, search results and on display: Taal van de namen van bijbelboeken in zoekvelden, zoekresultaten en in weergave: - + Global Settings Globale instellingen - + Bible Language Taal bijbel - + Application Language Programmataal - + English Dutch @@ -1071,225 +1064,260 @@ 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 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 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 is een fout opgetreden bij het uitpakken van de bijbelverzen. Als dit probleem zich blijft herhalen is er misschien sprake van een programmafout. + + + Importing {book}... + Importing <book name>... + + 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 Downloadopties - + Server: Server: - + Username: Gebruikersnaam: - + Password: Wachtwoord: - + Proxy Server (Optional) Proxyserver (optioneel) - + License Details Licentiedetails - + 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. Bijbels 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. + + + Bibles: + Bijbels: + + + + SWORD data folder: + SWORD datamap: + + + + SWORD zip-file: + SWORD zip-bestand: + + + + Defaults to the standard SWORD data folder + Ingesteld op standaard SWORD datamap + + + + Import from folder + Importeren vanuit map + + + + Import from Zip-file + Importeren vanuit zip-bestand + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Om de SWORD bijbels te importeren, moet de pysword pytjon module worden geïnstalleerd. Lees de handleiding voor instructies. + BiblesPlugin.LanguageDialog @@ -1320,293 +1348,155 @@ indien nodig en een internetverbinding is dus noodzakelijk. BiblesPlugin.MediaItem - - Quick - Snelzoeken - - - + Find: Vind: - + Book: Boek: - + Chapter: Hoofdstuk: - + Verse: Vers: - + From: Van: - + To: Tot: - + Text Search Zoek in tekst - + Second: Tweede: - + Scripture Reference Schriftverwijzing - + Toggle to keep or clear the previous results. Zoekresultaten wel / niet behouden. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Enkele en dubbele bijbelvers zoekresultaten kunnen niet gecombineerd worden. Resultaten wissen en opnieuw beginnen? - + Bible not fully loaded. Bijbel niet geheel geladen. - + Information Informatie - - 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. - De tweede bijbelvertaling bevat niet alle verzen die in de eerste bijbelvertaling staan. Alleen de verzen die in beide vertalingen voorkomen worden getoond. %d verzen zijn niet opgenomen in de resultaten. - - - + Search Scripture Reference... Zoek schriftverwijzing - + Search Text... Zoek tekst... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Zoek + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Weet u zeker dat u de bijbel "%s" uit OpenLP wilt verwijderen? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -De bijbel moet opnieuw geïmporteerd worden om weer gebruikt te kunnen worden. - - - - Advanced - Geavanceerd - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Incorrect bijbelbestand. OpenSong bijbels kunnen gecomprimeerd zijn en moeten uitgepakt worden vóór het importeren. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - 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... +{count:d} verses have not been included in the results. + 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... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Selecteer backupmap + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Bijbel Upgrade Assistent - - - - 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. - Deze Assistent helpt u bestaande bijbels bij te werken van een eerdere indeling van OpenLP 2. Om de Assistent te starten klikt op volgende. - - - - Select Backup Directory - Selecteer backupmap - - - - Please select a backup directory for your Bibles - Selecteer een map om de backup van uw bijbels in op te slaan - - - - 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>. - Eerdere versies van OpenLP 2.0 kunnen de nieuwe bijbelbestanden niet lezen. De assistent maakt een backup van uw huidige bestanden zodat u eenvoudig de bijbels terug kunt zetten in de OpenLP datamap voor het geval u met een oude versie van OpenLP moet werken. Instructies hoe de oorspronkelijke bestanden te herstellen staan in de <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a> (engelstalig). - - - - Please select a backup location for your Bibles. - Selecteer een map om de backup van uw bijbels in op te slaan. - - - - Backup Directory: - Backupmap: - - - - There is no need to backup my Bibles - Er hoeft geen backup gemaakt te worden - - - - Select Bibles - Selecteer bijbels - - - - Please select the Bibles to upgrade - Selecteer de bijbels om bij te werken - - - - Upgrading - Bijwerken - - - - Please wait while your Bibles are upgraded. - Een moment geduld. De bijbels worden bijgewerkt. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - De backup is mislukt. -Om bijbels bij te werken moet de map schrijfbaar zijn. - - - - Upgrading Bible %s of %s: "%s" -Failed - Bijwerken bijbel %s van %s: "%s" -Mislukt - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Bijwerken bijbel %s van %s: "%s" -Bijwerken ... - - - - Download Error - Downloadfout - - - - To upgrade your Web Bibles an Internet connection is required. - Om online bijbels bij te werken is een internetverbinding noodzakelijk. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Bijwerken bijbel %s van %s: "%s" -Bijwerken %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Bijwerken bijbel %s van %s: "%s" -Klaar - - - - , %s failed - , %s mislukt - - - - Upgrading Bible(s): %s successful%s - Bijwerken bijbel(s): %s gelukt%s - - - - Upgrade failed. - Bijwerken mislukt. - - - - You need to specify a backup directory for your Bibles. - Selecteer een map om de backup van uw bijbels in op te slaan. - - - - Starting upgrade... - Start bijwerken... - - - - There are no Bibles that need to be upgraded. - Er zijn geen bijbels om bij te werken. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Bijwerken bijbel(s): %(success)d gelukt%(failed_text)s -Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig zijn. Een internetverbinding is dan noodzakelijk. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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. @@ -1614,9 +1504,9 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Bezig met importeren van %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1731,7 +1621,7 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig Alle dia's tegelijk bewerken. - + Split a slide into two by inserting a slide splitter. Dia splitsen door een dia 'splitter' in te voegen. @@ -1746,7 +1636,7 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig &Auteur: - + You need to type in a title. Geef een titel op. @@ -1756,12 +1646,12 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig &Alles bewerken - + Insert Slide Dia invoegen - + You need to add at least one slide. Voeg minimaal één dia toe. @@ -1769,7 +1659,7 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig CustomPlugin.EditVerseForm - + Edit Slide Dia bewerken @@ -1777,9 +1667,9 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Weet u zeker dat u de "%d" geslecteerde dia(s) wilt verwijderen? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1807,11 +1697,6 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig container title Afbeeldingen - - - Load a new image. - Nieuwe afbeelding laden. - Add a new image. @@ -1842,6 +1727,16 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig Add the selected image to the service. Geselecteerde afbeelding aan liturgie toevoegen. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1866,12 +1761,12 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig 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. @@ -1907,7 +1802,7 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig ImagePlugin.ExceptionDialog - + Select Attachment Selecteer bijlage @@ -1915,39 +1810,22 @@ Let op, de bijbelverzen van internetbijbels worden gedownload wanneer deze nodig ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1957,25 +1835,41 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Zichtbare achtergrond voor afbeeldingen met een andere verhouding dan het scherm. @@ -1983,27 +1877,27 @@ De andere afbeeldingen alsnog toevoegen? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Deze mediaspeler gebruikt de afspeelmogelijkheden van het besturingssysteem. @@ -2011,60 +1905,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. @@ -2180,47 +2074,47 @@ De andere afbeeldingen alsnog toevoegen? VLC kon de schijf niet afspelen - + CD not loaded correctly CD niet correct geladen - + The CD was not loaded correctly, please re-load and try again. De CD is niet correct geladen. Probeer het alstublieft nogmaals. - + DVD not loaded correctly DVD niet correct geladen - + The DVD was not loaded correctly, please re-load and try again. De DVD is niet correct geladen. Probeer het alstublieft nogmaals. - + Set name of mediaclip Naam van het fragment instellen - + Name of mediaclip: Naam van het fragment: - + Enter a valid name or cancel Voer een geldige naam in of klik op Annuleren - + Invalid character Ongeldig teken - + The name of the mediaclip must not contain the character ":" De naam van het fragment mag het teken ":" niet bevatten @@ -2228,90 +2122,100 @@ De andere afbeeldingen alsnog toevoegen? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Bestandsformaat wordt niet ondersteund - + Use Player: Gebruik speler: - + VLC player required VLC speler nodig - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + Bestand %s niet ondersteund door player %s + + + + Unsupported Media File + Niet ondersteund mediabestand + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2322,94 +2226,93 @@ De andere afbeeldingen alsnog toevoegen? - Start Live items automatically - Start Live items automatisch - - - - OPenLP.MainWindow - - - &Projector Manager - &Projectorbeheer + Start new Live media automatically + OpenLP - + Image Files Afbeeldingsbestanden - - Information - Informatie - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Bijbel bestandsformaat is gewijzigd. -Bestaande bijbels moeten worden bijgewerkt. -Wilt u dat OpenLP dat nu doet? - - - + Backup Backup - - OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - OpenLP is geüpgraded, wilt u een backup maken van OpenLP's datamap? - - - + Backup of the data folder failed! Backup van de datamap is mislukt! - - A backup of the data folder has been created at %s - Een backup van de datamap is maakt in %s - - - + Open Open + + + Video Files + + + + + Data Directory Error + Bestandslocatie fout + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Credits - + License Licentie - - 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. @@ -2426,174 +2329,157 @@ Lees meer over OpenLP: http://openlp.org/ OpenLP wordt gemaakt en onderhouden door vrijwilligers. Als je meer gratis Christelijke software wilt zien, denk er eens over om zelf vrijwilliger te worden. Meedoen kan via de onderstaande knop. - + Volunteer Doe mee - + Project Lead Projectleider - + Developers Ontwikkelaars - + Contributors Bijdragers - + Packagers Packagers - + Testers Testers - + Translators Vertalers - + Afrikaans (af) Afrikaans (af) - + Czech (cs) Tsjechisch (cs) - + Danish (da) Deens (da) - + German (de) Duits (de) - + Greek (el) Gries (el) - + English, United Kingdom (en_GB) Engels, Verenigd Koninkrijk (en_GB) - + English, South Africa (en_ZA) Engels, Zuid Afrika (en_ZA) - + Spanish (es) Spaans (es) - + Estonian (et) Estisch (et) - + Finnish (fi) Fins (fi) - + French (fr) Frans (fr) - + Hungarian (hu) Hongaars (hu) - + Indonesian (id) Indonisisch (id) - + Japanese (ja) Japans (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Noors, Bokmål (nb) - + Dutch (nl) Nederlands (nl) - + Polish (pl) Pools (pl) - + Portuguese, Brazil (pt_BR) Portugees, Brazilië (pt_BR) - + Russian (ru) Russisch (ru) - + Swedish (sv) Zweeds (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamil (Sri Lanka) (ta_LK) - + Chinese(China) (zh_CN) Chinees (China) (zh_CN) - + Documentation Documentatie - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Gebouwd met - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: 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 @@ -2611,333 +2497,244 @@ OpenLP wordt gemaakt en onderhouden door vrijwilligers. Als je meer gratis Chris Tenslotte gaat onze laatste dankbetuiging naar God onze Vader, omdat hij Zijn Zoon gegeven heeft om voor ons aan het kruis te sterven, zodat onze zonden vergeven kunnen worden. Wij ontwikkelen deze software gratis voor u omdat Hij ons bevrijd heeft. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Gedeelten copyright © 2004-2016 %s + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Programma instellingen - - - Number of recent files to display: - Aantal recent geopende bestanden: - - Remember active media manager tab on startup - Laatstgeopende tab opslaan - - - - Double-click to send items straight to live - Dubbelklikken om onderdelen direct aan live toe te voegen - - - Expand new service items on creation Nieuwe liturgieonderdelen automatisch uitklappen - + Enable application exit confirmation Afsluiten OpenLP bevestigen - + Mouse Cursor Muisaanwijzer - + Hide mouse cursor when over display window Verberg muisaanwijzer in het weergavevenster - - Default Image - Standaard afbeelding - - - - Background color: - Achtergrondkleur: - - - - Image file: - Afbeeldingsbestand: - - - + Open File Open bestand - + Advanced Geavanceerd - - - Preview items when clicked in Media Manager - Voorbeeld direct laten zien bij aanklikken in Media beheer tab - - Browse for an image file to display. - Kies een afbeelding van deze computer. - - - - Revert to the default OpenLP logo. - Herstel standaard OpenLP logo. - - - Default Service Name Standaard liturgienaam - + Enable default service name Gebruik standaard liturgienaam - + Date and Time: Datum en tijd: - + Monday maandag - + Tuesday dinsdag - + Wednesday woensdag - + Friday vrijdag - + Saturday zaterdag - + Sunday zondag - + Now Nu - + Time when usual service starts. Begintijd gewone dienst - + Name: Naam: - + Consult the OpenLP manual for usage. Raadpleeg de OpenLP handleiding voor gebruik. - - Revert to the default service name "%s". - Herstel de standaard liturgienaam "%s". - - - + Example: Voorbeeld: - + Bypass X11 Window Manager Negeer X11 Window Manager - + Syntax error. Syntax fout. - + Data Location Bestandslocatie - + Current path: Huidige pad: - + Custom path: Aangepast pad: - + Browse for new data file location. Selecteer een nieuwe locatie voor de databestanden. - + Set the data location to the default. Herstel bestandslocatie naar standaard. - + Cancel Annuleer - + Cancel OpenLP data directory location change. Annuleer OpenLP bestandslocatie wijziging. - + Copy data to new location. Kopieer data naar de nieuwe bestandslocatie. - + Copy the OpenLP data files to the new location. Kopieer OpenLP data naar de nieuwe bestandslocatie. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>LET OP:</strong> In de nieuwe bestandslocatie staan al OpenLP data bestanden. Die bestanden worden vervangen tijdens kopieren. - - Data Directory Error - Bestandslocatie fout - - - + Select Data Directory Location Selecteer bestandslocatie - + Confirm Data Directory Change Bevestig wijziging bestandslocatie - + Reset Data Directory Herstel bestandslocatie - + Overwrite Existing Data Overschrijf bestaande 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 is niet gevonden - -%s - -Deze data directory werd onlangs gewijzigd ten opzichte van de OpenLP standaardlocatie. Als de nieuwe locatie op een verwijderbare schijf staat, moet u nu eerst zelf zorgen dat de schijf beschikbaar is. - -Klik "Nee" om OpenLP niet verder te laden en eerst het probleem te verhelpen. - -Klik "Ja" om de standaardinstellingen te gebruiken. - - - - 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. - Weet u zeker dat u de locatie van de OpenLP datadirectory wilt veranderen in: - -%s - -De datadirectory zal worden gewijzigd bij het afsluiten van OpenLP. - - - + Thursday Donderdag - + Display Workarounds Weergeven omwegen - + Use alternating row colours in lists Gebruik wisselende rijkleuren in lijsten - - 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? - WAARSCHUWING: - -De locatie die u heeft gekozen - -%s - -lijkt al OpenLP data bestanden te bevatten. Wilt u de oude bestanden vervangen met de huidige? - - - + Restart Required Herstarten vereist - + This change will only take effect once OpenLP has been restarted. Deze wijziging werkt pas nadat OpenLP opnieuw is gestart. - + 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. @@ -2945,11 +2742,143 @@ This location will be used after OpenLP is closed. Deze bestandslocatie wordt pas gebruikt nadat OpenLP is afgesloten. + + + Max height for non-text slides +in slide controller: + Max hoogte voor niet-tekst dia's +in dia bediener: + + + + Disabled + Uitgeschakeld + + + + When changing slides: + Bij wijzigen dia's: + + + + Do not auto-scroll + Geen auto-scroll + + + + Auto-scroll the previous slide into view + Auto-scroll vorige dia in beeld + + + + Auto-scroll the previous slide to top + Auto-scroll bovenaan + + + + Auto-scroll the previous slide to middle + Auto-scroll voorgaande dia naar het midden + + + + Auto-scroll the current slide into view + Auto-scroll huidige dia in beeld + + + + Auto-scroll the current slide to top + Auto-scroll huidige dia tot bovenaan + + + + Auto-scroll the current slide to middle + Auto-scroll huidige dia naar het midden + + + + Auto-scroll the current slide to bottom + Auto-scroll huidige dia tot onderaan + + + + Auto-scroll the next slide into view + Auto-scroll volgende dia in beeld + + + + Auto-scroll the next slide to top + Auto-scroll volgende dia tot bovenaan + + + + Auto-scroll the next slide to middle + Auto-scroll volgende dia naar het midden + + + + Auto-scroll the next slide to bottom + Auto-scroll volgende dia tot onderaan + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatisch + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klik om een kleur te kiezen. @@ -2957,252 +2886,252 @@ Deze bestandslocatie wordt pas gebruikt nadat OpenLP is afgesloten. OpenLP.DB - + RGB RGB - + Video Video - + Digital Digitaal - + Storage Opslag - + Network Netwerk - + 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 Digitaal 1 - + Digital 2 Digitaal 2 - + Digital 3 Digitaal 3 - + Digital 4 Digitaal 4 - + Digital 5 Digitaal 5 - + Digital 6 Digitaal 6 - + Digital 7 Digitaal 7 - + Digital 8 Digitaal 8 - + Digital 9 Digitaal 9 - + Storage 1 Opslag 1 - + Storage 2 Opslag 2 - + Storage 3 Opslag 3 - + Storage 4 Opslag 4 - + Storage 5 Opslag 5 - + Storage 6 Opslag 6 - + Storage 7 Opslag 7 - + Storage 8 Opslag 8 - + Storage 9 Opslag 9 - + Network 1 Netwerk 1 - + Network 2 Netwerk 2 - + Network 3 Netwerk 3 - + Network 4 Netwerk 4 - + Network 5 Netwerk 5 - + Network 6 Netwerk 6 - + Network 7 Netwerk 7 - + Network 8 Netwerk 8 - + Network 9 Netwerk 9 @@ -3210,63 +3139,74 @@ Deze bestandslocatie wordt pas gebruikt nadat OpenLP is afgesloten. OpenLP.ExceptionDialog - + Error Occurred Fout - + Send E-Mail Stuur e-mail - + Save to File Opslaan als bestand - + Attach File Voeg bestand toe - - - Description characters to enter : %s - Tekens beschikbaar voor beschrijving: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Omschrijf in het Engels wat u deed toen deze fout zich voordeed -(minstens 20 tekens gebruiken) - - 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. Also attach any files that triggered the problem. - Oeps! OpenLP heeft een probleem en kan het niet zelf oplossen. De tekst in het onderste venster bevat informatie waarmee de OpenLP ontwikkelaars iets kunnen. -Stuur een e-mail naar: bugs@openlp.org met een gedetailleerde beschrijving (in het Engels) van het probleem en hoe het ontstond. Indien van toepassing, voeg het bestand toe dat het probleem veroorzaakte. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platform: %s - - - - + Save Crash Report Crash rapport opslaan - + Text files (*.txt *.log *.text) Tekstbestand (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3307,268 +3247,259 @@ Stuur een e-mail naar: bugs@openlp.org met een gedetailleerde beschrijving (in h 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. - Geen internetverbinding gevonden. De Eerste Keer Assistent heeft een internetverbinding nodig om voorbeelden van liederen, bijbels en thema's te downloaden. Klik op Voltooien om OpenLP op te starten met standaardinstellingen zonder voorbeelddata. - -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 Downloadfout - + 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. - - -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 + + + Select parts of the program you wish to use + Selecteer de programmadelen die u wilt gebruiken + + + + You can also change these settings after the Wizard. + U kunt deze instellingen ook wijzigen na de Assistent. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Maatwerkdia's - Eenvoudiger te beheren dan liederen en ze hebben eigen lijsten met dia's + + + + Bibles – Import and show Bibles + Bijbels – Importeer en toon bijbels + + + + Images – Show images or replace background with them + Afbeeldingen – Tonen afbeeldingen of achtergrond erdoor vervangen + + + + Presentations – Show .ppt, .odp and .pdf files + Presentaties – Tonen .ppt, .odp en .pdf bestanden + + + + Media – Playback of Audio and Video files + Media – Afspelen van Audio en Video bestanden + + + + Remote – Control OpenLP via browser or smartphone app + Remote – Bedienen OpenLP via browser of smartphone app + + + + Song Usage Monitor + Song gebruiksmonitor + + + + Alerts – Display informative messages while showing other slides + Waarschuwingen – Tonen informatieve berichten tijdens tonen andere dia's + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projectors – Bedienen PJLink compatible projecten op uw netwerk vanaf OpenLP + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3611,44 +3542,49 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. OpenLP.FormattingTagForm - + <HTML here> <HTML hier> - + Validation Error Validatie fout - + Description is missing Omschrijving ontbreekt - + Tag is missing Tag ontbreekt - Tag %s already defined. - Tag %s bestaat al. + Tag {tag} already defined. + - Description %s already defined. - Omschrijving %s is al gedefinieerd. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Starttag %s is geen correcte HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Eindtag %(end)s komt niet overeen met de verwachte eindtag van starttag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3737,170 +3673,200 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. OpenLP.GeneralTab - + General Algemeen - + Monitors Beeldschermen - + Select monitor for output display: Projectiescherm: - + Display if a single screen Weergeven bij enkel scherm - + Application Startup Programma start - + Show blank screen warning Toon leeg scherm waarschuwing - - Automatically open the last service - Automatisch laatste liturgie openen - - - + Show the splash screen Toon splash screen - + Application Settings Programma instellingen - + Prompt to save before starting a new service Waarschuw om werk op te slaan bij het beginnen van een nieuwe liturgie - - Automatically preview next item in service - Automatisch volgend onderdeel van liturgie tonen - - - + sec sec - + CCLI Details CCLI-details - + SongSelect username: SongSelect gebruikersnaam: - + SongSelect password: SongSelect wachtwoord: - + X X - + Y Y - + Height Hoogte - + Width Breedte - + Check for updates to OpenLP Controleer op updates voor OpenLP - - Unblank display when adding new live item - Leeg scherm uitschakelen als er een nieuw live item wordt toegevoegd - - - + Timed slide interval: Tijd tussen dia’s: - + Background Audio Achtergrondgeluid - + Start background audio paused Start achtergrondgeluid gepauzeerd - + Service Item Slide Limits Dia navigatie beperkingen - + Override display position: Overschrijf scherm positie: - + Repeat track list Herhaal tracklijst - + Behavior of next/previous on the last/first slide: Gedrag van volgende/vorige op de laatste en eerste dia: - + &Remain on Slide &Blijf op dia - + &Wrap around &Verder aan begin/eind - + &Move to next/previous service item &Naar het volgende/volgende liturgieonderdeel + + + Logo + Logo + + + + Logo file: + Logo bestand: + + + + Browse for an image file to display. + Kies een afbeelding van deze computer. + + + + Revert to the default OpenLP logo. + Herstel standaard OpenLP logo. + + + + Don't show logo on startup + Toon geen logo bij opstarten + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Taal - + Please restart OpenLP to use your new language setting. Start OpenLP opnieuw op om de nieuwe taalinstellingen te gebruiken. @@ -3908,7 +3874,7 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. OpenLP.MainDisplay - + OpenLP Display OpenLP Weergave @@ -3916,352 +3882,188 @@ Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op %s. OpenLP.MainWindow - + &File &Bestand - + &Import &Importeren - + &Export &Exporteren - + &View &Weergave - - M&ode - M&odus - - - + &Tools &Hulpmiddelen - + &Settings &Instellingen - + &Language Taa&l - + &Help &Help - - Service Manager - Liturgiebeheer - - - - Theme Manager - Themabeheer - - - + Open an existing service. Open een bestaande liturgie. - + Save the current service to disk. De huidige liturgie opslaan. - + Save Service As Liturgie opslaan als - + Save the current service under a new name. Deze liturgie onder een andere naam opslaan. - + E&xit &Afsluiten - - Quit OpenLP - OpenLP afsluiten - - - + &Theme &Thema - + &Configure OpenLP... &Instellingen... - - &Media Manager - &Mediabeheer - - - - Toggle Media Manager - Mediabeheer wel / niet tonen - - - - Toggle the visibility of the media manager. - Mediabeheer wel / niet tonen. - - - - &Theme Manager - &Themabeheer - - - - Toggle Theme Manager - Themabeheer wel / niet tonen - - - - Toggle the visibility of the theme manager. - Themabeheer wel / niet tonen. - - - - &Service Manager - &Liturgiebeheer - - - - Toggle Service Manager - Liturgiebeheer wel / niet tonen - - - - Toggle the visibility of the service manager. - Liturgiebeheer wel / niet tonen. - - - - &Preview Panel - &Voorbeeld paneel - - - - Toggle Preview Panel - Voorbeeld paneel wel / niet tonen - - - - Toggle the visibility of the preview panel. - Voorbeeld paneel wel / niet tonen. - - - - &Live Panel - &Live paneel - - - - Toggle Live Panel - Live paneel wel / niet tonen - - - - Toggle the visibility of the live panel. - Live paneel wel / niet tonen. - - - - List the Plugins - Lijst met plug-ins =uitbreidingen van OpenLP - - - - &User Guide - Gebr&uikshandleiding - - - + &About &Over OpenLP - - More information about OpenLP - Meer informatie over OpenLP - - - - &Online Help - &Online hulp - - - + &Web Site &Website - + Use the system language, if available. Gebruik standaardtaal van het systeem, indien mogelijk. - - Set the interface language to %s - %s als taal in OpenLP gebruiken - - - + Add &Tool... Hulpprogramma &toevoegen... - + Add an application to the list of tools. Voeg een hulpprogramma toe aan de lijst. - - &Default - &Standaard - - - - Set the view mode back to the default. - Terug naar de standaard weergave modus. - - - + &Setup &Voorbereiding - - Set the view mode to Setup. - Weergave modus naar Voorbereiding. - - - + &Live &Live - - Set the view mode to Live. - Weergave modus naar 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/. - Versie %s van OpenLP is beschikbaar (huidige versie: %s). - -U kunt de laatste versie op http://openlp.org/ downloaden. - - - + OpenLP Version Updated Nieuwe OpenLP versie beschikbaar - + OpenLP Main Display Blanked OpenLP projectie uitgeschakeld - + The Main Display has been blanked out Projectie is uitgeschakeld: scherm staat op zwart - - Default Theme: %s - Standaardthema: %s - - - + English Please add the name of your language here Dutch - + Configure &Shortcuts... &Sneltoetsen instellen... - + Open &Data Folder... Open &datamap... - + Open the folder where songs, bibles and other data resides. Open de map waar liederen, bijbels en andere data staat. - + &Autodetect &Autodetecteer - + Update Theme Images Thema afbeeldingen bijwerken - + Update the preview images for all themes. Voorbeeldafbeeldingen bijwerken voor alle thema’s. - + Print the current service. De huidige liturgie afdrukken. - - L&ock Panels - Panelen op sl&ot - - - - Prevent the panels being moved. - Voorkomen dat panelen verschuiven. - - - + Re-run First Time Wizard Herstart Eerste Keer Assistent - + Re-run the First Time Wizard, importing songs, Bibles and themes. Herstart Eerste Keer Assistent, importeer voorbeeldliederen, bijbels en thema’s. - + Re-run First Time Wizard? Herstart Eerste Keer Assistent? - + 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. @@ -4270,107 +4072,68 @@ 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. - + Configure &Formatting Tags... Configureer &opmaak tags... - - Export OpenLP settings to a specified *.config file - Exporteer OpenLP instellingen naar een *.config bestand - - - + Settings Instellingen - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importeer OpenLP instellingen uit een bestaand *.config bestand afkomstig van deze of een andere computer - - - + Import settings? Importeer instellingen? - - Open File - Open bestand - - - - OpenLP Export Settings Files (*.conf) - OpenLP Export instellingsbestanden (*.config) - - - + Import settings Importeer instellingen - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP sluit nu af. De geïmporteeerde instellingen worden bij de volgende start van OpenLP toegepast. - + Export Settings File Exporteer instellingen - - OpenLP Export Settings File (*.conf) - 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 - OpenLP data directory kopiëren is mislukt - -%s - - - + General Algemeen - + Library Bibliotheek - + Jump to the search box of the current active plugin. Ga naar het zoekveld van de momenteel actieve plugin. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4383,7 +4146,7 @@ Instellingen importeren zal uw huidige OpenLP configuratie veranderen. Incorrecte instellingen importeren veroorzaakt onvoorspelbare effecten of OpenLP kan spontaan stoppen. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4392,191 +4155,374 @@ Processing has terminated and no changes have been made. Verwerking is gestopt en er is niets veranderd. - - Projector Manager - Projectorbeheer - - - - Toggle Projector Manager - Projectorbeheer wel / niet tonen - - - - Toggle the visibility of the Projector Manager - Projectorbeheer wel / niet tonen - - - + Export setting error Exportfout - - 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 - - - + &Recent Services &Recente liturgiën - + &New Service &Nieuwe liturgie - + &Open Service &Open liturgie - + &Save Service Liturgie op&slaan - + Save Service &As... Liturgie opslaan &als... - + &Manage Plugins Plug-ins beheren - + Exit OpenLP OpenLP afsluiten - + Are you sure you want to exit OpenLP? OpenLP afsluiten? - + &Exit OpenLP OpenLP afsluit&en + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Versie {new} van OpenLP is nu beschikbaar voor dowenloaden (huidige versie {current}). + +U kunt de laatste versie op http://openlp.org/ downloaden. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + De sleutel "{key}" heeft geen standaardwaarde waardoor hij overgeslagen wordt in deze export. + + + + An error occurred while exporting the settings: {err} + Er trad een fout op bij het exporteren van de instellingen: {err} + + + + Default Theme: {theme} + Standaard thema: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + OpenLP data wordt nu naar de nieuwe datadirectory locatie gekopieerd - {path} - Een moment geduld alstublieft + + + + OpenLP Data directory copy failed + +{err} + OpenLP data directory kopiëren is mislukt + +{err} + + + + &Layout Presets + + + + + Service + Liturgie + + + + Themes + Thema's + + + + Projectors + Projectors + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + + 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 - De database die u wilt laden is gemaakt in een nieuwere versie van OpenLP. De database is versie %d, terwijl OpenLP versie %d verwacht. De database zal niet worden geladen. - -Database: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP kan uw database niet laden. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Database: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Geen items geselecteerd - + &Add to selected Service Item &Voeg toe aan geselecteerde liturgie-item - + You must select one or more items to preview. Selecteer een of meerdere onderdelen om als voorbeeld te laten zien. - + You must select one or more items to send live. Selecteer een of meerdere onderdelen om live te tonen. - + You must select one or more items. Selecteer een of meerdere onderdelen. - + You must select an existing service item to add to. Selecteer een liturgie om deze onderdelen aan toe te voegen. - + Invalid Service Item Ongeldigl liturgie-onderdeel - - You must select a %s service item. - Selecteer een %s liturgie-onderdeel. - - - + You must select one or more items to add. Selecteer een of meerdere onderdelen om toe te voegen. - - No Search Results - Niets gevonden - - - + Invalid File Type Ongeldig bestandsformaat - - Invalid File %s. -Suffix not supported - Ongeldig bestand %s. -Extensie niet ondersteund - - - + &Clone &Kloon - + Duplicate files were found on import and were ignored. Identieke bestanden die bij het importeren zijn gevonden worden genegeerd. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag niet gevonden. - + <verse> tag is missing. <verse> tag niet gevonden. @@ -4584,22 +4530,22 @@ Extensie niet ondersteund OpenLP.PJLink1 - + Unknown status Onbekende status - + No message Geen bericht - + Error while sending data to projector Fout tijdens het zenden van data naar de projector - + Undefined command: Ongedefinieerd commando: @@ -4607,32 +4553,32 @@ Extensie niet ondersteund OpenLP.PlayerTab - + Players Spelers - + Available Media Players Beschikbare mediaspelers - + Player Search Order Speler zoekvolgorde - + Visible background for videos with aspect ratio different to screen. Zichtbare achtergrond voor video's met een andere verhouding dan het scherm. - + %s (unavailable) %s (niet beschikbaar) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" LET OP: Om VLC te kunnen gebruiken moet u de %s-versie installeren @@ -4641,55 +4587,50 @@ Extensie niet ondersteund OpenLP.PluginForm - + Plugin Details Plug-in details - + Status: Status: - + Active Actief - - Inactive - Inactief - - - - %s (Inactive) - %s (inactief) - - - - %s (Active) - %s (actief) + + Manage Plugins + Plug-ins beheren - %s (Disabled) - %s (uitgeschakeld) + {name} (Disabled) + - - Manage Plugins - Plug-ins beheren + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Passend maken op de pagina - + Fit Width Aanpassen aan pagina breedte @@ -4697,77 +4638,77 @@ Extensie niet ondersteund OpenLP.PrintServiceForm - + Options Opties - + Copy Kopieer - + Copy as HTML Kopieer als HTML - + Zoom In Inzoomen - + Zoom Out Uitzoomen - + Zoom Original Werkelijke grootte - + Other Options Overige opties - + Include slide text if available Inclusief diatekst indien beschikbaar - + Include service item notes Inclusief liturgie-opmerkingen - + Include play length of media items Inclusief afspeellengte van media items - + Add page break before each text item Voeg een pagina-einde toe voor elk tekst item - + Service Sheet Liturgie blad - + Print Afdrukken - + Title: Titel: - + Custom Footer Text: Aangepaste voettekst: @@ -4775,257 +4716,257 @@ Extensie niet ondersteund OpenLP.ProjectorConstants - + OK OK - + General projector error Algemene projectorfout - + Not connected error Fout: niet verbonden - + Lamp error Fout met de lamp - + Fan error Fout met de ventilator - + High temperature detected Hoge temperatuur gedetecteerd - + Cover open detected Klep open - + Check filter Controleer filter - + Authentication Error Authenticatieprobleem - + Undefined Command Ongedefinieerd commando - + Invalid Parameter Ongeldige parameter - + Projector Busy Projector bezet - + Projector/Display Error Projector-/schermfout - + Invalid packet received Ongeldig packet ontvangen - + Warning condition detected Waarschuwingssituatie gedetecteerd - + Error condition detected Foutsituatie gedetecteerd - + PJLink class not supported PJLink klasse wordt niet ondersteund - + Invalid prefix character Ongeldig voorloopteken - + The connection was refused by the peer (or timed out) De verbinding is geweigerd of mislukt - + The remote host closed the connection De externe host heeft de verbinding verbroken - + The host address was not found Het adres is niet gevonden - + The socket operation failed because the application lacked the required privileges De socketbewerking is mislukt doordat het programma de vereiste privileges mist - + The local system ran out of resources (e.g., too many sockets) Het lokale systeem heeft te weinig bronnen beschikbaar - + The socket operation timed out De socketbewerking is gestopt door een time-out - + The datagram was larger than the operating system's limit Het datagram was groter dan de limiet van het besturingssysteem - + An error occurred with the network (Possibly someone pulled the plug?) Er is een netwerkfout opgetreden (is de kabel ontkoppeld?) - + The address specified with socket.bind() is already in use and was set to be exclusive Het adres gebruikt in socket.bind() is al in gebruik en is ingesteld als exclusief - + The address specified to socket.bind() does not belong to the host Het adres gebruikt in socket.bind() bestaat niet op de computer - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) De socketbewerking wordt niet ondersteund door het besturingssysteem (bijvoorbeeld als IPv6-ondersteuning mist) - + The socket is using a proxy, and the proxy requires authentication De socket gebruikt een proxy waarvoor authenticatie nodig is - + The SSL/TLS handshake failed De SSL/TLS handshake is mislukt - + The last operation attempted has not finished yet (still in progress in the background) De vorige bewerking is nog niet afgerond (loopt door in de achtergrond) - + Could not contact the proxy server because the connection to that server was denied De verbinding met de proxyserver is geweigerd - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) De verbinding met de proxyserver is onverwachts verbroken (voordat de uiteindelijke verbinding tot stand gekomen is) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. De verbinding met de proxyserver is verlopen of de proxyserver heeft geen antwoord gegeven in de authenticatiefase. - + The proxy address set with setProxy() was not found Het proxyserveradres meegegeven aan setProxy() is niet gevonden - + An unidentified error occurred Er is een onbekende fout opgetreden - + Not connected Niet verbonden - + Connecting Verbinding maken - + Connected Verbonden - + Getting status Status opvragen - + Off Uit - + Initialize in progress Initialisatie bezig - + Power in standby Standby - + Warmup in progress Opwarmen bezig - + Power is on Ingeschakeld - + Cooldown in progress Afkoelen bezig - + Projector Information available Projectorinformatie beschikbaar - + Sending data Gegevens versturen - + 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 @@ -5033,17 +4974,17 @@ Extensie niet ondersteund OpenLP.ProjectorEdit - + Name Not Set Naam niet ingesteld - + You must enter a name for this entry.<br />Please enter a new name for this entry. U moet een naam opgeven voor dit item.<br />Geef alstublieft een naam op voor dit item. - + Duplicate Name Dubbele naam @@ -5051,52 +4992,52 @@ Extensie niet ondersteund OpenLP.ProjectorEditForm - + Add New Projector Nieuwe projector toevoegen - + Edit Projector Projector aanpassen - + IP Address IP-adres - + Port Number Poortnummer - + PIN PIN - + Name Naam - + Location Locatie - + Notes Aantekeningen - + Database Error Database fout - + There was an error saving projector information. See the log for the error Er is een fout opgetreden bij het opslaan van de projectorinformatie. Kijk in het logbestand voor de foutmelding @@ -5104,305 +5045,360 @@ Extensie niet ondersteund OpenLP.ProjectorManager - + Add Projector Projector toevoegen - - Add a new projector - Voeg een nieuwe projector toe - - - + Edit Projector Projector aanpassen - - Edit selected projector - Geselecteerde projector aanpassen - - - + Delete Projector Projector verwijderen - - Delete selected projector - Verwijder geselecteerde projector - - - + Select Input Source Selecteer invoerbron - - Choose input source on selected projector - Selecteer invoerbron op geselecteerde projector - - - + View Projector Bekijk projector - - View selected projector information - Bekijk informatie van geselecteerde projector - - - - Connect to selected projector - Verbind met geselecteerde projector - - - + Connect to selected projectors Verbind met geselecteerde projectors - + Disconnect from selected projectors Verbreek verbinding met geselecteerde projectors - + Disconnect from selected projector Verbreek verbinding met geselecteerde projector - + Power on selected projector Geselecteerde projector inschakelen - + Standby selected projector Geselecteerde projector uitschakelen - - Put selected projector in standby - Geselecteerde projector in standby zetten - - - + Blank selected projector screen Geselecteerd projectorscherm leegmaken - + Show selected projector screen Geselecteerd projectorscherm weergeven - + &View Projector Information Projectorinformatie &bekijken - + &Edit Projector Projector &aanpassen - + &Connect Projector Projector &verbinden - + D&isconnect Projector V&erbinding met projector verbreken - + Power &On Projector Projector &inschakelen - + Power O&ff Projector Projector &uitschakelen - + Select &Input Selecteer i&nvoerbron - + Edit Input Source Invoerbron bewerken - + &Blank Projector Screen Projectorscherm &leegmaken - + &Show Projector Screen Projectorscherm &weergeven - + &Delete Projector Projector verwij&deren - + Name Naam - + IP IP-adres - + Port Poort - + Notes Aantekeningen - + Projector information not available at this time. Projectorinformatie is momenteel niet beschikbaar. - + Projector Name Projectornaam - + Manufacturer Fabrikant - + Model Model - + Other info Overige informatie - + Power status Status - + Shutter is Lensbescherming is - + Closed Dicht - + Current source input is Huidige invoerbron is - + Lamp Lamp - - On - Aan - - - - Off - Uit - - - + Hours Uren - + No current errors or warnings Geen fouten en waarschuwingen - + Current errors/warnings Fouten en waarschuwingen - + Projector Information Projectorinformatie - + No message Geen bericht - + Not Implemented Yet Nog niet geïmplementeerd - - Delete projector (%s) %s? - Verwijder projector (%s) %s? - - - + Are you sure you want to delete this projector? Weet u zeker dat u deze projector wilt verwijderen? + + + Add a new projector. + Voeg een nieuwe projector toe. + + + + Edit selected projector. + Geselecteerde projector aanpassen. + + + + Delete selected projector. + Verwijder geselecteerde projector. + + + + Choose input source on selected projector. + Selecteer invoerbron op geselecteerde projector. + + + + View selected projector information. + Bekijk informatie van geselecteerde projector. + + + + Connect to selected projector. + Verbind met geselecteerde projector. + + + + Connect to selected projectors. + Verbind met geselecteerde projectors. + + + + Disconnect from selected projector. + Verbreek verbinding met geselecteerde projector. + + + + Disconnect from selected projectors. + Verbreek verbinding met geselecteerde projectors. + + + + Power on selected projector. + Geselecteerde projector inschakelen. + + + + Power on selected projectors. + Geselecteerde projectors inschakelen. + + + + Put selected projector in standby. + Geselecteerde projector in standby zetten. + + + + Put selected projectors in standby. + Geselecteerde projectors in standby zetten. + + + + Blank selected projectors screen + Geselecteerde projectorschermen leegmaken + + + + Blank selected projectors screen. + Geselecteerde projectorscherm leegmaken. + + + + Show selected projector screen. + Geselecteerd projectorscherm weergeven. + + + + Show selected projectors screen. + Geselecteerd projectorscherm weergeven. + + + + is on + is aan + + + + is off + is uit + + + + Authentication Error + Authenticatieprobleem + + + + No Authentication Error + Geen authenticatie probleem + OpenLP.ProjectorPJLink - + Fan Ventilator - + Lamp Lamp - + Temperature Temperatuur - + Cover Klep - + Filter Filter - + Other Overig @@ -5448,17 +5444,17 @@ Extensie niet ondersteund OpenLP.ProjectorWizard - + Duplicate IP Address Dubbel IP-adres - + Invalid IP Address Ongeldig IP-adres - + Invalid Port Number Ongeldig poortnummer @@ -5471,27 +5467,27 @@ Extensie niet ondersteund Scherm - + primary primair scherm OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Lengte</strong>: %s - - [slide %d] - [dia %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5555,52 +5551,52 @@ Extensie niet ondersteund Verwijder dit onderdeel uit de liturgie. - + &Add New Item &Voeg toe - + &Add to Selected Item &Voeg toe aan geselecteerd item - + &Edit Item B&ewerk onderdeel - + &Reorder Item He&rschik onderdeel - + &Notes Aa&ntekeningen - + &Change Item Theme &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 @@ -5625,7 +5621,7 @@ Extensie niet ondersteund Alle liturgie-onderdelen inklappen. - + Open File Open bestand @@ -5655,22 +5651,22 @@ Extensie niet ondersteund Toon selectie live. - + &Start Time &Starttijd - + Show &Preview Toon &voorbeeld - + Modified Service Gewijzigde liturgie - + The current service has been modified. Would you like to save this service? De huidige liturgie is gewijzigd. Veranderingen opslaan? @@ -5690,27 +5686,27 @@ Extensie niet ondersteund Speeltijd: - + Untitled Service 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 @@ -5730,147 +5726,145 @@ 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. - + Service File(s) Missing Ontbrekend(e) liturgiebestand(en) - + &Rename... He&rnoemen... - + Create New &Custom Slide &Creëren nieuwe aangepaste dia - + &Auto play slides &Automatisch afspelen dia's - + Auto play slides &Loop Automatisch door&lopend dia's afspelen - + Auto play slides &Once Automatisch &eenmalig dia's afspelen - + &Delay between slides Pauze tussen dia’s. - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} 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. + + + + + An error occurred while writing the service file: {error} + @@ -5902,15 +5896,10 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. Sneltoets - + Duplicate Shortcut Sneltoets dupliceren - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - De sneltoets "%s" wordt al voor een andere actie gebruikt. Kies een andere toetscombinatie. - Alternate @@ -5956,219 +5945,235 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. Configure Shortcuts Sneltoetsen instellen + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Verbergen - + Go To Ga naar - - - Blank Screen - Zwart scherm - - Blank to Theme - Leeg scherm met thema - - - Show Desktop Toon bureaublad - + Previous Service Vorige liturgie - + Next Service Volgende liturgie - - Escape Item - Onderdeel annuleren - - - + Move to previous. Vorige. - + Move to next. Volgende. - + Play Slides Dia’s tonen - + Delay between slides in seconds. Pauze tussen dia’s in seconden. - + Move to live. Toon live. - + Add to Service. Voeg toe aan liturgie. - + Edit and reload song preview. Bewerken en liedvoorbeeld opnieuw laden. - + Start playing media. Start afspelen media. - + Pause audio. Pauzeer audio. - + Pause playing media. Afspelen pauzeren. - + Stop playing media. Afspelen stoppen. - + Video position. Video positie. - + Audio Volume. Audio volume. - + Go to "Verse" Ga naar "Vers" - + Go to "Chorus" Ga naar "Refrein" - + Go to "Bridge" Ga naar "Bridge" - + Go to "Pre-Chorus" Ga naar "pre-Refrein" - + Go to "Intro" Ga naar "Intro" - + Go to "Ending" Ga naar "Einde" - + Go to "Other" Ga naar "Overige" - + Previous Slide Vorige dia - + Next Slide Volgende dia - + Pause Audio Pauzeer audio - + Background Audio Achtergrondgeluid - + Go to next audio track. Ga naar de volgende audiotrack. - + Tracks Tracks + + + Loop playing media. + Continu media afspelen. + + + + Video timer. + Video timer. + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source Selecteer projectorbron - + Edit Projector Source Text Projectorbron-tekst aanpassen - + Ignoring current changes and return to OpenLP Vergeet de wijzigingen en keer terug naar OpenLP - + Delete all user-defined text and revert to PJLink default text Verwijder alle aangepaste teksten en herstel de standaardteksten van PJLink - + Discard changes and reset to previous user-defined text Vergeet aanpassingen en herstel de vorige aangepaste tekst - + Save changes and return to OpenLP 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 source input text for this projector? Weet u zeker dat u ALLE ingevoerde bronteksten van deze projector wilt verwijderen? @@ -6176,17 +6181,17 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. OpenLP.SpellTextEdit - + Spelling Suggestions Spelling suggesties - + Formatting Tags Opmaaktags - + Language: Taal: @@ -6265,7 +6270,7 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. OpenLP.ThemeForm - + (approximately %d lines per slide) (ongeveer %d regels per dia) @@ -6273,523 +6278,531 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. OpenLP.ThemeManager - + Create a new theme. Maak een nieuw thema. - + Edit Theme Bewerk thema - + Edit a theme. Bewerk een thema. - + Delete Theme Verwijder thema - + Delete a theme. Verwijder thema. - + Import Theme Importeer thema - + Import a theme. Importeer thema. - + Export Theme Exporteer thema - + Export a theme. Exporteer thema. - + &Edit Theme B&ewerk thema - + &Delete Theme Verwij&der thema - + Set As &Global Default Instellen als al&gemene standaard - - %s (default) - %s (standaard) - - - + You must select a theme to edit. Selecteer een thema om te bewerken. - + You are unable to delete the default theme. Het standaard thema kan niet worden verwijderd. - + 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 - + Select Theme Import File Selecteer te importeren thema-bestand - + File is not a valid theme. Geen geldig thema-bestand. - + &Copy Theme &Kopieer thema - + &Rename Theme He&rnoem thema - + &Export Theme &Exporteer thema - + You must select a theme to rename. Selecteer een thema om te hernoemen. - + Rename Confirmation Bevestig hernoemen - + Rename %s theme? %s thema hernoemen? - + You must select a theme to delete. Selecteer een thema om te verwijderen. - + Delete Confirmation Bevestig verwijderen - + Delete %s theme? %s thema verwijderen? - + Validation Error Validatie fout - + A theme with this name already exists. Er bestaat al een thema met deze naam. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s keer door %s - - - + Unable to delete theme Het thema kan niet worden verwijderd + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Thema is momenteel in gebruik - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Thema Assistent - + Welcome to the Theme Wizard Welkom bij de Thema Assistent - + Set Up Background Achtergrond instellen - + Set up your theme's background according to the parameters below. Thema achtergrond instellen met onderstaande parameters. - + Background type: Achtergrond type: - + Gradient Kleurverloop - + Gradient: Kleurverloop: - + Horizontal Horizontaal - + Vertical Verticaal - + Circular Radiaal - + Top Left - Bottom Right Links boven - rechts onder - + Bottom Left - Top Right Links onder - Rechts boven - + Main Area Font Details Lettertype instellingen hoofdgebied - + Define the font and display characteristics for the Display text Stel de eigenschappen voor de tekstweergave in - + Font: Lettertype: - + Size: Grootte: - + Line Spacing: Interlinie: - + &Outline: &Omtrek: - + &Shadow: &Schaduw: - + Bold Vet - + Italic Cursief - + Footer Area Font Details Lettertype instellingen voettekst - + Define the font and display characteristics for the Footer text Stel de eigenschappen voor de voettekst weergave in - + Text Formatting Details Tekst opmaak eigenschappen - + Allows additional display formatting information to be defined Toestaan dat er afwijkende opmaak kan worden bepaald - + Horizontal Align: Horizontaal uitlijnen: - + Left Links - + Right Rechts - + Center Centreren - + Output Area Locations Uitvoer gebied locaties - + &Main Area &Hoofdgebied - + &Use default location Gebr&uik standaardlocatie - + X position: X positie: - + px px - + Y position: Y positie: - + Width: Breedte: - + Height: Hoogte: - + Use default location Gebruik standaardlocatie - + Theme name: Themanaam: - - Edit Theme - %s - Bewerk thema - %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. Deze Assistent helpt bij het maken en bewerken van thema's. Klik op volgende om als eerste stap een achtergrond in te stellen. - + Transitions: Overgangen: - + &Footer Area &Voettekst gebied - + Starting color: Beginkleur: - + Ending color: Eindkleur: - + Background color: Achtergrondkleur: - + Justify Uitvullen - + Layout Preview Layout voorbeeld - + Transparent Transparant - + Preview and Save Voorbeeld en opslaan - + Preview the theme and save it. Toon een voorbeeld en sla het thema op. - + Background Image Empty Achtergrondafbeelding leeg - + Select Image Selecteer afbeelding - + Theme Name Missing Thema naam ontbreekt - + There is no name for this theme. Please enter one. Dit thema heeft geen naam. Voer een naam in. - + Theme Name Invalid Thema naam ongeldig - + Invalid theme name. Please enter one. De naam van het thema is niet geldig. Voer een andere naam in. - + Solid color Vaste kleur - + color: kleur: - + Allows you to change and move the Main and Footer areas. Toestaan dat tekstvelden gewijzigd en verplaatst worden. - + You have not selected a background image. Please select one before continuing. Geen achtergrondafbeelding geselecteerd. Selecteer er een om door te gaan. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6872,73 +6885,73 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. &Verticaal uitlijnen: - + Finished import. Importeren afgerond. - + Format: Formaat: - + Importing Importeren - + Importing "%s"... Bezig met importeren van "%s"... - + Select Import Source Selecteer te importeren bestand - + Select the import format and the location to import from. Selecteer te importeren bestand en het bestandsformaat. - + Open %s File Open %s bestand - + %p% %p% - + Ready. Klaar. - + Starting import... Start importeren... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Selecteer minstens één %s bestand om te importeren. - + Welcome to the Bible Import Wizard Welkom bij de Bijbel Importeren Assistent - + Welcome to the Song Export Wizard Welkom bij de Lied Exporteren Assistent - + Welcome to the Song Import Wizard Welkom bij de Lied Importeren Assistent @@ -6956,7 +6969,7 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. - © + © Copyright symbol. © @@ -6988,39 +7001,34 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. XML syntax fout - - Welcome to the Bible Upgrade Wizard - Welkom bij de Bijbel Upgrade Assistent - - - + Open %s Folder Open %s map - + You need to specify one %s file to import from. A file type e.g. OpenSong Specificeer een %s bestand om vanuit te importeren. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Specificeer een %s map om uit te importeren. - + Importing Songs Liederen importeren - + Welcome to the Duplicate Song Removal Wizard Welkom bij de Dubbele Liederen Verwijderingsassistent - + Written by Geschreven door @@ -7030,502 +7038,490 @@ Deze bestanden worden verwijderd als u doorgaat met opslaan. Auteur onbekend - + About Over - + &Add &Toevoegen - + Add group Voeg groep toe - + Advanced Geavanceerd - + All Files Alle bestanden - + Automatic Automatisch - + Background Color Achtergrondkleur - + Bottom Onder - + Browse... Bladeren... - + Cancel Annuleer - + CCLI number: CCLI nummer: - + Create a new service. Maak nieuwe liturgie. - + Confirm Delete Bevestig verwijderen - + Continuous Doorlopend - + Default Standaard - + Default Color: Standaardkleur: - + 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. Liturgie %d-%m-%Y %H-%M - + &Delete Verwij&deren - + Display style: Weergave stijl: - + Duplicate Error Duplicaat fout - + &Edit &Bewerken - + Empty Field Leeg veld - + Error Fout - + Export Exporteren - + File Bestand - + File Not Found Bestand niet gevonden - - File %s not found. -Please try selecting it individually. - Bestand %s niet gevonden. -Probeer elk bestand individueel te selecteren. - - - + pt Abbreviated font pointsize unit pt - + Help Help - + h The abbreviated unit for hours u - + Invalid Folder Selected Singular Ongeldige map geselecteerd - + Invalid File Selected Singular Ongeldig bestand geselecteerd - + Invalid Files Selected Plural Ongeldige bestanden geselecteerd - + Image Afbeelding - + Import Importeren - + Layout style: Dia layout: - + Live Live - + Live Background Error Live achtergrond fout - + Live Toolbar Live Werkbalk - + Load Laad - + Manufacturer Singular Fabrikant - + Manufacturers Plural Fabrikanten - + Model Singular Model - + Models Plural Modellen - + m The abbreviated unit for minutes m - + Middle Midden - + New Nieuw - + New Service Nieuwe liturgie - + New Theme Nieuw thema - + Next Track Volgende track - + No Folder Selected Singular Geen map geselecteerd - + No File Selected Singular Geen bestand geselecteerd - + No Files Selected Plural Geen bestanden geselecteerd - + No Item Selected Singular Geen item geselecteerd - + No Items Selected Plural Geen items geselecteerd - + OpenLP is already running. Do you wish to continue? OpenLP is reeds gestart. Weet u zeker dat u wilt doorgaan? - + Open service. Open liturgie. - + Play Slides in Loop Dia’s doorlopend tonen - + Play Slides to End Dia’s tonen tot eind - + Preview 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 - + CCLI song number: CCLI liednummer: - + Preview Toolbar Voorbeeld Werkbalk - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Vervang live achtergrond is niet beschikbaar wanneer de WebKit-speler uitgeschakeld is. @@ -7541,32 +7537,99 @@ Probeer elk bestand individueel te selecteren. Plural Liedboeken + + + Background color: + Achtergrondkleur: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Geen bijbels beschikbaar + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Couplet + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Niets gevonden + + + + Please type more text to use 'Search As You Type' + + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s en %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s en %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7646,47 +7709,47 @@ Probeer elk bestand individueel te selecteren. Presenteren met: - + File Exists Bestand bestaat - + A presentation with that filename already exists. Er bestaat al een presentatie met die naam. - + This type of presentation is not supported. Dit type presentatie wordt niet ondersteund. - - Presentations (%s) - Presentaties (%s) - - - + Missing Presentation Ontbrekende presentatie - - The presentation %s is incomplete, please reload. - Presentatie %s is niet compleet, herlaad a.u.b. + + Presentations ({text}) + - - The presentation %s no longer exists. - Presentatie %s bestaat niet meer. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7696,11 +7759,6 @@ Probeer elk bestand individueel te selecteren. Available Controllers Beschikbare presentatieprogramma's - - - %s (unavailable) - %s (niet beschikbaar) - Allow presentation application to be overridden @@ -7717,12 +7775,12 @@ Probeer elk bestand individueel te selecteren. 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. @@ -7733,13 +7791,19 @@ Probeer elk bestand individueel te selecteren. - Clicking on a selected slide in the slidecontroller advances to next effect. - Klikken op huidige dia in de diabesturing opent de volgende dia. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Laat PowerPoint de grootte en positie van het presentatievenster bepalen (nodig op Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7781,127 +7845,127 @@ Probeer elk bestand individueel te selecteren. RemotePlugin.Mobile - + Service Manager Liturgiebeheer - + Slide Controller Diabesturing - + 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 - + Remote Remote - + Stage View Podiumweergave - + Live View Live kijken @@ -7909,79 +7973,140 @@ Probeer elk bestand individueel te selecteren. RemotePlugin.RemoteTab - + Serve on IP address: Beschikbaar via IP-adres: - + Port number: Poort nummer: - + Server Settings Server instellingen - + Remote URL: Remote URL: - + Stage view URL: Podium weergave URL: - + Display stage time in 12h format Toon tijd in am/pm formaat - + Android App Android App - + Live view URL: Live meekijk 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. Kon geen SSL certificaat vinden. De HTTPS server is niet beschikbaar, totdat een SSL certificaat wordt gevonden. Lees de documentatie voor meer informatie. - + User Authentication Gebruikersverificatie - + User id: Gebruikersnaam: - + Password: Wachtwoord: - + Show thumbnails of non-text slides in remote and stage view. Toon miniatuurweergaven van niet-tekst-dia's in remote- en podiumweergaven. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Scan de QR-code of klik op <a href="%s">download</a> om de Android-app te installeren via Google Play. + + iOS App + iOS App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Uitvoer pad niet geselecteerd + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Rapportage opslaan + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8022,50 +8147,50 @@ Probeer elk bestand individueel te selecteren. 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 @@ -8133,24 +8258,10 @@ Alle gegevens van voor die datum zullen worden verwijderd. Bestandslocatie - - usage_detail_%s_%s.txt - liedgebruik_details_%s_%s.txt - - - + Report Creation Rapportage opslaan - - - Report -%s -has been successfully created. - Rapportage -%s -is gemaakt. - Output Path Not Selected @@ -8163,14 +8274,26 @@ 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8186,102 +8309,102 @@ Please select an existing path on your computer. 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... - + Arabic (CP-1256) Arabisch (CP-1256) - + Baltic (CP-1257) Baltisch (CP-1257) - + Central European (CP-1250) Centraal Europees (CP-1250) - + Cyrillic (CP-1251) Cyrillisch (CP-1251) - + Greek (CP-1253) Grieks (CP-1253) - + Hebrew (CP-1255) Hebreeuws (CP-1255) - + Japanese (CP-932) Japans (CP-932) - + Korean (CP-949) Koreaans (CP-949) - + Simplified Chinese (CP-936) Chinees, eenvoudig (CP-936) - + Thai (CP-874) Thais (CP-874) - + Traditional Chinese (CP-950) Traditioneel Chinees (CP-950) - + Turkish (CP-1254) Turks (CP-1254) - + Vietnam (CP-1258) Vietnamees (CP-1258) - + Western European (CP-1252) Westeuropees (CP-1252) - + Character Encoding Tekst codering - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8290,26 +8413,26 @@ een correcte weergave van lettertekens. Meestal voldoet de suggestie van OpenLP. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Kies een tekstcodering (codepage). De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens. - + Song name singular Lied - + Songs name plural Liederen - + Songs container title Liederen @@ -8320,37 +8443,37 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens 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 @@ -8365,15 +8488,30 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens 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. + + + Songs + Liederen + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8459,62 +8597,67 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens SongsPlugin.EasyWorshipSongImport - - Administered by %s - Beheerd door %s - - - - "%s" could not be imported. %s - "%s" kon niet worden geïmporteerd. %s - - - + Unexpected data formatting. Onverwacht bestandsformaat. - + No song text found. Geen liedtekst gevonden. - + [above are Song Tags with notes imported from EasyWorship] [hierboven staan Liedtags met noten die zijn geïmporteerd uit EasyWorship] - + This file does not exist. Het bestand bestaat niet. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Kon het bestand "Songs.MB" niet vinden. Het moet in dezelfde map staan als het bestand "Songs.DB". - + This file is not a valid EasyWorship database. Dit is geen geldige EasyWorship-database. - + Could not retrieve encoding. Kon de encoding niet bepalen. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Algemene informatie - + Custom Book Names Aangepaste namen bijbelboeken @@ -8597,57 +8740,57 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens Thema, Copyright && Commentaren - + Add Author Voeg auteur toe - + This author does not exist, do you want to add them? Deze auteur bestaat nog niet, toevoegen? - + This author is already in the list. Deze auteur staat al in de lijst. - + 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. Geen auteur geselecteerd. Kies een auteur uit de lijst of voeg er een toe door de naam in te typen en op de knop "Voeg auteur toe" te klikken. - + Add Topic Voeg onderwerp toe - + This topic does not exist, do you want to add it? Dit onderwerp bestaat nog niet, toevoegen? - + This topic is already in the list. Dit onderwerp staat al in de lijst. - + 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. Geen geldig onderwerp geselecteerd. Kies een onderwerp uit de lijst of type een nieuw onderwerp en klik op "Nieuw onderwerp toevoegen". - + You need to type in a song title. Vul de titel van het lied in. - + You need to type in at least one verse. Vul minstens de tekst van één couplet in. - + You need to have an author for this song. Selecteer minimaal één auteur voor dit lied. @@ -8672,7 +8815,7 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens &Alles verwijderen - + Open File(s) Open bestand(en) @@ -8687,14 +8830,7 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens <strong>Waarschuwing:</strong> U hebt geen volgorde opgegeven voor de verzen. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Er is geen vers dat overeenkomen met "%(invalid)s". Geldige waarden zijn %(valid)s. -Geef de verzen op gescheiden door spaties. - - - + Invalid Verse Order Ongeldige vers volgorde @@ -8704,22 +8840,15 @@ Geef de verzen op gescheiden door spaties. Aut&eurstype aanpassen - + Edit Author Type Auteurstype aanpassen - + Choose type for this author Kies het type van deze auteur - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Er zijn geen verzen die overeenkomen met "%(invalid)s". Geldige waarden zijn %(valid)s. -Geef de verzen op gescheiden door spaties. - &Manage Authors, Topics, Songbooks @@ -8741,45 +8870,71 @@ Geef de verzen op gescheiden door spaties. Auteurs, onderwerpen && liedboeken - + Add Songbook Voeg liedboek toe - + This Songbook does not exist, do you want to add it? Dit liedboek bestaat nog niet, toevoegen? - + This Songbook is already in the list. Dit liedboek staat al in de lijst. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Geen geldig liedboek geselecteerd. Kies een liedboek uit de lijst of type de naam van een liedboek en klik op "Nieuw liedboek toevoegen". + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Couplet bewerken - + &Verse type: Co&uplet type: - + &Insert &Invoegen - + Split a slide into two by inserting a verse splitter. Dia opsplitsen door een dia 'splitter' in te voegen. @@ -8792,77 +8947,77 @@ Geef de verzen op gescheiden door spaties. Lied Exporteren Assistent - + Select Songs Selecteer liederen - + Check the songs you want to export. Selecteer de liederen die u wilt exporteren. - + Uncheck All Deselecteer alles - + Check All Selecteer alles - + Select Directory Selecteer map - + Directory: Map: - + Exporting Exporteren - + Please wait while your songs are exported. Een moment geduld terwijl de liederen worden geëxporteerd. - + You need to add at least one Song to export. Kies minstens één lied om te exporteren. - + No Save Location specified Geen map opgegeven - + Starting export... Start exporteren... - + You need to specify a directory. Geef aan waar het bestand moet worden opgeslagen. - + Select Destination Folder Selecteer een doelmap - + Select the directory where you want the songs to be saved. Selecteer een map waarin de liederen moeten worden bewaard. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Deze assistent helpt u bij het exporteren van liederen naar het open en vrije <strong>OpenLyrics</strong> worship lied formaat. @@ -8870,7 +9025,7 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Onbruikbaar Foilpresenter liederenbestand. Geen verzen gevonden. @@ -8878,7 +9033,7 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.GeneralTab - + Enable search as you type Zoeken tijdens het typen @@ -8886,7 +9041,7 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selecteer Documenten/Presentatie bestanden @@ -8896,237 +9051,252 @@ Geef de verzen op gescheiden door spaties. Lied Importeren Assistent - + 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. Deze Assistent helpt liederen in verschillende bestandsformaten te importeren in OpenLP. Klik op volgende en kies daarna het bestandsformaat van het te importeren lied. - + Generic Document/Presentation Algemeen Document/Presentatie - + Add Files... Toevoegen... - + Remove File(s) Verwijder bestand(en) - + Please wait while your songs are imported. Een moment geduld terwijl de liederen worden geïmporteerd. - + Words Of Worship Song Files Words Of Worship liedbestanden - + Songs Of Fellowship Song Files Songs Of Fellowship liedbestanden - + SongBeamer Files SongBeamer bestanden - + SongShow Plus Song Files SongShow Plus liedbestanden - + Foilpresenter Song Files Foilpresenter liedbestanden - + Copy Kopieer - + Save to File Opslaan als bestand - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Songs of Fellowship import is uitgeschakeld omdat OpenLP zowel OpenOffice als LibreOffice niet kan vinden op deze computer. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Algemeen document/presentatie import is uitgeschakeld omdat OpenLP zowel OpenOffice als LibreOffice niet kan vinden op deze computer. - + OpenLyrics Files OpenLyrics bestanden - + CCLI SongSelect Files CCLI SongSelect bestanden - + EasySlides XML File EasySlides XML bestand - + EasyWorship Song Database EasyWorship lied database - + DreamBeam Song Files DreamBeam liedbestanden - + You need to specify a valid PowerSong 1.0 database folder. Specificeer een geldige PowerSong 1.0 databasemap. - + 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>. Converteer uw ZionWorx database eerst naar een CSV tekstbestand, zoals staat uitgelegd in de Engelstalige <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">gebruikershandleiding</a>. - + SundayPlus Song Files SundayPlus liedbestanden - + This importer has been disabled. Deze importeerder is uitgeschakeld. - + 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. MediaShout importeren wordt alleen ondersteund onder Windows. Het is uitgeschakeld omdat een bepaalde Python module ontbreekt. Om te kunnen importeren moet u de "pyodbc" module installeren. - + SongPro Text Files SongPro tekstbestanden - + SongPro (Export File) SongPro (geëxporteerd bestand) - + In SongPro, export your songs using the File -> Export menu Exporteer de liederen in SongPro via het menu File -> Export - + EasyWorship Service File EasyWorship dienstbestand - + WorshipCenter Pro Song Files WorshipCenter Pro liedbestanden - + 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. De WorshipCenter Pro-importeerder wordt alleen ondersteund op Windows. Het is uitgeschakeld door een missende Python-module. Als u deze importeerder wilt gebruiken, moet u de module "pyodbc" installeren. - + PowerPraise Song Files PowerPraise liedbestanden - + PresentationManager Song Files PresentationManager liedbestanden - - ProPresenter 4 Song Files - ProPresenter 4 liedbestanden - - - + Worship Assistant Files Worship Assistant bestanden - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. Exporteer uw database naar een CSV-bestand vanuit Worship Assistant. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics of OpenLP 2 geëxporteerd lied - + OpenLP 2 Databases OpenLP 2 Databases - + LyriX Files LyriX-bestanden - + LyriX (Exported TXT-files) LyriX (geëxporteerde TXT-bestanden) - + VideoPsalm Files VideoPsalm-bestanden - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - De VideoPsalm-bundels staan normaal in %s + + OPS Pro database + OPS Pro database + + + + The OPS 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. + De OPS Pro Importer wordt alleen ondersteund onder Windows. Het is uitgeschakeld omdat een bepaalde Python module ontbreekt. Om te kunnen importeren moet u de "pyodbc" module installeren. + + + + ProPresenter Song Files + ProPresenter liedbestanden + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Fout: %s + File {name} + + + + + Error: {error} + @@ -9145,79 +9315,117 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.MediaItem - + Titles Titels - + Lyrics Liedtekst - + CCLI License: CCLI Licentie: - + Entire Song Gehele lied - + Maintain the lists of authors, topics and books. Beheer de lijst met auteurs, onderwerpen en liedboeken. - + copy For song cloning kopieer - + Search Titles... Zoek op titel... - + Search Entire Song... Doorzoek gehele lied... - + Search Lyrics... Doorzoek liedtekst... - + Search Authors... Zoek op auteur... - - Are you sure you want to delete the "%d" selected song(s)? - Weet u zeker dat u deze "%d" liederen wilt verwijderen? - - - + Search Songbooks... Zoek liedboek... + + + Search Topics... + Zoeken onderwerpen... + + + + Copyright + Copyright + + + + Search Copyright... + Zoek Copyright... + + + + CCLI number + CCLI nummer + + + + Search CCLI number... + Zoek CCLI nummer... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Kan de MediaShout database niet openen. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Kon niet verbinden met de OPS Pro database. + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Geen geldige OpenLP 2 liederendatabase. @@ -9225,9 +9433,9 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Bezig met exporteren van "%s"... + + Exporting "{title}"... + @@ -9246,29 +9454,37 @@ Geef de verzen op gescheiden door spaties. Geen liederen om te importeren. - + Verses not found. Missing "PART" header. Coupletten niet gevonden. Ontbrekende "PART" header. - No %s files found. - Geen %s bestanden gevonden. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Ongeldig %s bestand. Onverwachte bytewaarde. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Ongeldig %s bestand. Ontbrekende "TITLE" header. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Ongeldig %s bestand. Ontbrekende "COPYRIGHTLINE" header. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9297,19 +9513,19 @@ 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 + + Your song export failed because this error occurred: {error} + @@ -9325,17 +9541,17 @@ Geef de verzen op gescheiden door spaties. De volgende liederen konden niet worden geïmporteerd: - + Cannot access OpenOffice or LibreOffice Kan OpenOffice of LibreOffice niet bereiken - + Unable to open file Kan bestand niet openen - + File not found Bestand niet gevonden @@ -9343,109 +9559,109 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.SongMaintenanceForm - + Could not add your author. Kon de auteur niet toevoegen. - + This author already exists. Deze auteur bestaat al. - + Could not add your topic. Kon dit onderwerp niet toevoegen. - + This topic already exists. Dit onderwerp bestaat al. - + Could not add your book. Kon dit boek niet toevoegen. - + This book already exists. Dit boek bestaat al. - + Could not save your changes. De wijzigingen kunnen niet opgeslagen worden. - + Could not save your modified author, because the author already exists. Kan de auteur niet opslaan, omdat deze reeds bestaat. - + Could not save your modified topic, because it already exists. Kan dit onderwerp niet opslaan, omdat het reeds bestaat. - + Delete Author Auteur verwijderen - + Are you sure you want to delete the selected author? Weet u zeker dat u de auteur wilt verwijderen? - + This author cannot be deleted, they are currently assigned to at least one song. Deze auteur kan niet worden verwijderd omdat er nog een lied aan is gekoppeld. - + Delete Topic Onderwerp verwijderen - + Are you sure you want to delete the selected topic? Weet u zeker dat u dit onderwerp wilt verwijderen? - + This topic cannot be deleted, it is currently assigned to at least one song. Dit onderwerp kan niet worden verwijderd omdat er nog een lied aan is gekoppeld. - + Delete Book Verwijder boek - + Are you sure you want to delete the selected book? Weet u zeker dat u dit boek wilt verwijderen? - + This book cannot be deleted, it is currently assigned to at least one song. Dit boek kan niet worden verwijderd omdat er nog een lied aan is gekoppeld. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - De auteur %s bestaat al. Liederen met auteur %s aan de bestaande auteur %s koppelen? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Het onderwerp %s bestaat al. Liederen met onderwerp %s aan het bestaande onderwerp %s koppelen? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Het boek %s bestaat al. Liederen uit het boek %s aan het bestaande boek %s koppelen? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9491,52 +9707,47 @@ Geef de verzen op gescheiden door spaties. Zoek - - Found %s song(s) - %s lied(eren) gevonden - - - + Logout Uitloggen - + View Weergave - + Title: Titel: - + Author(s): Auteur(s): - + Copyright: Copyright: - + CCLI Number: CCLI-nummer: - + Lyrics: Teksten: - + Back Terug - + Import Importeren @@ -9576,7 +9787,7 @@ Geef de verzen op gescheiden door spaties. Er was een probleem bij het inloggen, misschien is uw gebruikersnaam of wachtwoord incorrect? - + Song Imported Lied geïmporteerd @@ -9591,7 +9802,7 @@ Geef de verzen op gescheiden door spaties. Dit lied mist informatie, zoals bijvoorbeeld de liedtekst, waardoor het niet geïmporteerd kan worden. - + Your song has been imported, would you like to import more songs? Het lied is geïmporteerd. Wilt u meer liederen importeren? @@ -9600,6 +9811,11 @@ Geef de verzen op gescheiden door spaties. Stop Stop + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9608,30 +9824,30 @@ Geef de verzen op gescheiden door spaties. Songs Mode Lied instellingen - - - Display verses on live tool bar - Coupletten weergeven op Live werkbalk - Update service from song edit Liturgie bijwerken met bewerkt lied - - - Import missing songs from service files - Importeer ontbrekende liederen uit liturgiebestand - Display songbook in footer Weergeven liedboek in voettekst + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Geef "%s"-symbool weer vóór copyrightinformatie + Display "{symbol}" symbol before copyright info + @@ -9655,37 +9871,37 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.VerseType - + Verse Couplet - + Chorus Refrein - + Bridge Bridge - + Pre-Chorus Tussenspel - + Intro Intro - + Ending Eind - + Other Overig @@ -9693,22 +9909,22 @@ Geef de verzen op gescheiden door spaties. SongsPlugin.VideoPsalmImport - - Error: %s - Fout: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Ongeldig Words of Worship liedbestand. Ontbrekende "%s" kop.WoW File\nSong Words + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Ongeldig Words of Worship liedbestand. Ontbrekende "%s" regel.CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9719,30 +9935,30 @@ Geef de verzen op gescheiden door spaties. Fout bij het lezen van CSV bestand. - - Line %d: %s - Regel %d: %s - - - - Decoding error: %s - Fout bij decoderen: %s - - - + File not valid WorshipAssistant CSV format. Bestand is geen geldig WorshipAssistant CSV-bestand. - - Record %d - Vermelding %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Kon niet verbinden met de WorshipCenter Pro database. @@ -9755,25 +9971,30 @@ Geef de verzen op gescheiden door spaties. Fout bij het lezen van CSV bestand. - + File not valid ZionWorx CSV format. Bestand heeft geen geldige ZionWorx CSV indeling. - - Line %d: %s - Regel %d: %s - - - - Decoding error: %s - Fout bij decoderen: %s - - - + Record %d Vermelding %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9783,39 +10004,960 @@ Geef de verzen op gescheiden door spaties. 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. Deze assistent zal u helpen om dubbele liederen uit de database te verwijderen. U heeft de mogelijkheid om ieder lied te bekijken voordat die verwijderd wordt. Er zullen geen liederen worden verwijderd zonder uw expliciete toestemming. - + Searching for duplicate songs. Zoeken naar dubbele liederen. - + Please wait while your songs database is analyzed. Een moment geduld. De liederendatabase wordt geanalyseerd. - + Here you can decide which songs to remove and which ones to keep. Hier kunt u bepalen welke liederen moeten worden verwijderd of bewaard. - - Review duplicate songs (%s/%s) - Bekijk dubbele liederen (%s/%s) - - - + Information Informatie - + No duplicate songs have been found in the database. Er zijn geen dubbele liederen gevonden in de database. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Dutch + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/pl.ts b/resources/i18n/pl.ts index d4bc7fdee..412dc5985 100644 --- a/resources/i18n/pl.ts +++ b/resources/i18n/pl.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -95,13 +96,13 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Tekst ostrzegawczy nie zawiera '<>'. Czy mimo to chcesz kontynuować? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Nie zdeklarowałeś treści komunikatu. Proszę, wpisz test zanim wciśniesz "Nowy". @@ -118,32 +119,27 @@ Proszę, wpisz test zanim wciśniesz "Nowy". AlertsPlugin.AlertsTab - + Font Czcionka - + Font name: Nazwa czcionki: - + Font color: Kolor czcionki: - - Background color: - Kolor tła: - - - + Font size: Wielkość czcionki: - + Alert timeout: Czas komunikatu: @@ -151,88 +147,78 @@ 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 Biblii</strong><br />Wtyczka Biblii zapewnia możliwość wyświetlania wersetów biblijnych z różnych źródeł podczas nabożeństwa. - - - &Upgrade older Bibles - &Uaktualnij starsze Biblie - - - - Upgrade the Bible databases to the latest format. - Zaktualizuj bazę danych Biblii do najnowszego formatu. - Genesis @@ -737,159 +723,121 @@ Proszę, wpisz test zanim wciśniesz "Nowy". Ta Biblia już istnieje. Proszę zaimportować inną lub usunąć już istniejącą. - - You need to specify a book name for "%s". - Musisz sprecyzować nazwę księgi dla "%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. - Nazwa księgi "%s" nie jest poprawna. -Liczby mogą zostać użyte jedynie na początku i poprzedzać tekst. - - - + Duplicate Book Name Powiel nazwę księgi - - The Book Name "%s" has been entered more than once. - Nazwa księgi "%s" została wpisana więcej niż raz. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Błąd odnośnika Pisma - - Web Bible cannot be used - Biblia internetowa nie może być użyta + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Twój odnośnik nie jest wspierany przez OpenLP bądź jest błędny. Proszę, upewnij się, że Twoje odniesienie pasuje do jednego z poniższych wzorów. +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Księga Rozdział -Księga Rozdział%(range)sRozdział -Księga Rozdział%(verse)sWerset%(range)sWerset -Księga Rozdział%(verse)sWerset%(range)sWerset%(list)sWerset%(range)sWerset -Księga Rozdział%(verse)sWerset%(range)sWerset%(list)sRozdział%(verse)sWerset%(range)sWerset -Księga Rozdział%(verse)sWerset%(range)sRozdział%(verse)sWerset +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Wyświetlanie wersetów - + Only show new chapter numbers Pokaż tylko numery nowych rozdziałów - + Bible theme: Motyw Biblii: - + No Brackets Brak klamer - + ( And ) ( i ) - + { And } { i } - + [ And ] [ i ] - - Note: -Changes do not affect verses already in the service. - Uwaga: -Zmiany nie wpływają na wersety dodane do planu nabożeństwa. - - - + Display second Bible verses Wyświetl kolejne wersety biblijne - + Custom Scripture References Odnośniki do Pisma - - Verse Separator: - Separator wersetów (przed numerem wersetu): - - - - Range Separator: - Separator zakresu: - - - - List Separator: - Separator wymienianych elementów: - - - - End Mark: - Końcowy znak: - - - + 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. @@ -897,37 +845,83 @@ Please clear this edit line to use the default value. Muszą one być odseparowane poziomą kreską "|". Proszę zatwierdzić, by użyć domyślnej wartości. - + English Polish - + Default Bible Language Domyślny język Biblii - + Book name language in search field, search results and on display: Nazwy ksiąg w polu wyszukiwania, wyniki wyszukiwania i wyniki na ekranie: - + Bible Language Język Biblii - + Application Language Język programu - + Show verse numbers Pokaż numer wersetu + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -983,70 +977,71 @@ wyniki wyszukiwania i wyniki na ekranie: BiblesPlugin.CSVBible - - Importing books... %s - Import ksiąg ... %s + + Importing books... {book} + - - Importing verses... done. - Import wersów... wykonano. + + Importing verses from {book}... + Importing verses from <book name>... + BiblesPlugin.EditBibleForm - + Bible Editor Edytor Biblii - + License Details Szczegóły licencji - + Version name: Nazwa wersji: - + Copyright: Prawa autorskie: - + Permissions: Zezwolenia: - + Default Bible Language Domyślny język Biblii - + Book name language in search field, search results and on display: Nazwy ksiąg w polu wyszukiwania, wyniki wyszukiwania i wyniki na ekranie: - + Global Settings Globalne ustawienia - + Bible Language Język Biblii - + Application Language Język programu - + English Polish @@ -1066,224 +1061,259 @@ 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 + + + Importing {book}... + Importing <book name>... + + 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. Biblia dodana. Zwróć uwagę na to, że wersety będą pobierane na bieżąco, więc wymagane jest połączenie z internetem. - + Click to download bible list Kliknij, by pobrać pakiet biblii - + Download bible list Pobierz pakiet biblii - + Error during download Błąd pobierania - + An error occurred while downloading the list of bibles from %s. Pojawił się problem podczas pobierania pakietu biblii od %s + + + Bibles: + Biblie + + + + SWORD data folder: + Folder danych SWORD: + + + + SWORD zip-file: + plik zip SWORD + + + + Defaults to the standard SWORD data folder + Domyślnie dla standardu foldera danych SWORD + + + + Import from folder + Importuj z folderu + + + + Import from Zip-file + Importuj z archiwum zip + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Aby importować biblie SWORD moduł pysword python musi być zainstalowany. Proszę przeczytać manual + BiblesPlugin.LanguageDialog @@ -1314,291 +1344,155 @@ Nie można dostosowywać i zmieniać nazw ksiąg. BiblesPlugin.MediaItem - - Quick - Szybko - - - + Find: Znajdź: - + Book: Księga: - + Chapter: Rozdział: - + Verse: Werset: - + From: Od: - + To: Do: - + Text Search Wyszukaj tekst: - + Second: Drugie: - + Scripture Reference Odnośnik biblijny - + Toggle to keep or clear the previous results. Kliknij, aby zachować lub wyczyścić poprzednie wyniki. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Nie możesz łączyć pojedyńczych i podwójnych wersetów Biblii w wynikach wyszukiwania. Czy chcesz usunąć wyniki wyszukiwania i rozpocząć kolejne wyszukiwanie? - + Bible not fully loaded. Biblia nie jest wczytana w pełni. - + Information Informacja - - 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. - Druga Biblia nie zawiera wszystkich wersetów, które występują w głównej Biblii. Jedynie wersety znalezione w obu tłumaczeniach zostaną wyświetlone. %d wersety nie zostały zawarte w wynikach. - - - + Search Scripture Reference... Wpisz odnośnik... - + Search Text... Przeszukaj tekst... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Szukaj + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Czy jesteś pewien, że chcesz zupełnie usunąć "%s" Biblię z OpenLP? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -Będziesz musiał zaimportować ją ponownie, aby móc jej znowu używać. - - - - Advanced - Zaawansowane - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Niewłaściwy typ Biblii. Biblie na OpenSong'a mogą być skompresowane. Musisz je rozpakować przed importowaniem. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - Nieprawidłowy format Biblii. Wygląda ona na Biblię Zefania XML, więc proszę użyć opcji importu Zefania - - - - BiblesPlugin.Opensong - - - Importing %(bookname)s %(chapter)s... - Importowanie %(bookname)s %(chapter)s... +{count:d} verses have not been included in the results. + 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... - Importowanie %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Wybierz folder kopii zapasowej + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Kreator Aktualizacji Biblii - - - - 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. - Ten kreator pozwoli ci na aktualizację istniejącej Biblii z poprzedniej wersji OpenLP 2. Kliknij "dalej", aby rozpocząć proces aktualizacji. - - - - Select Backup Directory - Wybierz folder kopii zapasowej - - - - Please select a backup directory for your Bibles - Wybierz folder kopii zapasowej dla twoich Biblii - - - - 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>. - Poprzednie wydania OpenLP 2.0 nie mogą używać zaktualizowanych Biblii. Zostanie utworzona kopia zapasowa obecnych Biblii, więc możesz po prostu skopiować dane z powrotem do katalogu OpenLP w przypadku gdy będziesz potrzebował powrócić do poprzedniego wydania OpenLP. Instrukcje jak przywrócić pliki można znaleźć w naszym dziale <a href="http://wiki.openlp.org/faq">Frequently Asked Questions - Najczęściej Zadawane Pytania</a>. - - - - Please select a backup location for your Bibles. - Proszę wybrać lokalizację kopii zapasowej twojej Biblii. - - - - Backup Directory: - Katalog kopii zapasowej: - - - - There is no need to backup my Bibles - Nie ma potrzeby tworzenia kopii zapasowej Biblii - - - - Select Bibles - Wybierz Biblię - - - - Please select the Bibles to upgrade - Proszę wybrać Biblie do zaktualizowania - - - - Upgrading - Aktualizacja - - - - Please wait while your Bibles are upgraded. - Proszę czekać, trwa aktualizacja Biblii. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Tworzenie kopii zapasowej zakończone niepowodzeniem. ⏎ Aby utworzyć kopię zapasową twojej Biblii musisz mieć uprawnienia do zapisywania w danym folderze. - - - - Upgrading Bible %s of %s: "%s" -Failed - Aktualizowanie Biblii %s z %s: "%s" -Niepowodzenie - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Aktualizowanie Biblii %s z %s: "%s" -Aktualizowanie w toku... - - - - Download Error - Błąd pobierania - - - - To upgrade your Web Bibles an Internet connection is required. - Aby aktualizować twoje internetowe Biblie wymagane jest połączenie z internetem. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Aktualizowanie Biblii %s z %s: "%s" -Aktualizowanie %s.. - - - - Upgrading Bible %s of %s: "%s" -Complete - Aktualizowanie Biblii %s z %s: "%s" - Ukończono! - - - - , %s failed - %s niepowodzenie - - - - Upgrading Bible(s): %s successful%s - Aktualizowanie Biblii: %s successful%s - - - - Upgrade failed. - Aktualizacja zakończona niepowodzeniem. - - - - You need to specify a backup directory for your Bibles. - Musisz określić katalog dla kopii zapasowej twojej Biblii. - - - - Starting upgrade... - Rozpoczynanie aktualizacji... - - - - There are no Bibles that need to be upgraded. - Brak Biblii wymagających aktualizacji. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. = @@ -1606,9 +1500,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importowanie %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1724,7 +1618,7 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na Edytuj wszystkie slajdy natychmiast. - + Split a slide into two by inserting a slide splitter. Połącz dwa slajdy w jeden za pomocą łączenia slajdów. @@ -1739,7 +1633,7 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na &Twórcy: - + You need to type in a title. Musisz napisać tytuł. @@ -1749,12 +1643,12 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na Edytuj całość - + Insert Slide Wstaw slajd - + You need to add at least one slide. Musisz dodać przynajmniej jeden slajd @@ -1762,7 +1656,7 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na CustomPlugin.EditVerseForm - + Edit Slide Edytuj slajd @@ -1770,9 +1664,9 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1800,11 +1694,6 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na container title Obrazy - - - Load a new image. - Wczytaj nowy obraz - Add a new image. @@ -1835,6 +1724,16 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na Add the selected image to the service. Dodaj zaznaczony obraz do planu nabożeństwa + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1859,12 +1758,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. @@ -1900,7 +1799,7 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na ImagePlugin.ExceptionDialog - + Select Attachment Wybierz załącznik @@ -1908,39 +1807,22 @@ Wtyczka Slajdu Tekstowego umożliwia umieszczanie zwykłych ciągów znaków na ImagePlugin.MediaItem - + Select Image(s) Wybierz obraz(y) - + You must select an image to replace the background with. Musisz zaznaczyć obraz, by użyć go jako 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 projektora. @@ -1950,25 +1832,41 @@ Czy mimo to chcesz dodać inne? -- Nadrzędna grupa -- - + 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ść? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Tło dla obrazów o innych proporcjach niż ekran. @@ -1976,88 +1874,88 @@ Czy mimo to chcesz dodać inne? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. - + Ten odtwarzacz multimediów wykorzystuje twój system operacyjny dla zapewnienia zdolności multimedialnych 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 film, bądź plik dźwiękowy - + 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. @@ -2173,47 +2071,47 @@ Czy mimo to chcesz dodać inne? Odtwarzacz VLC nie odtworzył poprawnie pliku. - + CD not loaded correctly CD nie została załadowana poprawnie - + The CD was not loaded correctly, please re-load and try again. Płyta CD nie została załadowana poprawnie, proszę spróbuj ponownie. - + DVD not loaded correctly DVD nie została załadowana poprawnie - + The DVD was not loaded correctly, please re-load and try again. Płyta DVD nie została załadowana poprawnie, proszę spróbuj ponownie. - + Set name of mediaclip Wpisz nazwę klipu - + Name of mediaclip: Nazwa klipu: - + Enter a valid name or cancel Wpisz poprawną nazwę lub anuluj - + Invalid character Nieprawidłowy znak - + The name of the mediaclip must not contain the character ":" Nazwa klipu nie może zawierać znaku ":" @@ -2221,90 +2119,100 @@ Czy mimo to chcesz dodać inne? MediaPlugin.MediaItem - + Select Media 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 projektora. - + Unsupported File Nieobsługiwany plik - + Use Player: Użyj odtwarzacza: - + VLC player required Odtwarzacz VLC wymagany - + VLC player required for playback of optical devices 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 + + + File %s not supported using player %s + Plik %s nie jest obsługiwany przez odtwarzacz %s + + + + Unsupported Media File + Niewspierany plik mediów + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2315,94 +2223,93 @@ Czy mimo to chcesz dodać inne? - Start Live items automatically - Odtwarzaj automatycznie - - - - OPenLP.MainWindow - - - &Projector Manager - P&rojektory + Start new Live media automatically + OpenLP - + Image Files Pliki obrazów - - Information - Informacja - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Format Biblii został zmieniony -Musisz uaktualnić istniejące Biblie. -Czy OpenLP ma to zrobić teraz? - - - + Backup Kopia zapasowa - - OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - OpenLP zostało zaktualizowane. Czy chcesz utworzyć kopię zapasową danych OpenLP? - - - + Backup of the data folder failed! Nie udało się stworzyć kopii zapasowej! - - A backup of the data folder has been created at %s - Kopia zapasowa została utworzona w %s - - - + Open Otwórz + + + Video Files + + + + + Data Directory Error + Błąd katalogu danych + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Zasługi - + License Licencja - - build %s - zbuduj %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. Ten program jest wolnym oprogramowaniem; możesz go rozpowszechniać i/lub modyfikować pod warunkami Powszechnej Licencji Publicznej GNU, wydanej przez Fundację Wolnego Oprogramowania - według wersji drugiej tej Licencji. - + 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. Program został rozpowszechniony z nadzieją, iż będzie on użyteczny, lecz BEZ ŻADNEJ GWARANCJI; nawet bez sugerowania HANDLOWEJ gwarancji lub PRZYDATNOŚCI DO OKREŚLONEGO CELU. Więcej informacji poniżej. - + 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. @@ -2419,168 +2326,157 @@ Dowiedz się więcej o OpenLP: http://openlp.org/ OpenLP jest pisany i wspierany przez wolontariuszy. Jeśli chciałbyś, aby powstawało więcej wolnych, chrześcijańskich programów, proszę rozważ współpracę przez naciśnięcie poniższego przycisku. - + Volunteer Chcę pomóc! - - - Project Lead - - - - - Developers - - - - - Contributors - - - - - Packagers - - - - - Testers - - - Translators - + Project Lead + Prowadzenie projektu - Afrikaans (af) - + Developers + Deweloperzy - Czech (cs) - + Contributors + Uczestnicy - Danish (da) - + Packagers + Paczki - German (de) - + Testers + Testerzy - Greek (el) - + Translators + Tłumacze - English, United Kingdom (en_GB) - + Afrikaans (af) + Afrykanerski (af) - English, South Africa (en_ZA) - + Czech (cs) + Czeski (cs) - Spanish (es) - + Danish (da) + Duński (da) - Estonian (et) - + German (de) + Niemiecki (de) - Finnish (fi) - + Greek (el) + Grecki (el) - French (fr) - + English, United Kingdom (en_GB) + Angielski, UK (en_GB) - Hungarian (hu) - + English, South Africa (en_ZA) + Angielski, RPA (en_ZA) - Indonesian (id) - + Spanish (es) + Hiszpański (es) - Japanese (ja) - + Estonian (et) + Estoński (et) - Norwegian Bokmål (nb) - + Finnish (fi) + Fiński (fi) - Dutch (nl) - + French (fr) + Francuski (fr) - Polish (pl) - + Hungarian (hu) + Węgierski (hu) - Portuguese, Brazil (pt_BR) - + Indonesian (id) + Indonezyjski (id) - Russian (ru) - + Japanese (ja) + Japoński (ja) - Swedish (sv) - + Norwegian Bokmål (nb) + Norweski (nb) - Tamil(Sri-Lanka) (ta_LK) - + Dutch (nl) + Holenderski (nl) - Chinese(China) (zh_CN) - + Polish (pl) + Polski (pl) - Documentation - + Portuguese, Brazil (pt_BR) + Portugalski (pt_BR) - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - + Russian (ru) + Rosyjski (ru) - + + Swedish (sv) + Szwedzki (sv) + + + + Tamil(Sri-Lanka) (ta_LK) + Tamilski (Sri-Lanka) (ta_LK) + + + + Chinese(China) (zh_CN) + Chiński (zh_CN) + + + + Documentation + Dokumentacja + + + Final Credit "For God so loved the world that He gave His one and only Son, so that whoever @@ -2592,335 +2488,252 @@ OpenLP jest pisany i wspierany przez wolontariuszy. Jeśli chciałbyś, aby pows on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + Końcowe podziękowanie: +"Dla Boga, który tak umiłował świat, że Syna swego, jednorodzonego dał, aby każdy, kto w niego wierzy, nie zginął, ale miał życie wieczne" J 3,16 + +Na koniec ale nie mniej ważnie, końcowe podziękowania dla Boga, naszego Ojca, za zesłanie nam swego Syna, by umarł za nas na krzyżu i uczynił nas wolnymi od grzechu. +Dostarczamy to oprogramowanie za darmo, ponieważ On uczynił nas wolnymi. + - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Ustawienia interfejsu - - - Number of recent files to display: - Liczba ostatnio wyświetlanych plików: - - Remember active media manager tab on startup - Zapamiętaj aktywną kartę menedżera multimediów przy starcie - - - - Double-click to send items straight to live - Kliknij podwójnie, aby wyświetlić element na ekranie - - - Expand new service items on creation Rozwiń nowe elementy w planie nabożeństwa - + Enable application exit confirmation Włącz potwierdzenie wyjścia z programu - + Mouse Cursor Kursor myszy - + Hide mouse cursor when over display window Ukryj kursor myszy, gdy jest na ekranie - - Default Image - Domyślny obraz - - - - Background color: - Kolor tła: - - - - Image file: - Plik obrazu: - - - + Open File Otwórz plik - + Advanced Zaawansowane - - - Preview items when clicked in Media Manager - Podgląd klikniętych elementów w menedżerze multimediów - - Browse for an image file to display. - Wybierz obrazek do wyświetlania - - - - Revert to the default OpenLP logo. - Przywróć domyślne logo OpenLP - - - Default Service Name Domyślna nazwa planu nabożeństwa - + Enable default service name Ustaw domyślną nazwę planu nabożeństwa - + Date and Time: Czas i data: - + Monday Poniedziałek - + Tuesday Wtorek - + Wednesday Środa - + Friday Piątek - + Saturday Sobota - + Sunday Niedziela - + Now Teraz - + Time when usual service starts. Standardowa godzina rozpoczęcia. - + Name: Nazwa: - + Consult the OpenLP manual for usage. Zaznajom się z instrukcją obsługi OpenLP. - - Revert to the default service name "%s". - Przywróć domyślną nazwę: "%s" - - - + Example: Przykład: - + Bypass X11 Window Manager Pomiń menadżer okien X11 - + Syntax error. Błąd składni. - + Data Location Lokalizacja danych - + Current path: Aktualna ścieżka: - + Custom path: Inna ścieżka: - + Browse for new data file location. Wybierz nową lokalizację bazy OpenLP - + Set the data location to the default. Przywróć domyślną ścieżkę do bazy OpenLP - + Cancel Anuluj - + Cancel OpenLP data directory location change. Anuluj zmianę lokalizacji katalogu OpenLP. - + Copy data to new location. Skopiuj dane do nowej lokalizacji. - + Copy the OpenLP data files to the new location. Skopiuj pliki danych OpenLP do nowej lokalizacji. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>Uwaga:</strong> Nowa lokalizacja katalogu danych zawiera dane z plikami OpenLP. Te pliki będą zastąpione podczas kopiowania. - - Data Directory Error - Błąd katalogu danych - - - + Select Data Directory Location Zaznacz katalog lokalizacji danych - + Confirm Data Directory Change Potwierdź zmianę katalogu plików - + Reset Data Directory Zresetuj katalog z danymi - + Overwrite Existing Data Nadpisz istniejące dane - - 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. Jeśli nowa lokalizacja jest na zewnętrznym urządzeniu, to musi być ono podłączone. - -Naciśnij "Nie", aby zatrzymać ładowanie programu. Dzięki temu będziesz mógł naprawić problem. - -Naciśnij "Tak", aby zresetować katalog z danymi w domyślnej lokalizacji. - - - - 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. - Czy jesteś pewien, że chcesz zmienić lokalizację katalogu OpenLP z danymi na: - -%s - -Katalog z danymi zostanie zmieniony jak OpenLP zostanie zamknięty. - - - + Thursday Czwartek - + Display Workarounds Ustawienia ekranu - + Use alternating row colours in lists Zastosuj naprzemienne kolory rzędów - - 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? - UWAGA: - -Wybrana lokalizacja - -%s - -zawiera pliki z danymi OpenLP. Czy chcesz zastąpić te pliki aktualnymi plikami danych? - - - + Restart Required Wymagany restart - + This change will only take effect once OpenLP has been restarted. Zmiany będą zastosowane po ponownym uruchomieniu OpenLP. - + 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. @@ -2928,11 +2741,142 @@ This location will be used after OpenLP is closed. Katalog z danymi zostanie przywrucony jak OpenLP zostanie zamknięty. + + + Max height for non-text slides +in slide controller: + Max wysokość dla slajdów bez tekstu w kontrolerze slajdów + + + + Disabled + Zablokowany + + + + When changing slides: + Gdy zmieniasz slajdy: + + + + Do not auto-scroll + Nie przewijaj automatycznie + + + + Auto-scroll the previous slide into view + Przewiń automatycznie poprzedni slajd aby zobaczyć + + + + Auto-scroll the previous slide to top + Przewiń automatycznie poprzedni slajd na samą górę + + + + Auto-scroll the previous slide to middle + Przewiń automatycznie poprzedni slajd do środka + + + + Auto-scroll the current slide into view + Przewiń automatycznie poprzedni slajd aby zobaczyć + + + + Auto-scroll the current slide to top + Automatycznie przewijanie slajdu do początku + + + + Auto-scroll the current slide to middle + Automatyczne przewijanie slajdu do środka + + + + Auto-scroll the current slide to bottom + Automatyczne przewijanie slajdu na dół + + + + Auto-scroll the next slide into view + Przewiń automatycznie następny slajd aby zobaczyć + + + + Auto-scroll the next slide to top + Automatycznie przewijanie następnego slajdu na górę + + + + Auto-scroll the next slide to middle + Przewiń automatycznie następny slajd do środka + + + + Auto-scroll the next slide to bottom + Przewiń automatycznie następny slajd do dołu + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatycznie + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Kliknij aby wybrać kolor @@ -2940,252 +2884,252 @@ Katalog z danymi zostanie przywrucony jak OpenLP zostanie zamknięty. OpenLP.DB - + RGB RGB - + Video Wideo - + Digital Cyfrowy - + Storage - + Magazyn - + 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 Wideo 1 - + Video 2 Wideo 2 - + Video 3 Wideo 3 - + Video 4 Wideo 4 - + Video 5 Wideo 5 - + Video 6 Wideo 6 - + Video 7 Wideo 7 - + Video 8 Wideo 8 - + Video 9 Wideo 9 - + Digital 1 Cyfrowy 1 - + Digital 2 Cyfrowy 2 - + Digital 3 Cyfrowy 3 - + Digital 4 Cyfrowy 4 - + Digital 5 Cyfrowy 5 - + Digital 6 Cyfrowy 6 - + Digital 7 Cyfrowy 7 - + Digital 8 Cyfrowy 8 - + Digital 9 Cyfrowy 9 - + Storage 1 - + Magazyn 1 - + Storage 2 - + Magazyn 2 - + Storage 3 - + Magazyn 3 - + Storage 4 - + Magazyn 4 - + Storage 5 - + Magazyn 5 - + Storage 6 - + Magazyn 6 - + Storage 7 - + Magazyn 7 - + Storage 8 - + Magazyn 8 - + Storage 9 - + Magazyn 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 @@ -3193,61 +3137,74 @@ Katalog z danymi zostanie przywrucony jak OpenLP zostanie zamknięty. OpenLP.ExceptionDialog - + Error Occurred Wystąpił błąd - + Send E-Mail Wyślij e-mail - + Save to File Zapisz do pliku - + Attach File Dołącz plik - - - Description characters to enter : %s - Wpisz jeszcze przynajmniej %s znaków. - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - - 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. Also attach any files that triggered the problem. - + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platforma: %s - - - - + Save Crash Report Zapisz raport o awarii - + Text files (*.txt *.log *.text) Pliki tekstowe (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3288,268 +3245,259 @@ Katalog z danymi zostanie przywrucony jak OpenLP zostanie zamknięty. 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 ww danych językach - + 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. - Brak połączenia internetowego. Kreator pierwszego uruchomienia potrzebuje połączenia z internetem, aby móc pobierać przykładowe pieśni, Biblie i motywy. Naciśnij przycisk Zakończ, aby włączyć OpenLP z wstępnymi ustawieniami, bez przykładowych danych. - -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. - - -By anulować kreatora pierwszego uruchomienia całkowicie (i nie uruchamiać OpenLP), wciśnij teraz przycisk %s. - - - + Downloading Resource Index Pobieranie źródeł - + Please wait while the resource index is downloaded. Proszę czekać, aż źródła zostaną pobrane zostanie pobrany - + Please wait while OpenLP downloads the resource index file... Proszę czekać, OpenLP pobiera plik indeksujący zasoby... - + Downloading and Configuring Pobieranie i Konfiguracja - + Please wait while resources are downloaded and OpenLP is configured. Proszę czekać, zasoby są pobierane i OpenLP jest konfigurowany. - + Network Error Błąd sieci - + There was a network error attempting to connect to retrieve initial configuration information Wystąpił błąd sieci. Próba ponownego połączenia z siecią by pobrać informacje o konfiguracji początkowej. - - Cancel - Anuluj - - - + Unable to download some files Nie można pobrać niektórych plików + + + Select parts of the program you wish to use + Wybierz części programu, które chcesz użyć + + + + You can also change these settings after the Wizard. + Możesz zmienić te ustawienia także po zakończeniu Kreatora + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Slajdy niestandardowe - Łatwiejsze do zarządzania niż pieśni, oraz mają swoje własne listy + + + + Bibles – Import and show Bibles + Biblie - import i wyświetlanie Biblii + + + + Images – Show images or replace background with them + Obrazy - Wyświetlanie obrazów lub zastępowanie tła + + + + Presentations – Show .ppt, .odp and .pdf files + Prezentacje - wyświetlanie plików .ppt .odp oraz .pdf + + + + Media – Playback of Audio and Video files + Multimedia (pliki dźwiękowe i filmy) + + + + Remote – Control OpenLP via browser or smartphone app + Zdalny - Steruj OpenLP przez przeglądarkę lub smartfona + + + + Song Usage Monitor + Monitor użycia pieśni + + + + Alerts – Display informative messages while showing other slides + Alerty - wyświetlaj wiadomości informacyjne podczas pokazywania innych slajdów + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projektory - Kontroluj za pomocą PJLink kompatybilne projektory w sieci bezpośrednio z OpenLP + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3592,44 +3540,49 @@ By anulować kreatora pierwszego uruchomienia całkowicie (i nie uruchamiać Ope OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error Błąd walidacji - + Description is missing Brak opisu - + Tag is missing Brak tagu - Tag %s already defined. - Znacznik %s już został zdefiniowany. + Tag {tag} already defined. + - Description %s already defined. - Opis %s został już zdeklarowany. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Tag %s nie odpowiada HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3718,174 +3671,202 @@ By anulować kreatora pierwszego uruchomienia całkowicie (i nie uruchamiać Ope OpenLP.GeneralTab - + General Ogólne - + Monitors Ekrany - + Select monitor for output display: Wybierz ekran wyjściowy: - + Display if a single screen Wyświetl, jeśli jest tylko jeden ekran - + Application Startup Start programu - + Show blank screen warning Pokazuj ostrzeżenia o wygaszonym ekranie - - Automatically open the last service - Automatycznie otwórz ostatni plan nabożeństwa - - - + Show the splash screen Pokaż ekran powitalny - + Application Settings Ustawienia OpenLP - + Prompt to save before starting a new service Proponuj zapisanie przed tworzeniem nowego planu - - Automatically preview next item in service - Automatyczny podgląd następnego -elementu planu nabożeństwa - - - + sec sek - + CCLI Details Szczegóły CCLI - + SongSelect username: Użytkownik SongSelect: - + SongSelect password: Hasło SongSelect: - + X X - + Y Y - + Height Wysokość - + Width Szerokość - + Check for updates to OpenLP Sprawdź aktualizacje OpenLP - - Unblank display when adding new live item - Wyłącz wygaszenie ekranu podczas -wyświetlania nowego elementu na ekranie - - - + Timed slide interval: Czas zmieniania slajdów: - + Background Audio Muzyka w tle - + Start background audio paused Rozpocznij granie muzyki w tle - + Service Item Slide Limits Elementy graniczne planu - + Override display position: Ustaw położenie obrazu: - + Repeat track list Powtarzaj listę utworów - + Behavior of next/previous on the last/first slide: Zachowanie akcji następny/poprzedni w ostatnim/pierwszym slajdzie: - + &Remain on Slide Pozostaw ten slajd - + &Wrap around &Od początku - + &Move to next/previous service item Przenieś do następnego/poprzedniego elementu nabożeństwa + + + Logo + Logo + + + + Logo file: + Plik loga: + + + + Browse for an image file to display. + Wybierz obrazek do wyświetlania + + + + Revert to the default OpenLP logo. + Przywróć domyślne logo OpenLP + + + + Don't show logo on startup + Nie pokazuj loga przy uruchomieniu + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Język - + Please restart OpenLP to use your new language setting. Aby użyć nowego języka uruchom ponownie OpenLP. @@ -3893,7 +3874,7 @@ elementu nabożeństwa OpenLP.MainDisplay - + OpenLP Display Wyświetlacz OpenLP @@ -3901,352 +3882,188 @@ elementu nabożeństwa OpenLP.MainWindow - + &File &Plik - + &Import &Importuj - + &Export &Eksportuj - + &View &Widok - - M&ode - &Tryb - - - + &Tools &Narzędzia - + &Settings &Ustawienia - + &Language &Język - + &Help Pomo&c - - Service Manager - Plan Nabożeństwa - - - - Theme Manager - Motywy - - - + Open an existing service. Otwórz istniejący plan nabożeństwa - + Save the current service to disk. Zapisz obecny plan nabożeństwa na dysk. - + Save Service As Zapisz plan nabożeństwa jako - + Save the current service under a new name. Zapisz bieżący plan nabożeństwa pod nową nazwą - + E&xit &Wyjście - - Quit OpenLP - Wyjdź z OpenLP - - - + &Theme &Motyw - + &Configure OpenLP... Konfiguruj &OpenLP... - - &Media Manager - &Multimedia - - - - Toggle Media Manager - Przełącz menedżera multimediów - - - - Toggle the visibility of the media manager. - Przełącz widoczność menedżera multimediów. - - - - &Theme Manager - Moty&wy - - - - Toggle Theme Manager - Przełącz menedżera motywów. - - - - Toggle the visibility of the theme manager. - Przełącz widoczność menedżera motywów. - - - - &Service Manager - Plan &nabożeństw - - - - Toggle Service Manager - Przełącz menedżera planu nabożeństwa - - - - Toggle the visibility of the service manager. - Przełącz widoczność menedżera planu nabożeństwa. - - - - &Preview Panel - Panel p&odglądu - - - - Toggle Preview Panel - Przełącz panel podglądu - - - - Toggle the visibility of the preview panel. - Przełącz widoczność panelu podglądu. - - - - &Live Panel - Panel &ekranu - - - - Toggle Live Panel - Przełącz panel ekranu - - - - Toggle the visibility of the live panel. - Przełącz widoczność panelu ekranu. - - - - List the Plugins - Lista wtyczek - - - - &User Guide - Podręcznik użytkownika - - - + &About &O programie - - More information about OpenLP - Więcej informacji o OpenLP - - - - &Online Help - &Pomoc online - - - + &Web Site &Strona internetowa - + Use the system language, if available. Użyj języka systemu, jeśli jest dostępny. - - Set the interface language to %s - Ustaw język interfejsu na %s - - - + Add &Tool... Dodaj narzędzie... - + Add an application to the list of tools. Dodaj aplikację do listy narzędzi. - - &Default - &Domyślny - - - - Set the view mode back to the default. - Przywróć tryb podglądu do domyślnych ustawień. - - - + &Setup &Start - - Set the view mode to Setup. - Ustaw tryb widoku w konfiguracji. - - - + &Live &Ekran - - Set the view mode to Live. - Ustaw tryb widoku na ekranie. - - - - 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/. - Wersja %s OpenLP jest teraz dostępna do pobrania (obecnie używasz wersji %s). - -Możesz pobrać najnowszą wersję z http://openlp.org/. - - - + OpenLP Version Updated Wersja OpenLP zaktualizowana - + OpenLP Main Display Blanked Główny Ekran OpenLP Wygaszony - + The Main Display has been blanked out Główny Ekran został odłączony - - Default Theme: %s - Domyślny motyw: %s - - - + English Please add the name of your language here Polish - + Configure &Shortcuts... Konfiguruj &skróty... - + Open &Data Folder... &Otwórz katalog programu... - + Open the folder where songs, bibles and other data resides. Otwórz folder w którym pieśni, Biblie i inne dane są przechowywane. - + &Autodetect &Wykryj automatycznie - + Update Theme Images Aktualizuj obrazy motywów - + Update the preview images for all themes. Zaktualizuj obrazy podglądu dla wszystkich motywów. - + Print the current service. Drukuj bieżący plan nabożeństwa - - L&ock Panels - &Zablokuj panele - - - - Prevent the panels being moved. - Zapobiegaj przenoszeniu paneli. - - - + Re-run First Time Wizard Włącz kreator pierwszego uruchomienia - + Re-run the First Time Wizard, importing songs, Bibles and themes. Włączanie kreatora pierwszego uruchomienia, importowanie pieśni, Biblii i motywów. - + Re-run First Time Wizard? Czy uruchomić kreator pierwszego uruchomienia? - + 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. @@ -4255,107 +4072,68 @@ 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ż bazy 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. - + Configure &Formatting Tags... &Konfiguruj znaczniki formatowania... - - Export OpenLP settings to a specified *.config file - Eksportuj ustawienia OpenLP do określonego pliku *.config - - - + Settings Ustawienia - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importuj ustawienia OpenLP z określonego pliku *.config, wcześniej wyeksportowanego na tym, bądź innym urządzeniu. - - - + Import settings? Importować ustawienia? - - Open File - Otwórz plik - - - - OpenLP Export Settings Files (*.conf) - Wyeksportowane pliki ustawień OpenLP (*.conf) - - - + Import settings Importowanie ustawień - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP teraz się wyłączy. Importowane ustawienia będą zastosowane następnym razem po włączeniu OpenLP - + Export Settings File Eksportowanie ustawień - - OpenLP Export Settings File (*.conf) - 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 - Kopiowanie katalogu z danymi zakończone niepowodzeniem - -%s - - - + General Ogólne - + Library Katalog - + Jump to the search box of the current active plugin. - + Przejdź do pola wyszukiwania aktywnej wtyczki - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4368,7 +4146,7 @@ Importowane ustawienia mogą trwale zmienić konfigurację OpenLP. Importowanie błędnych ustawiań może objawiać się niepoprawnym działaniem 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. @@ -4377,191 +4155,374 @@ Processing has terminated and no changes have been made. Proces został zatrzymany i nie wykonano żadnych zmian. - - Projector Manager - Projektory - - - - Toggle Projector Manager - Przełącz menedżer projektorów - - - - Toggle the visibility of the Projector Manager - Przełącz widoczność menedżera projektorów - - - + Export setting error Błąd eksportu ustawień - - 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. + + &Recent Services + Ostatnio &używane - - An error occurred while exporting the settings: %s - Wystąpił błąd podczas eksportowania ustawień: %s + + &New Service + Nowy plan nabożeństwa + + + + &Open Service + Otwórz plan nabożeństwa. - &Recent Services - - - - - &New Service - - - - - &Open Service - - - - &Save Service - + Zapisz plan nabożeństwa - + Save Service &As... - + Zapisz plan nabożeństwa jako - + &Manage Plugins - + Zarządzaj profilami - + Exit OpenLP - + Wyjdź z OpenLP - + Are you sure you want to exit OpenLP? - + Czy na pewno chcesz zamknąć OpenLP? - + &Exit OpenLP - + Wyjdź z OpenLP + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Wersja {new} OpenLP jest teraz dostępna do pobrania (obecnie używasz wersji {current}). + +Możesz pobrać najnowszą wersję z http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + Klucz "{key}" nie posiada domyślnej wartości, więc zostanie pominięty w tym eksporcie. + + + + An error occurred while exporting the settings: {err} + Wystąpił błąd podczas eksportowania ustawień: {err} + + + + Default Theme: {theme} + Domyślny motyw: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Kopiowanie danych OpenLP do nowej lokalizacji - {path} - Proszę zaczekać, aż zakończenie + + + + OpenLP Data directory copy failed + +{err} + Kopiowanie katalogu z danymi zakończone niepowodzeniem + +{err} + + + + &Layout Presets + + + + + Service + Plan + + + + Themes + Motywy + + + + Projectors + Projektory + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + 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 - Wczytywana baza danych została stworzona we wcześniejszych wersjach OpenLP. Wersja bazy danych: %d, podczas gdy OpenLP przewiduje wersji %d. Baza danych nie zostanie wczytana. - -Baza danych: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP nie może wczytać Twojej bazy danych. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Baza danych: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Nie wybrano żadnych pozycji - + &Add to selected Service Item Dodaj do zaznaczonego elementu planu nabożeństwa - + You must select one or more items to preview. Musisz zaznaczyć przynajmniej jeden element, aby uruchomić podgląd. - + You must select one or more items to send live. Musisz zaznaczyć przynajmniej jeden element, aby pokazać go na ekranie. - + You must select one or more items. Musisz zaznaczyć jeden lub więcej elementów. - + You must select an existing service item to add to. Musisz wybrać istniejącą pozycję, by ją dodać. - + Invalid Service Item Niewłaściwy element planu - - You must select a %s service item. - Musisz zaznaczyć %s element planu nabożeństwa. - - - + You must select one or more items to add. Musisz zaznaczyć jeden lub więcej elementów, aby go dodać. - - No Search Results - Brak wyników wyszukiwania - - - + Invalid File Type Zły rodzaj pliku - - Invalid File %s. -Suffix not supported - Niewłaściwy plik %s. -Nieobsługiwany przyrostek. - - - + &Clone &Kopiuj - + Duplicate files were found on import and were ignored. Powtarzające się pliki zostały znalezione i zignorowane. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Brakuje znacznika <lyrics>. - + <verse> tag is missing. Brakuje znacznika <verse>. @@ -4569,22 +4530,22 @@ Nieobsługiwany przyrostek. OpenLP.PJLink1 - + Unknown status Nieznany status - + No message Brak wiadomości - + Error while sending data to projector Błąd podczas wysyłania danych do projektora - + Undefined command: Niezdefiniowana komenda: @@ -4592,89 +4553,84 @@ Nieobsługiwany przyrostek. OpenLP.PlayerTab - + Players Odtwarzacze - + Available Media Players Dostępne odtwarzacze - + Player Search Order Hierarchia odtwarzaczy - + Visible background for videos with aspect ratio different to screen. Jest to tło dla filmów o innych proporcjach niż ekran. - + %s (unavailable) %s (niedostępny) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + Uwaga: By używać VLC musisz zainstalować %s wersję OpenLP.PluginForm - + Plugin Details Wtyczka szczegółów - + Status: Status: - + Active Aktywny - - Inactive - Nieaktywny - - - - %s (Inactive) - %s (Nieaktywny) - - - - %s (Active) - %s (Aktywny) + + Manage Plugins + Zarządzaj wtyczkami - %s (Disabled) - %s (Uszkodzony) + {name} (Disabled) + - - Manage Plugins - + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Dopasuj do strony - + Fit Width Dopasuj do szerokości @@ -4682,77 +4638,77 @@ Nieobsługiwany przyrostek. OpenLP.PrintServiceForm - + Options Opcje - + Copy Kopiuj - + Copy as HTML Kopiuj jako HTML - + Zoom In Powiększ - + Zoom Out Pomniejsz - + Zoom Original Oryginalny rozmiar - + Other Options Inne opcje - + Include slide text if available Wydrukuj również slajd z tekstem, jeśli dostępny - + Include service item notes Wydrukuj również notatki - + Include play length of media items Wydrukuj również czas trwania filmów - + Add page break before each text item Dodaj stronę przerwy przed każdą pozycją tekstową - + Service Sheet Plan nabożeństwa - + Print Drukuj - + Title: Tytuł: - + Custom Footer Text: Niestandardowy tekst stopki: @@ -4760,257 +4716,257 @@ Nieobsługiwany przyrostek. OpenLP.ProjectorConstants - + OK OK - + General projector error Błąd ogólny projektora - + Not connected error Błąd braku połączenia - + Lamp error Błąd lampy - + Fan error Błąd wiatraka - + High temperature detected Wykryta wysoka temperatura - + Cover open detected Wykryto otwartą pokrywę - + Check filter Sprawdź filtr - + Authentication Error Błąd autoryzacji - + Undefined Command Niezdefiniowana komenda - + Invalid Parameter Nieprawidłowy parametr - + Projector Busy Projektor zajęty - + Projector/Display Error Błąd projektora/wyświetlacza - + Invalid packet received Nieprawidłowy pakiet - + Warning condition detected Wykryto stan ostrzegawczy - + Error condition detected Wykryto stan błędu - + PJLink class not supported Klasa PJlink nie jest wspierana - + Invalid prefix character Nieprawidłowy znak przedrostka - + The connection was refused by the peer (or timed out) Połączenie zostało odrzucone przez serwer (bądź przekroczono limit czasowy) - + The remote host closed the connection Serwer przerwał połączenie - + The host address was not found Nie znaleziono serwera - + The socket operation failed because the application lacked the required privileges Działanie socketu zakończone niepowodzeniem przez brak wymaganych uprawnień - + The local system ran out of resources (e.g., too many sockets) System wykorzystał całe zasoby (np. za dużo socketów) - + The socket operation timed out Działanie socketu przekroczyło limit czasu - + The datagram was larger than the operating system's limit Dane były większe niż limit systemu operacyjnego - + An error occurred with the network (Possibly someone pulled the plug?) Wystąpił błąd z siecią (możliwe, że ktoś wyciągnął wtyczkę?) - + The address specified with socket.bind() is already in use and was set to be exclusive Adres ustalony przez socket.bind() jest w użyciu, a został ustawiony jako unikalny - + The address specified to socket.bind() does not belong to the host Adres ustalony do socket.bind() nie należy do gospodarza - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) To działanie socketu nie jest obsługiwane na lokalnym systemie operacyjnym (np. brak wsparcia dla IPv6) - + The socket is using a proxy, and the proxy requires authentication Socket używa proxy, a proxy wymaga uwierzytelnienia - + The SSL/TLS handshake failed Handshake SSL/TLS zakończony niepowodzeniem - + The last operation attempted has not finished yet (still in progress in the background) Poprzednia próba wykonania nie skończyła się jeszcze (wciąż działa w tle) - + Could not contact the proxy server because the connection to that server was denied Połączenie z serwerem proxy zakończone niepowodzeniem, ponieważ połączenie z serwerem zostało odrzucone - + The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) Połączenie z serwerem proxy zostało niespodziewanie zakończone (wcześniej połączenie z serwerem było ustanowione) - + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. Przekroczono limit czasowy połączenia z serwerem proxy, albo serwer przestał odpowiadać w trakcie uwierzytelniania. - + The proxy address set with setProxy() was not found Adres proxy ustanowiony przez setProxy() nie został odnaleziony - + An unidentified error occurred Wystąpił nieokreślony błąd - + Not connected Niepołączono - + Connecting Łączenie - + Connected Połączono - + Getting status Otrzymywanie statusu - + Off Wył. - + Initialize in progress Uruchamianie trwa - + Power in standby Awaryjne zasilanie - + Warmup in progress - + Uruchamianie w toku - + Power is on Zasilanie jest włączone - + Cooldown in progress Trwa chłodzenie - + Projector Information available Dostępne informacje o projektorze - + Sending data Wysyłanie danych - + Received data Otrzymano dane - + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood Próba połączenia z serwerem proxy zakończyła się niepowodzeniem, dlatego, że odpowiedź serwera nie może zostać zrozumiana @@ -5018,17 +4974,17 @@ Nieobsługiwany przyrostek. OpenLP.ProjectorEdit - + Name Not Set Nie ustawiono nazwy - + You must enter a name for this entry.<br />Please enter a new name for this entry. Musisz wprowadzić nazwę. - + Duplicate Name Powielona nazwa @@ -5036,52 +4992,52 @@ Nieobsługiwany przyrostek. OpenLP.ProjectorEditForm - + Add New Projector Dodaj nowy projektor - + Edit Projector Edytuj projektor - + IP Address Adres IP - + Port Number Numer portu - + PIN PIN - + Name Nazwa - + Location Lokalizacja - + Notes Notatki - + Database Error Błąd bazy danych - + There was an error saving projector information. See the log for the error Wystąpił problem podczas zapisywania informacji o projektorze. Zobacz na log błędu. @@ -5089,305 +5045,360 @@ Nieobsługiwany przyrostek. OpenLP.ProjectorManager - + Add Projector Dodaj projektor - - Add a new projector - Dodaj nowy projektor - - - + Edit Projector Edytuj projektor - - Edit selected projector - Edytuj wybrany projektor - - - + Delete Projector Usuń projektor - - Delete selected projector - Usuń wybrany projektor - - - + Select Input Source Wybierz źródło wejścia - - Choose input source on selected projector - Wybierz źródło wejścia do wybranego projektora - - - + View Projector Widok projektora - - View selected projector information - Widok wybranego projektora - - - - Connect to selected projector - Połącz z wybranym projektorem - - - + Connect to selected projectors Połącz z wybranymi projektorami - + Disconnect from selected projectors Odłącz od wybranych projektorów - + Disconnect from selected projector Odłącz od wybranego projektora - + Power on selected projector Włącz wybrany projektor - + Standby selected projector Uśpij wybrany projektor - - Put selected projector in standby - Uśpij wybrany projektor - - - + Blank selected projector screen Wygaś ekran wybranego projektora - + Show selected projector screen Pokaż obraz wybranego projektora - + &View Projector Information &Widok informacji o projektorze - + &Edit Projector &Edytuj projektor - + &Connect Projector &Połącz z projektorem - + D&isconnect Projector &Odłącz projektor - + Power &On Projector Włącz projektor - + Power O&ff Projector Wyłącz projektor - + Select &Input Wybierz źródło - + Edit Input Source Edytuj źródło wejścia - + &Blank Projector Screen &Wygaś ekran projektora - + &Show Projector Screen &Pokaż ekran projektora - + &Delete Projector &Usuń projektor - + Name Nazwa - + IP IP - + Port Port - + Notes Notatki - + Projector information not available at this time. Informacje o projektorze nie są w tej chwili dostępne - + Projector Name Nazwa projektora - + Manufacturer Producent - + Model Model - + Other info Inne informacje - + Power status Status zasilania - + Shutter is - + Przesłona - + Closed Zamknięty - + Current source input is Obecnym źródłem jest - + Lamp Lampa - - On - Wł. - - - - Off - Wył. - - - + Hours Godzin - + No current errors or warnings Obecnie brak błędów/ostrzeżeń - + Current errors/warnings Obecne błędy/ostrzeżenia - + Projector Information Informacje o projektorze - + No message Brak wiadomości - + Not Implemented Yet Jeszcze nie zastosowano - - Delete projector (%s) %s? - + + Are you sure you want to delete this projector? + Czy napewno chcesz usunąć ten projektor? - - Are you sure you want to delete this projector? - + + Add a new projector. + Dodaj nowy projektor + + + + Edit selected projector. + Edytuj wybrany projektor + + + + Delete selected projector. + Usuń wybrany projektor + + + + Choose input source on selected projector. + Wybierz źródło wejścia do wybranego projektora + + + + View selected projector information. + Widok wybranego projektora + + + + Connect to selected projector. + Połącz z wybranym projektorem + + + + Connect to selected projectors. + Połącz z wybranymi projektorami + + + + Disconnect from selected projector. + Odłącz od wybranego projektora + + + + Disconnect from selected projectors. + Odłącz od wybranych projektorów + + + + Power on selected projector. + Włącz wybrany projektor + + + + Power on selected projectors. + Włącz wybrane projektory + + + + Put selected projector in standby. + Uśpij wybrany projektor + + + + Put selected projectors in standby. + Uśpij wybrane projektory + + + + Blank selected projectors screen + Wygaś ekran wybranego projektora + + + + Blank selected projectors screen. + Wygaś ekran wybranych projektorów + + + + Show selected projector screen. + Pokaż obraz wybranego projektora + + + + Show selected projectors screen. + Pokaż obraz wybranych projektorów + + + + is on + jest włączony + + + + is off + jest wyłączony + + + + Authentication Error + Błąd autoryzacji + + + + No Authentication Error + Błąd braku autoryzacji OpenLP.ProjectorPJLink - + Fan Wiatrak - + Lamp Lampa - + Temperature Temperatura - + Cover - + Osłona - + Filter Filtr - + Other Inne @@ -5433,17 +5444,17 @@ Nieobsługiwany przyrostek. OpenLP.ProjectorWizard - + Duplicate IP Address Powiel adres IP - + Invalid IP Address Nieprawidłowy adres IP - + Invalid Port Number Niewłaściwy numer portu @@ -5456,27 +5467,27 @@ Nieobsługiwany przyrostek. Ekran - + primary główny OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Długość</strong>: %s - - [slide %d] - [slajd %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5540,52 +5551,52 @@ Nieobsługiwany przyrostek. Usuń wybraną pozycję z planu - + &Add New Item Dodaj nową pozycję - + &Add to Selected Item Dodaj do wybranej pozycji - + &Edit Item &Edytuj element - + &Reorder Item &Zmień kolejność - + &Notes &Notatki - + &Change Item Theme 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 @@ -5610,7 +5621,7 @@ Nieobsługiwany przyrostek. Zwiń wszystkie pozycje planu - + Open File Otwórz plik @@ -5640,22 +5651,22 @@ Nieobsługiwany przyrostek. Wyświetl wybraną pozycję na ekranie - + &Start Time Czas startu - + Show &Preview &Podgląd - + Modified Service Zmodyfikowany plan - + The current service has been modified. Would you like to save this service? Bieżący plan nabożeństwa został zmodyfikowany. Czy chciałbyś go zapisać? @@ -5675,27 +5686,27 @@ Nieobsługiwany przyrostek. Czas odtwarzania: - + Untitled Service 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 @@ -5715,147 +5726,145 @@ 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. - + Service File(s) Missing Brakuje pliku planu nabożeństw - + &Rename... &Zmień nazwę - + Create New &Custom Slide Utwórz nowy &slajd tekstowy - + &Auto play slides &Auto odtwarzanie pokazu slajdów - + Auto play slides &Loop Automatyczne przełączanie slajdów &Zapętl - + Auto play slides &Once Automatyczne przełączanie slajdów &Raz - + &Delay between slides &Opóźnienie pomiędzy slajdami - + OpenLP Service Files (*.osz *.oszl) 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. Nieprawidłowy plik planu nabożeństwa. Treść pliku nie zawiera 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 - nieaktywny - + &Auto Start - active &Auto Start - aktywny - + 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 - Wystąpił błąd podczas zapisywania pliku nabożeństwa : %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Brak następujących elementów nabożeństwa: %s - -Zostaną one usunięte, jeśli będziesz kontynuował/ + + + + + An error occurred while writing the service file: {error} + @@ -5887,15 +5896,10 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ Skróty - + Duplicate Shortcut Powiel skróty - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Skrót "%s" już jest przypisany innemu działaniu, proszę użyć innego skrótu - Alternate @@ -5941,237 +5945,253 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ Configure Shortcuts Konfiguruj skróty + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Ukryj - + Go To Idź do - - - Blank Screen - Wygaś Ekran - - Blank to Theme - Pokaż motyw - - - Show Desktop Pokaż pulpit - + Previous Service Poprzedni plan - + Next Service Następny plan - - Escape Item - Przerwij wyświetlanie - - - + Move to previous. Przejdź do poprzedniego - + Move to next. Przejdź do kolejnego - + Play Slides Uruchom slajdy - + Delay between slides in seconds. Opóźnienie między slajdami w sekundach - + Move to live. Wyświetl na ekranie - + Add to Service. Dodaj do planu nabożeństwa - + Edit and reload song preview. Edytuj i załaduj ponownie podgląd pieśni. - + Start playing media. Zacznij odtwarzanie multimediów. - + Pause audio. Przerwij audio. - + Pause playing media. Przerwij odtwarzanie multimediów. - + Stop playing media. Zatrzymaj odtwarzanie multimediów. - + Video position. Element wideo. - + Audio Volume. Głośność. - + Go to "Verse" Idź do "Zwrotka" - + Go to "Chorus" Idź do "Refren" - + Go to "Bridge" Idź do "Bridge" - + Go to "Pre-Chorus" Idź do "Pre-Chorus" - + Go to "Intro" Idź do "Wejście" - + Go to "Ending" Idź do "Zakończenie" - + Go to "Other" Idź do "Inne" - + Previous Slide Poprzedni slajd - + Next Slide Następny slajd - + Pause Audio Przerwij audio - + Background Audio Muzyka w tle - + Go to next audio track. Przejdź do następnego utworu. - + Tracks Utwór + + + Loop playing media. + Odtwarzaj w pętli + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source Wybierz źródło projektora - + Edit Projector Source Text Edytuj tekst źródła projektora - + Ignoring current changes and return to OpenLP Anuluj zmiany i wróć do OpenLP - + Delete all user-defined text and revert to PJLink default text Usuń cały tekst zdefiniowany przez użytkownika i przywróć domyślny dla PJLink - + Discard changes and reset to previous user-defined text Anuluj zmiany i przywróć poprzednio podany tekst - + Save changes and return to OpenLP Zapisz zmiany i wróć do OpenLP - + Delete entries for this projector Usuń wpisy dla tego projektora - + Are you sure you want to delete ALL user-defined source input text for this projector? - + Jesteś pewny, że chcesz usunąć WSZYSTKIE zdefiniowane źródła sygnału dla tego projektora? OpenLP.SpellTextEdit - + Spelling Suggestions Sugestie pisowni - + Formatting Tags Znaczniki formatowania - + Language: Język: @@ -6250,7 +6270,7 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ OpenLP.ThemeForm - + (approximately %d lines per slide) (maksymalnie %d linijek na slajd) @@ -6258,521 +6278,531 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ OpenLP.ThemeManager - + Create a new theme. Stwórz nowy motyw - + Edit Theme Edytuj motyw - + Edit a theme. Edytuj motyw - + Delete Theme Usuń motyw - + Delete a theme. Usuń motyw - + Import Theme Importuj motyw - + Import a theme. Importuj motyw - + Export Theme Eksportuj motyw - + Export a theme. Eksportuj motyw - + &Edit Theme &Edytuj motyw - + &Delete Theme &Usuń motyw - + Set As &Global Default Ustaw jako &domyślny - - %s (default) - %s (domyślny) - - - + You must select a theme to edit. Musisz zaznaczyć motyw do edycji. - + You are unable to delete the default theme. Nie możesz usunąć domyślnego motywu. - + 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ł. - + Select Theme Import File Wybierz plik importu motywu - + File is not a valid theme. Plik nie jest właściwym motywem. - + &Copy Theme &Kopiuj motyw - + &Rename Theme &Zmień nazwę motywu - + &Export Theme Eksportuj &motyw - + You must select a theme to rename. Musisz zaznaczyć motyw, aby zmienić jego nazwę. - + Rename Confirmation Potwierdzenie zmiany nazwy - + Rename %s theme? Zmienić nazwę motywu %s? - + You must select a theme to delete. Musisz zaznaczyć motywy do usunięcia. - + Delete Confirmation Usuń potwierdzenie - + Delete %s theme? Usunąć motyw %s? - + Validation Error Błąd walidacji - + A theme with this name already exists. Motyw o tej nazwie już istnieje. - - Copy of %s - Copy of <theme name> - 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 - Eksport motywów się nie powiódł z powodu błędu: %s - - - + OpenLP Themes (*.otz) Motywy OpenLP (*.otz) - - %s time(s) by %s - - - - + Unable to delete theme - + Nie można usunąć motywu + + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - +{text} + OpenLP.ThemeWizard - + Theme Wizard Kreator Motywów - + Welcome to the Theme Wizard Witaj w kreatorze motywów - + Set Up Background Ustaw tło - + Set up your theme's background according to the parameters below. Ustaw tło motywu stosownie do poniższych parametrów. - + Background type: Typ tła: - + Gradient Gradient - + Gradient: Gradient: - + Horizontal Poziomo - + Vertical Pionowo - + Circular Pierścieniowy - + Top Left - Bottom Right Górne lewo - Dolne prawo - + Bottom Left - Top Right Dolne lewo - Górne prawo - + Main Area Font Details Szczegóły czcionki głównego obszaru - + Define the font and display characteristics for the Display text Zdefiniuj czcionkę i wyznacz właściwości wyświetlanego tekstu - + Font: Czcionka: - + Size: Rozmiar: - + Line Spacing: Odstępy między linijkami: - + &Outline: Kontur: - + &Shadow: Cień: - + Bold Pogrubienie - + Italic Kursywa - + Footer Area Font Details Szczegóły czcionki obszaru stopki - + Define the font and display characteristics for the Footer text Zdefiniuj czcionki i wyświetlane właściwości stopki - + Text Formatting Details Szczegóły formatowania tekstu - + Allows additional display formatting information to be defined Pozwala na edycję dodatkowych parametrów formatowania tekstu. - + Horizontal Align: Wyrównanie poziome: - + Left Do lewej - + Right Do prawej - + Center Do środka - + Output Area Locations Lokalizacje obszaru wyjściowego - + &Main Area Obszar &główny - + &Use default location &Użyj domyślnej lokalizacji - + X position: pozycja X: - + px px - + Y position: pozycja Y: - + Width: Szerokość: - + Height: Wysokość: - + Use default location Użyj domyślnej lokalizacji - + Theme name: Nazwa motywu: - - Edit Theme - %s - Edytuj motyw - %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. Ten kreator pomoże ci tworzyć i edytować motywy. Kliknij "dalej", aby zacząć ten proces od ustawienia tła. - + Transitions: Przejścia: - + &Footer Area Obszar &stopki - + Starting color: Kolor początkowy: - + Ending color: Kolor końcowy: - + Background color: Kolor tła: - + Justify Justuj - + Layout Preview Podgląd układu - + Transparent Przezroczysty - + Preview and Save Podgląd i Zapis - + Preview the theme and save it. Podgląd i zapisz motyw. - + Background Image Empty Pusty obraz tła - + Select Image Wybierz obraz - + Theme Name Missing Brakująca nazwa motywu - + There is no name for this theme. Please enter one. Ten motyw nie ma nazwy. Proszę, wpisz jakąś. - + Theme Name Invalid Niewłaściwa nazwa motywu - + Invalid theme name. Please enter one. Niewłaściwa nazwa motywu. Proszę, wpisz jakąś. - + Solid color Jednolity kolor - + color: kolor: - + Allows you to change and move the Main and Footer areas. Pozwala zmieniać i przenosić obszar główny i stopkę. - + You have not selected a background image. Please select one before continuing. Nie podałeś obrazka tła. Proszę, wybierz jeden zanim kontynuujesz. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6855,73 +6885,73 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ Wyrównanie pionowe: - + Finished import. Importowanie zakończone. - + Format: Format: - + Importing Importowanie - + Importing "%s"... Importowanie "%s"... - + Select Import Source Wybierz źródło importu - + Select the import format and the location to import from. Wybierz format importu i jego lokalizację. - + Open %s File Otwórz plik %s - + %p% %p% - + Ready. Gotowy. - + Starting import... Zaczynanie importowania... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Musisz określić przynajmniej jeden %s plik do importowania. - + Welcome to the Bible Import Wizard Witamy w Kreatorze Importu Biblii - + Welcome to the Song Export Wizard Witamy w Kreatorze Eksportu Pieśni - + Welcome to the Song Import Wizard Witamy w Kreatorze Importu Pieśni @@ -6939,7 +6969,7 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ - © + © Copyright symbol. © @@ -6971,39 +7001,34 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ Błąd składni XML - - Welcome to the Bible Upgrade Wizard - Witaj w Kreatorze Aktualizowania Biblii - - - + Open %s Folder Otwórz folder %s - + You need to specify one %s file to import from. A file type e.g. OpenSong Musisz sprecyzować plik %s, by z niego importować. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Musisz podać jeden %s katalog, aby importować z niego. - + Importing Songs Importowanie pieśni - + Welcome to the Duplicate Song Removal Wizard Witaj w Kreatorze Usuwania Duplikatów Pieśni - + Written by Napisane przez @@ -7013,543 +7038,598 @@ Zostaną one usunięte, jeśli będziesz kontynuował/ Autor nieznany - + About Informacje - + &Add &Dodaj - + Add group Dodaj grupę - + Advanced Zaawansowane - + All Files Wszystkie pliki - + Automatic Automatycznie - + Background Color Kolor tła - + Bottom Dół - + Browse... Szukaj... - + Cancel Anuluj - + CCLI number: Numer CCLI: - + Create a new service. Stwórz nowy plan nabożeństwa - + Confirm Delete Potwierdź usuwanie - + Continuous Tekst ciągły - + Default Domyślny - + Default Color: Domyślny kolor: - + 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. Plan %Y-%m-%d %H-%M - + &Delete &Usuń - + Display style: Styl wyświetlania: - + Duplicate Error Błąd powielania - + &Edit &Edytuj - + Empty Field Puste pole - + Error Błąd - + Export Eksport - + File Plik - + File Not Found Nie znaleziono pliku - - File %s not found. -Please try selecting it individually. - Plik %s nie został znaleziony.⏎ -Proszę zaznaczyć go ręcznie. - - - + pt Abbreviated font pointsize unit - + Help Pomoc - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Zaznaczono niewłaściwy katalog - + Invalid File Selected Singular Zaznaczono niewłaściwy plik - + Invalid Files Selected Plural Zaznaczono niewłaściwe pliki - + Image Obraz - + Import Import - + Layout style: Układ: - + Live Ekran - + Live Background Error Błąd ekranu głównego - + Live Toolbar Pasek narzędzi ekranu głównego - + Load Ładuj - + Manufacturer Singular Producent - + Manufacturers Plural Producenci - + Model Singular Model - + Models Plural Modele - + m The abbreviated unit for minutes m - + Middle Środek - + New Nowy - + New Service Nowy plan nabożeństwa - + New Theme Nowy motyw - + Next Track Następny utwór - + No Folder Selected Singular Nie zaznaczono żadnego katalogu - + No File Selected Singular Nie zaznaczono pliku - + No Files Selected Plural Nie zaznaczono plików - + No Item Selected Singular Nie zaznaczono żadnego elementu - + No Items Selected Plural Nie wybrano żadnych pozycji - + OpenLP is already running. Do you wish to continue? OpenLP jest włączone. Czy chcesz kontynuować? - + Open service. Otwórz plan nabożeństwa. - + Play Slides in Loop Odtwarzaj slajdy w kółko - + Play Slides to End Odtwórz slajdy do końca - + Preview 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 - + 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 Wersja - + View Widok - + View Mode Tryb widoku - + CCLI song number: Numer CCLI pieśni: - + Preview Toolbar Pasek narzędzi Podglądu - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Zastępowanie tła live jest niedostępne gdy odtwarzacz WebKit jest zablokowany Songbook Singular - + Śpiewnik Songbooks Plural - + Śpiewniki + + + + Background color: + Kolor tła: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Wideo + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Żadna Biblia nie jest dostępna + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Zwrotka + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Brak wyników wyszukiwania + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s i %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, i %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7629,47 +7709,47 @@ Proszę zaznaczyć go ręcznie. Użyj programu: - + File Exists Plik istnieje - + A presentation with that filename already exists. Prezentacja o tej nazwie już istnieje. - + This type of presentation is not supported. Ten typ prezentacji nie jest obsługiwany. - - Presentations (%s) - Prezentacje (%s) - - - + Missing Presentation Brakująca prezentacja - - The presentation %s is incomplete, please reload. - Prezentacja %s jest niekompletna, proszę wczytaj ponownie. + + Presentations ({text}) + - - The presentation %s no longer exists. - Prezentacja %s już nie istnieje. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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ć. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7679,11 +7759,6 @@ Proszę zaznaczyć go ręcznie. Available Controllers Używane oprogramowanie prezentacji - - - %s (unavailable) - %s (niedostępny) - Allow presentation application to be overridden @@ -7700,12 +7775,12 @@ Proszę zaznaczyć go ręcznie. Użyj poniższej ścieżki do programu mudraw lub ghostscript: - + Select mudraw or ghostscript binary. Zaznacz program mudraw albo ghostscript. - + The program is not ghostscript or mudraw which is required. Nie wybrałeś ani programu ghostscript, ani mudraw. @@ -7716,14 +7791,19 @@ Proszę zaznaczyć go ręcznie. - Clicking on a selected slide in the slidecontroller advances to next effect. - Kliknięcie na zaznaczony slajd powoduje wyświetlenie kolejnego slajdu. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Pozwól programowi PowerPoint kontrolować wielkość i pozycję okna prezentacji -(obejście problemu skalowania w Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7765,127 +7845,127 @@ Proszę zaznaczyć go ręcznie. RemotePlugin.Mobile - + Service Manager Plan Nabożeństwa - + Slide Controller Slajdy - + Alerts Komunikaty - + Search Szukaj - + Home Home - + Refresh Odśwież - + Blank Wygaś - + Theme Motyw - + Desktop Pulpit - + Show Pokaż - + Prev Poprzedni - + Next Następny - + Text Tekst - + Show Alert Wyświetl - + 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 - + Slides Slajdy - + Settings Ustawienia - + Remote Zdalny dostęp - + Stage View Scena - + Live View Ekran @@ -7893,79 +7973,140 @@ Proszę zaznaczyć go ręcznie. RemotePlugin.RemoteTab - + Serve on IP address: Adres IP: - + Port number: Numer portu: - + Server Settings Ustawienia serwera - + Remote URL: URL zdalnego OpenLP: - + Stage view URL: URL sceny: - + Display stage time in 12h format Wyświetl czas w 12-godzinnym formacie - + Android App Aplikacja na Androida - + Live view URL: URL ekranu: - + HTTPS Server Serwer 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. Nie znaleziono certyfikatu SSL. Serwer HTTPS nie będzie dostępny bez tego certyfikatu. Więcej informacji znajdziesz w instrukcji. - + User Authentication Uwierzytelnienie użytkownika - + User id: ID użytkownika: - + Password: Hasło: - + Show thumbnails of non-text slides in remote and stage view. Pokaż miniaturki graficznych slajdów w zdalnym OpenLP. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Zeskanuj kod QR lub kliknij <a href="%s">pobierz</a>, aby zainstalować aplikację z Google Play. + + iOS App + Aplikacja iOS + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Ścieżka wyjściowa nie jest zaznaczona + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Tworzenie raportu + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8006,50 +8147,50 @@ Proszę zaznaczyć go ręcznie. 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 @@ -8117,24 +8258,10 @@ Wszystkie dane zapisane przed tą datą będą nieodwracalnie usunięte.Lokalizacja pliku wyjściowego - - usage_detail_%s_%s.txt - uzywalność_piesni_%s_%s.txt - - - + Report Creation Tworzenie raportu - - - Report -%s -has been successfully created. - Raport -%s -został pomyślnie stworzony. - Output Path Not Selected @@ -8148,14 +8275,26 @@ Please select an existing path on your computer. Proszę wybrać istniejącą ścieżkę na twoim komputerze. - + Report Creation Failed Niepowodzenie w tworzeniu raportu - - An error occurred while creating the report: %s - Wystąpił błąd podczas tworzenia raportu: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8171,102 +8310,102 @@ Proszę wybrać istniejącą ścieżkę na twoim komputerze. 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... - + 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 Kodowanie znaków - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8275,26 +8414,26 @@ za właściwe reprezentowanie znaków Zazwyczaj domyślny wybór jest najlepszy. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Proszę wybierz kodowanie znaków. 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 @@ -8305,37 +8444,37 @@ Kodowanie znaków jest odpowiedzialne za ich właściwą reprezentację.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 zaznaczoną pieśń na ekranie - + Add the selected song to the service. Dodaj wybraną pieśń do planu nabożeństwa - + Reindexing songs Przeindeksowywanie pieśni @@ -8350,15 +8489,30 @@ Kodowanie znaków jest odpowiedzialne za ich właściwą reprezentację.Importuj pieśni z CCLI SongSelect - + 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. + + + Songs + Pieśni + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8444,62 +8598,67 @@ Kodowanie znaków jest odpowiedzialne za ich właściwą reprezentację. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administrowanie przez %s - - - - "%s" could not be imported. %s - "%s" nie mógł zostać zaimportowany. %s - - - + Unexpected data formatting. Niespodziewane formatowanie danych. - + No song text found. Nie znaleziono testu pieśni. - + [above are Song Tags with notes imported from EasyWorship] [powyżej znajdują się Znaczniki Pieśni wraz z notatkami zaimportowanymi z EasyWorship] - + This file does not exist. Ten plik nie istnieje. - + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. Nie znaleziono pliku "Songs.MB". Musi on się znajdować w tym samym folderze co plik "Songs.DB". - + This file is not a valid EasyWorship database. Ten plik nie jest poprawną bazą danych EasyWorship. - + Could not retrieve encoding. Nie można ustalić kodowania. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Metadane - + Custom Book Names Nazwy ksiąg @@ -8582,57 +8741,57 @@ Kodowanie znaków jest odpowiedzialne za ich właściwą reprezentację.Motywy, prawa autorskie, komentarze - + Add Author Dodaj autora - + This author does not exist, do you want to add them? Ten autor nie istnieje, czy chcesz go dodać? - + This author is already in the list. Ten autor już występuje na liście. - + 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. Nie wybrałeś właściwego autora. Wybierz autora z listy lub wpisz nowego autora i wybierz "Dodaj autora do pieśni", by dodać nowego autora. - + Add Topic Dodaj temat - + This topic does not exist, do you want to add it? Ten temat nie istnieje, czy chcesz go dodać? - + This topic is already in the list. Ten temat już istnieje. - + 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. Nie wybrałeś właściwego tematu. Wybierz temat z listy lub wpisz nowy temat i wybierz "Dodaj temat pieśni", by dodać nowy temat. - + You need to type in a song title. Musisz podać tytuł pieśni. - + You need to type in at least one verse. Musisz wpisać przynajmniej jedną zwrotkę. - + You need to have an author for this song. Musisz wpisać autora pieśni. @@ -8657,7 +8816,7 @@ Kodowanie znaków jest odpowiedzialne za ich właściwą reprezentację.Usuń &wszystko - + Open File(s) Otwórz plik(i) @@ -8672,14 +8831,7 @@ Kodowanie znaków jest odpowiedzialne za ich właściwą reprezentację.<strong>Uwaga:</strong> Nie ustaliłeś kolejności zwrotek. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Nie ma zwrotki o oznaczeniu "%(invalid)s". Właściwymi oznaczeniami są: %(valid)s. -Proszę, wpisz zwrotki oddzielając je spacją. - - - + Invalid Verse Order Niewłaściwa kolejność zwrotek @@ -8689,81 +8841,101 @@ Proszę, wpisz zwrotki oddzielając je spacją. &Edytuj typ autora - + Edit Author Type Edytuj typ autora - + Choose type for this author Wybierz typ dla tego autora - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks - + Zarządzaj autorami, &tematami, śpiewnikami Add &to Song - + Dodaj do &pieśni Re&move - + Usuń Authors, Topics && Songbooks - + Autorzy, tematy i śpiewniki - + Add Songbook - + Dodaj Śpiewnik - + This Songbook does not exist, do you want to add it? - + Ten śpiewnik nie istnieje, czy chcesz go dodać? - + This Songbook is already in the list. - + Ten Śpiewnik już jest na liście - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + Nie wybrałeś prawidłowego Śpiewnika. Wybierz Śpiewnik z listy, lub utwórz nowy Śpiewnik i kliknij przycisk "Dodaj Pieśń" aby dodać nową pieśń do Śpiewnika + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse Edytuj wersety - + &Verse type: Typ zwrotek: - + &Insert &Wstaw - + Split a slide into two by inserting a verse splitter. Podziel slajd na dwa przez dodanie rozdzielacza. @@ -8776,77 +8948,77 @@ Please enter the verses separated by spaces. Kreator Eksportu Pieśni - + Select Songs Wybierz pieśni - + Check the songs you want to export. Wybierz pieśni, które chcesz eksportować. - + Uncheck All Odznacz wszystkie - + Check All Zaznacz wszystkie - + Select Directory Wybierz katalog - + Directory: Katalog: - + Exporting Eksportowanie - + Please wait while your songs are exported. Proszę czekać, trwa eksportowanie pieśni. - + You need to add at least one Song to export. Musisz wybrać przynajmniej jedną pieśń do eksportu. - + No Save Location specified Nie podano lokalizacji do zapisania - + Starting export... Zaczynanie eksportowania... - + You need to specify a directory. Musisz wybrać jakiś katalog. - + Select Destination Folder Wybierz folder docelowy - + Select the directory where you want the songs to be saved. Wybierz katalog, w którym chcesz zapisać pieśni. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Ten kreator pozwala eksportować pieśni do otwartoźródłowego i darmowego formatu <strong>OpenLyrics </strong> @@ -8854,7 +9026,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Niewłaściwy plik Foilpresenter. Nie znaleziono żadnych zwrotek. @@ -8862,7 +9034,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Umożliwiaj wyszukiwanie podczas pisania @@ -8870,7 +9042,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Wybierz pliki dokumentu/prezentacji @@ -8880,237 +9052,252 @@ Please enter the verses separated by spaces. Kreator importowania pieśni - + 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. Ten kreator pomoże ci zaimportować pieśni z różnych formatów. Kliknij "dalej", aby zacząć proces poprzez wybieranie formatu, z którego będziemy importować. - + Generic Document/Presentation Ogólny dokument/prezentacja - + Add Files... Dodaj pliki... - + Remove File(s) Usuń plik(i) - + Please wait while your songs are imported. Proszę czekać, trwa importowanie pieśni. - + Words Of Worship Song Files Pliki pieśni Słów Uwielbienia (Words of Worship) - + Songs Of Fellowship Song Files Pliki Songs Of Fellowship Song - + SongBeamer Files Pliki SongBeamer - + SongShow Plus Song Files Pliki SongShow Plus Song - + Foilpresenter Song Files Pliki pieśni Foilpresenter - + Copy Kopiuj - + Save to File Zapisz do pliku - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Importer Songs of Fellowship został zatrzymany, ponieważ OpenLP nie może uzyskać dostępu do OpenOffice lub LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Ogólny importer dokumentu/prezentacji został uznany za uszkodzony, ponieważ OpenLP nie może uzyskać dostępu do OpenOffice lub LibreOffice. - + OpenLyrics Files Pliki OpenLyric - + CCLI SongSelect Files Pliki CCLI SongSelect - + EasySlides XML File Pliki EasySlides XML - + EasyWorship Song Database Baza pieśni EasyWorship - + DreamBeam Song Files Pliki pieśni DreamBeam - + You need to specify a valid PowerSong 1.0 database folder. Musisz podać właściwy folder z bazą danych programu 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>. Najpierw przekonwertuj swoją bazę danych ZionWorx do pliku tekstowego CSV tak, jak jest wytłumaczone tutaj <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. - + SundayPlus Song Files Pliki pieśni SundayPlus - + This importer has been disabled. Ten importer został wyłączony. - + MediaShout Database Baza danych 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. Importer MediaShout jest wspierany jedynie na Windowsie. Został wyłączony z powodu brakującego modułu Pythona. Jeśli chcesz go użyć, to zainstaluj moduł "pyodbc". - + SongPro Text Files Pliki tekstowe SongPro - + SongPro (Export File) SongPro (Eksport plików) - + In SongPro, export your songs using the File -> Export menu W SongPro, wyeksportuj pieśni używając Plik -> Eksport - + EasyWorship Service File Pliki planu nabożeństwa EasyWorship - + WorshipCenter Pro Song Files Pliki z pieśniami programu 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. Importer WorshipCenter Pro jest wspierany jedynie na Windowsie. Został on wyłączony ze względu na brakujący moduł Pythona. Jeżeli chcesz użyć tego importera, musisz zainstalować moduł "pyodbc". - + PowerPraise Song Files Pliki z pieśniami PowerPraise - + PresentationManager Song Files Pliki z pieśniami PresentationManager - - ProPresenter 4 Song Files - ProPresenter 4 pliki pieśni - - - + Worship Assistant Files Pliki programu Worship Assistant - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. Wyeksportuj bazę programu Worship Assistant do pliku CSV. - + OpenLyrics or OpenLP 2 Exported Song - + OpenLyrics lub wyeksportowane pieśni OpenLP 2.0 - + OpenLP 2 Databases - + Bazy danych OpenLP 2.0 - + LyriX Files - + Pliki LyriX - + LyriX (Exported TXT-files) - + LyriX (Eksportowane pliki txt) - + VideoPsalm Files - + pliki VideoPsalm - + VideoPsalm - + VideoPsalm - - The VideoPsalm songbooks are normally located in %s - + + OPS Pro database + Bazy danych OPS Pro + + + + The OPS 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. + + + + + ProPresenter Song Files + ProPresenter 4 pliki pieśni + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - + File {name} + + + + + Error: {error} + @@ -9129,89 +9316,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Tytuły - + Lyrics Słowa - + CCLI License: Licencja CCLI: - + Entire Song Cała pieśń - + Maintain the lists of authors, topics and books. Zarządzaj listami autorów, tematów i śpiewników - + copy For song cloning kopiuj - + Search Titles... Przeszukaj tytuł... - + Search Entire Song... Przeszukaj całą pieśń... - + Search Lyrics... Przeszukaj słowa pieśni... - + Search Authors... Przeszukaj autorów... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + Szukaj Śpiewników - - Search Songbooks... - + + Search Topics... + Szukaj Tematów + + + + Copyright + Prawa autorskie + + + + Search Copyright... + Szukaj praw autorskich + + + + CCLI number + numer CCLI + + + + Search CCLI number... + Szukaj numeru CCLI + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Nie można otworzyć bazy danych MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Nie można połączyć z bazą danych OPS Pro + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + Niewłaściwa baza pieśni Openlp 2.0. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Eksportowanie "%s"... + + Exporting "{title}"... + @@ -9230,29 +9455,37 @@ Please enter the verses separated by spaces. Brak pieśni do importu. - + Verses not found. Missing "PART" header. Nie znaleziono zwrotek. Brakuje nagłówka "PART" - No %s files found. - Nie znaleziono plików %s. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Niewłaściwy plik %s. Nieoczekiwana wartość. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Niewłaściwy plik %s. Brakujący "TYTUŁ" nagłówka. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Niewłaściwy plik %s. Brakujący "PRAWAAUTORSKIE" nagłówka. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9275,25 +9508,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + Zarządzanie pieśniami 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 - Niepowodzenie eksportu pieśni z powodu błędu: %s + + Your song export failed because this error occurred: {error} + @@ -9309,17 +9542,17 @@ Please enter the verses separated by spaces. Następujące pieśni nie mogą zostać importowane: - + Cannot access OpenOffice or LibreOffice Brak dojścia do OpenOffice lub LibreOffice - + Unable to open file Niemożliwy do otwarcia plik - + File not found Nie znaleziono pliku @@ -9327,109 +9560,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Nie można dodać autora. - + This author already exists. Ten autor już istnieje. - + Could not add your topic. Temat nie mógł zostać dodany. - + This topic already exists. Ten temat już istnieje. - + Could not add your book. Śpiewnik nie mógł zostać dodany. - + This book already exists. Ten śpiewnik już istnieje. - + Could not save your changes. Nie można zapisać Twoich zmian. - + Could not save your modified author, because the author already exists. Nie można zapisać autora, ponieważ on już istnieje. - + Could not save your modified topic, because it already exists. Nie można zapisać tematu, ponieważ on już istnieje. - + Delete Author Usuń autora - + Are you sure you want to delete the selected author? Czy na pewno chcesz usunąć wybranego autora? - + This author cannot be deleted, they are currently assigned to at least one song. Autor nie może zostać usunięty, jest przypisany do przynajmniej jednej pieśni. - + Delete Topic Usuń temat - + Are you sure you want to delete the selected topic? Czy na pewno chcesz usunąć wybrany temat? - + This topic cannot be deleted, it is currently assigned to at least one song. Temat nie może zostać usunięty, jest przypisany do przynajmniej jednej pieśni. - + Delete Book Usuń śpiewnik - + Are you sure you want to delete the selected book? Czy na pewno chcesz usunąć wybrany śpiewnik? - + This book cannot be deleted, it is currently assigned to at least one song. Śpiewnik nie może zostać usunięty, jest przypisany do przynajmniej jednej pieśni. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Autor %s już istnieje. Czy chcesz pieśni autora %s przypisać istniejącemu autorowi %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Temat %s już istnieje. Czy chcesz pieśni o temacie %s przypisać istniejącemu tematowi %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Śpiewnik %s już istnieje. Czy chcesz pieśni ze śpiewnika %s przypisać istniejącemu śpiewnikowi %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9475,52 +9708,47 @@ Please enter the verses separated by spaces. Szukaj - - Found %s song(s) - Znaleziono %s pieśń(i) - - - + Logout Wyloguj - + View Widok - + Title: Tytuł: - + Author(s): Autor(rzy): - + Copyright: Prawa autorskie: - + CCLI Number: Numer CCLI: - + Lyrics: Słowa: - + Back Wróć - + Import Import @@ -9561,7 +9789,7 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za Wystąpił problem logowania, być może nazwa użytkownika lub hasło jest niepoprawna? - + Song Imported Pieśni zaimportowano @@ -9576,14 +9804,19 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za W tej pieśni czegoś brakuje, np. słów, i nie może zostać zaimportowana. - + Your song has been imported, would you like to import more songs? Pieśń została zaimportowana, czy chcesz zaimportować ich więcej? Stop - + Stop + + + + Found {count:d} song(s) + @@ -9593,30 +9826,30 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za Songs Mode Tryb pieśni - - - Display verses on live tool bar - Wyświetlaj słowa w sekcji ekranu - Update service from song edit Uaktualnij plan nabożeństwa po edycji pieśni - - - Import missing songs from service files - Importuj brakujące pieśni z plików - Display songbook in footer Wyświetl nazwę śpiewnika w stopce + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Wyświetlaj symbol "%s" przed informacją o prawach autorskich + Display "{symbol}" symbol before copyright info + @@ -9640,37 +9873,37 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za SongsPlugin.VerseType - + Verse Zwrotka - + Chorus Refren - + Bridge Bridge - + Pre-Chorus Pre-Chorus - + Intro Intro - + Ending Zakończenie - + Other Inne @@ -9678,22 +9911,22 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za SongsPlugin.VideoPsalmImport - - Error: %s - + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9704,30 +9937,30 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za Błąd czytania pliku CSV - - Line %d: %s - Linijka %d: %s - - - - Decoding error: %s - Błąd dekodowania: %s - - - + File not valid WorshipAssistant CSV format. Plik niewłaściwy wg formatu WorshipAssisant CSV. - - Record %d - Nagraj %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Nie można połączyć z bazą danych WorshipCenter Pro @@ -9740,25 +9973,30 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za Błąd czytania pliku CSV - + File not valid ZionWorx CSV format. Plik nie jest formatu ZionWorx CSV. - - Line %d: %s - Linijka %d: %s - - - - Decoding error: %s - Błąd dekodowania: %s - - - + Record %d Nagraj %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9768,39 +10006,960 @@ Zapisywanie nazwy użytkownika i hasła jest NIEBEZPIECZNE, twoje hasło jest za Kreator - + 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. Ten kreator pomoże ci usunąć powtarzające się pieśni z bazy danych. Masz możliwość przeglądu każdej potencjalnie powtarzającej się pieśni, więc żadna nie zostanie usunięta bez twojej zgody. - + Searching for duplicate songs. Szukanie powtarzających się piosenek. - + Please wait while your songs database is analyzed. Proszę czekać, pieśni z bazy są analizowane. - + Here you can decide which songs to remove and which ones to keep. Tu możesz zdecydować które pieśni usunąć, a które zachować. - - Review duplicate songs (%s/%s) - Przegląd powtarzających się pieśni (%s/%s) - - - + Information Informacja - + No duplicate songs have been found in the database. Nie znaleziono żadnych powtarzających się pieśni w bazie. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Polish + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/pt_BR.ts b/resources/i18n/pt_BR.ts index e0740093f..7f6fd5ca1 100644 --- a/resources/i18n/pt_BR.ts +++ b/resources/i18n/pt_BR.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Deseja continuar mesmo assim? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? O texto de alerta não contém '<>'. Deseja continuar mesmo assim? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Você não especificou nenhum texto para a alerta. Por favor, digite algum texto antes de clicar em Novo. @@ -120,32 +121,27 @@ Por favor, digite algum texto antes de clicar em Novo. AlertsPlugin.AlertsTab - + Font Fonte - + Font name: Nome da fonte: - + Font color: Cor da fonte: - - Background color: - Cor do Plano de Fundo: - - - + Font size: Tamanho da fonte: - + Alert timeout: Tempo limite para o Alerta: @@ -153,88 +149,78 @@ Por favor, digite algum texto antes de clicar em Novo. 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. - Genesis @@ -358,7 +344,7 @@ Por favor, digite algum texto antes de clicar em Novo. Lamentations - Lamentações de Jeremias + Lamentações @@ -453,7 +439,7 @@ Por favor, digite algum texto antes de clicar em Novo. Acts - Atos dos Apóstolos + Atos @@ -638,7 +624,7 @@ Por favor, digite algum texto antes de clicar em Novo. Susanna - Suzana + Susana @@ -731,7 +717,7 @@ Por favor, digite algum texto antes de clicar em Novo. Bible Exists - A Bíblia existe + A Bíblia Existe @@ -739,161 +725,123 @@ Por favor, digite algum texto antes de clicar em Novo. Esta Bíblia já existe. Por favor importa outra Bíblia ou remova a já existente. - - You need to specify a book name for "%s". - É necessário especificar um nome de livro para "%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. - O nome de livro "%s" não é válido. -Números só podem ser usados na início e precisam -ser seguidos de um ou mais caracteres não-numéricos. - - - + Duplicate Book Name Nome de Livro Duplicado - - The Book Name "%s" has been entered more than once. - O nome de Livro "%s" foi informado mais de uma vez. + + You need to specify a book name for "{text}". + É necessário especificar um nome para o livro "{text}". + + + + The book name "{name}" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. + O nome do livro "{name}" não está correto. +Números só podem ser utilizados no início e devem +ser seguidos por um ou mais caracteres não numéricos. + + + + The Book Name "{name}" has been entered more than once. + O nome do livro "{name}" foi informado mais de uma vez. + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + 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 + + Web Bible cannot be used in Text Search + A pesquisa de texto não está disponível para Bíblias importadas da web - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Sua referência de escritura não é suportada pelo OpenLP ou está inválida. Por favor, certifique que a sua referência está conforme um dos seguintes padrões ou consulte o manual: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Livro Capítulo -Livro Capítulo%(range)sCapítulo -Livro Capítulo%(verse)sVerso%(range)sVerso -Livro Capítulo%(verse)sVerso%(range)sVerso%(list)sVerso%(range)sVerso -Livro Capítulo%(verse)sVerso%(range)sVerso%(list)sCapítulo%(verse)sVerso%(range)sVerso -Livro Capítulo%(verse)sVerso%(range)sCapítulo%(verse)sVerso +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + Nada encontrado BiblesPlugin.BiblesTab - + Verse Display Exibição do Versículo - + Only show new chapter numbers Somente mostrar números de capítulos novos - + Bible theme: Tema da Bíblia: - + No Brackets Sem Parênteses - + ( And ) ( E ) - + { And } { E } - + [ And ] [ E ] - - Note: -Changes do not affect verses already in the service. - Observação: -Mudanças não afetam os versículos que já estão no culto. - - - + Display second Bible verses Exibir versículos da Bíblia secundária - + Custom Scripture References Referências Personalizadas das Escrituras - - Verse Separator: - Separador de Versos - - - - Range Separator: - Separador de Faixas: - - - - List Separator: - Separador de Listas: - - - - End Mark: - Marcação de Fim: - - - + 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. @@ -902,37 +850,83 @@ Eles devem ser separados por uma barra vertical "|". Por favor, limpe esta linha edição para usar o valor padrão. - + English - Portuguese (Brazil) + Português do Brasil - + Default Bible Language Idioma Padrão de Bíblia - + Book name language in search field, search results and on display: - Idioma do nome de livros a ser usado na caixa de -busca, resultados da busca e na exibição: + Idioma do livro a ser usado na caixa de busca, +resultados da busca e na exibição: - + Bible Language Idioma da Bíblia - + Application Language Idioma da Aplicação - + Show verse numbers Mostrar os números do verso + + + Note: Changes do not affect verses in the Service + Nota: Mudanças não afetam os versículos que já estão no culto. + + + + Verse separator: + Separador de versos: + + + + Range separator: + Separador de faixas: + + + + List separator: + Separador de lista: + + + + End mark: + Marcação de fim: + + + + Quick Search Settings + Configurações de pesquisa rápida + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,79 +982,80 @@ busca, resultados da busca e na exibição: BiblesPlugin.CSVBible - - Importing books... %s - Importando livros... %s + + Importing books... {book} + Importando livros... {book} - - Importing verses... done. - Importando versículos... concluído. + + Importing verses from {book}... + Importing verses from <book name>... + Importando versículos de {book}... BiblesPlugin.EditBibleForm - + Bible Editor Editor de Bíblia - + License Details Detalhes da Licença - + Version name: Nome da versão: - + Copyright: Direitos Autorais: - + Permissions: Permissões: - + Default Bible Language Idioma Padrão de Bíblia - + Book name language in search field, search results and on display: - Idioma do nome de livros a ser usado na caixa de -busca, resultados da busca e na exibição: + Idioma do livros a ser usado na caixa de busca, resultados da busca e na exibição: - + Global Settings Configurações Globais - + Bible Language Idioma da Bíblia - + Application Language Idioma da Aplicação - + English - Portuguese (Brazil) + Português do Brasil This is a Web Download Bible. It is not possible to customize the Book Names. - Esta Bíblia foi baixada da Internet. Não é possível modificar os nomes dos Livros. + Esta Bíblia foi baixada da Internet. +Não é possível modificar os nomes dos Livros. @@ -1071,223 +1066,258 @@ 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. + + + Importing {book}... + Importing <book name>... + Importando {book}... + 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. Registrado Bíblia. Por favor, note que os versos será baixado pela internet, portanto, é necessária uma conexão. - + Click to download bible list Clique para baixar lista das bíblias - + Download bible list Baixar lista das bíblias - + Error during download Erro durante o download - + An error occurred while downloading the list of bibles from %s. - Ocorreu um erro ao fazer o download da lista de bíblias de% s. + Ocorreu um erro ao baixar a lista de bíblias de %s. + + + + Bibles: + Bíblias: + + + + SWORD data folder: + SWORD pasta de dados: + + + + SWORD zip-file: + SWORD arquivo zip: + + + + Defaults to the standard SWORD data folder + O padrão é a pasta de dados normal do SWORD + + + + Import from folder + Importar da pasta + + + + Import from Zip-file + Importar de um arquivo ZIP + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Para importar as bíblias SWORD o módulo python pysword devem ser instalados. Por favor, leia o manual para obter instruções. @@ -1319,292 +1349,155 @@ It is not possible to customize the Book Names. BiblesPlugin.MediaItem - - Quick - Rápido - - - + Find: Localizar: - + Book: Hinário: - + Chapter: Capítulo: - + Verse: Versículo: - + From: De: - + To: Até: - + Text Search Pesquisar Texto - + Second: Segunda Versão: - + Scripture Reference Referência da Escritura - + Toggle to keep or clear the previous results. Alternar entre manter ou limpar resultados anteriores. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Você não pode combinar os resultados de buscas de versículo Bíblicos simples e duplo. Você deseja deletar os resultados da sua busca e comecar uma nova? - + Bible not fully loaded. Bíblia não carregada completamente. - + Information Informações - - 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. - A Bíblia secundária não contém todos os versículos que estão na Bíblia principal. Somente versículos encontrados em ambas as Bíblias serão exibidas. %d versículos não foram inclusos nos resultados. - - - + Search Scripture Reference... - Pesquisar referência... + Pesquisando referência... + + + + Search Text... + Pesquisando texto... + + + + Search + Busca + + + + Select + Selecionar - Search Text... - Pesquisar texto... + Clear the search results. + - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Text or Reference + Texto ou Referência + + + + Text or Reference... + Texto ou Referência... + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Você tem certeza que deseja apagar completamente a Bíblia "%s" do OpenLP? -Para usá-la de novo, você precisará fazer a importação novamente. + - - Advanced - Avançado - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Foi fornecido um tipo de Bíblia incorreto. Os arquivos de Bíblia do OpenSong podem estar comprimidos. Você precisa descomprimí-lo antes de importá-lo. - - - - Incorrect Bible file type supplied. This looks like a Zefania XML bible, please use the Zefania import option. - Foi fornecido um tipo de Bíblia incorreto. Isto parece ser um XML da Bíblia Zefania, por favor use a opção de importação no formato Zefania. - - - - BiblesPlugin.Opensong - - - Importing %(bookname)s %(chapter)s... - Importando %(bookname)s %(chapter)s... + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - Removendo tags não utilizadas (isso pode levar alguns minutos) ... + Removendo rotulos não utilizadas (isso pode levar alguns minutos)... - - Importing %(bookname)s %(chapter)s... - Importando %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importando {book} {chapter}... - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Selecione um Diretório para Cópia de Segurança + + Importing {name}... + Importando {name}... + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Assistente de Atualização de Bíblias - - - - 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. - Este assistente irá ajudá-lo a atualizar suas Bíblias existentes a partir de uma versão anterior do OpenLP 2. Clique no botão avançar abaixo para começar o processo de atualização. - - - - Select Backup Directory - Selecione o Diretório para Cópia de Segurança - - - - Please select a backup directory for your Bibles - Por favor, selecione um diretório para a cópia de segurança das suas Bíblias - - - - 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>. - As versões anteriores do OpenLP 2.0 não conseguem usar as Bíblias atualizadas. Isto irá criar uma cópia de segurança das suas Bíblias atuais para que possa copiar os arquivos de volta para o diretório de dados do OpenLP caso seja necessário voltar a uma versão anterior do OpenLP. Instruções sobre como recuperar os arquivos podem ser encontradas no nosso <a href="http://wiki.openlp.org/faq">Perguntas Frequentes</a>. - - - - Please select a backup location for your Bibles. - Por favor, selecione o local da cópia de segurança das suas Bíblias. - - - - Backup Directory: - Diretório de Cópia de Segurança: - - - - There is no need to backup my Bibles - Não é necessário fazer uma cópia de segurança das minhas Bíblias - - - - Select Bibles - Selecione Bíblias - - - - Please select the Bibles to upgrade - Por favor, selecione as Bíblias a atualizar - - - - Upgrading - Atualizando - - - - Please wait while your Bibles are upgraded. - Por favor, aguarde enquanto suas Bíblias são atualizadas. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - A cópia de segurança não teve êxito. -Para fazer uma cópia de segurança das suas Bíblias é necessário permissão de escrita no diretório selecionado. - - - - Upgrading Bible %s of %s: "%s" -Failed - Atualizando Bíblia %s de %s: "%s" -Falhou - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Atualizando Bíblia %s de %s: "%s" -Atualizando ... - - - - Download Error - Erro ao Baixar - - - - To upgrade your Web Bibles an Internet connection is required. - Para atualizar suas Bíblias Internet é necessária uma conexão com a internet. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Atualizando Bíblia %s de %s: "%s" -Atualizando %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Atualizando Bíblia %s de %s: "%s" -Finalizado - - - - , %s failed - . %s falhou - - - - Upgrading Bible(s): %s successful%s - Atualizando Bíblia(s): %s com sucesso%s - - - - Upgrade failed. - A atualização falhou. - - - - You need to specify a backup directory for your Bibles. - Você precisa informar um diretório de backup para as suas Bíblias. - - - - Starting upgrade... - Iniciando atualização... - - - - There are no Bibles that need to be upgraded. - Não há Bíblias que necessitam ser atualizadas. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Atualizando Bíblia(s): %(success)d com sucesso%(failed_text)s -Por favor, observe que versículos das Bíblias da Internet serão transferidos sob demanda, então é necessária uma conexão com a internet. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Incorreto tipo de arquivo Bíblia fornecido. O formato da Bíblia Zefania pode estar compactado. Você deve descompactá-los antes da importação. @@ -1612,9 +1505,9 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importando %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + Importando {book} {chapter}... @@ -1729,7 +1622,7 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos Editar todos os slides de uma vez. - + Split a slide into two by inserting a slide splitter. Dividir um slide em dois, inserindo um divisor de slides. @@ -1744,22 +1637,22 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos &Créditos: - + You need to type in a title. Você deve digitar um título. Ed&it All - &Editar Todos + Ed&itar Todos - + Insert Slide Inserir Slide - + You need to add at least one slide. Você precisa adicionar pelo menos um slide. @@ -1767,7 +1660,7 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos CustomPlugin.EditVerseForm - + Edit Slide Editar Slide @@ -1775,9 +1668,9 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Tem certeza que deseja excluir o(s) "%d" slide(s) personalizado(s) selecionado(s)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1805,11 +1698,6 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos container title Imagens - - - Load a new image. - Carregar uma nova imagem. - Add a new image. @@ -1840,6 +1728,16 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos Add the selected image to the service. Adicionar a imagem selecionada ao culto. + + + Add new image(s). + Adicionar nova(s) imagem(ns). + + + + Add new image(s) + Adicionar nova(s) imagem(ns). + ImagePlugin.AddGroupForm @@ -1864,12 +1762,12 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos Você precisa digitar um nome para o grupo. - + Could not add the new group. Não foi possivel adicionar o novo grupo. - + This group already exists. Este grupo já existe @@ -1889,7 +1787,7 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos No group - Nenhum grupo: + Nenhum grupo @@ -1905,7 +1803,7 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos ImagePlugin.ExceptionDialog - + Select Attachment Selecionar Anexo @@ -1913,67 +1811,66 @@ Por favor, observe que versículos das Bíblias da Internet serão transferidos ImagePlugin.MediaItem - + Select Image(s) 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. -- Top-level group -- - + -- Nível superior -- - + You must select an image or group to delete. Você deve selecionar uma imagens ou um grupo para deletar. - + Remove group Remover grupo - - Are you sure you want to remove "%s" and everything in it? - Are you sure you want to remove "%s" and everything in it? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Plano de fundo que será visto nas imagens que possuem proporção altura/largura diferente da tela. @@ -1981,27 +1878,27 @@ Deseja continuar adicionando as outras imagens mesmo assim? Media.player - + Audio Audio - + Video Vídeo - + VLC is an external player which supports a number of different formats. VLC é um reprodutor externo que suporta diferentes formatos. - + Webkit is a media player which runs inside a web browser. This player allows text over video to be rendered. Webkit é um reprodutor de mídia que é executado dentro de um navegador web. Este reprodutor permite colocar texto acima de um vídeo para ser renderizado. - + This media player uses your operating system to provide media capabilities. Este reprodutor de mídia utiliza seu sistema operacional para fornecer recursos de mídia. @@ -2009,60 +1906,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. @@ -2077,7 +1974,7 @@ Deseja continuar adicionando as outras imagens mesmo assim? Source - origem + Origem @@ -2178,47 +2075,47 @@ Deseja continuar adicionando as outras imagens mesmo assim? VLC player não conseguiu reproduzir a mídia - + CD not loaded correctly CD não foi colocado corretamente - + The CD was not loaded correctly, please re-load and try again. O CD não foi colocado corretamente, por favor tente novamente. - + DVD not loaded correctly DVD não foi colocado corretamente - + The DVD was not loaded correctly, please re-load and try again. O DVD não foi carregado corretamente, por favor tente novamente. - + Set name of mediaclip Defina o nome da mídia - + Name of mediaclip: Nome de mídia: - + Enter a valid name or cancel Digite um nome válido ou clique em cancelar - + Invalid character caractere inválido - + The name of the mediaclip must not contain the character ":" O nome da mídia não pode conter o caractere ":" @@ -2226,90 +2123,100 @@ Deseja continuar adicionando as outras imagens mesmo assim? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File Arquivo não suportado - + Use Player: Usar Reprodutor: - + VLC player required VLC player necessário - + VLC player required for playback of optical devices VLC player necessário para a reprodução de dispositivos - + Load CD/DVD Carregando CD/DVD - - Load CD/DVD - only supported when VLC is installed and enabled - Carregando CD / DVD - suportado apenas quando o VLC player está instalado e ativo - - - - The optical disc %s is no longer available. - O disco óptico %s não está mais disponível. - - - + Mediaclip already saved Clipe de mídia salvo - + This mediaclip has already been saved Este clipe de mídia já foi salvo + + + File %s not supported using player %s + Arquivo %s não é suportado utilizando o reprodutor %s + + + + Unsupported Media File + Arquivo de Mídia não suportado + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2320,94 +2227,93 @@ Deseja continuar adicionando as outras imagens mesmo assim? - Start Live items automatically - Iniciar itens ao vivo automaticamente - - - - OPenLP.MainWindow - - - &Projector Manager - Gerenciador de projetor + Start new Live media automatically + OpenLP - + Image Files Arquivos de Imagem - - Information - Informações - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - O formato de Bíblia foi alterado. -Você deve atualizar suas Bíblias existentes. -O OpenLP deve atualizar agora? - - - + Backup - Backup + Cópia de segurança - - OpenLP has been upgraded, do you want to create a backup of OpenLPs data folder? - OpenLP foi atualizado, deseja criar um backup das pasta de dados OpenLPs? - - - + Backup of the data folder failed! - Backup da pasta de dados falhou! + Cópia de segurança da pasta de dados falhou! - - A backup of the data folder has been created at %s - O backup da pasta de dados foi criado em% s - - - + Open Abrir + + + Video Files + Arquivos de Video + + + + Data Directory Error + Erro no Diretório de Dados + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Créditos - + License Licença - - build %s - compilação %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. + Este programa é um software livre; você pode redistribui-lo e/ou modifica-lo dentro dos termos da Licença Pública Geral GNU como publicada pela Fundação do Software Livre; na versão 2 da Licença. - + 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. Este programa é distribuido na esperança que será útil, mas SEM NENHUMA GARANTIA; sem mesmo a garantia implícita de COMERCIALIZAÇÃO ou ADEQUAÇÃO PARA UM DETERMINADO FIM. Veja abaixo para maiores detalhes. - + 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. @@ -2424,174 +2330,157 @@ Conheça mais sobre o OpenLP: http://openlp.org/ O OpenLP é escrito e mantido por voluntários. Se você gostaria de ver mais softwares Cristãos gratuítos sendo escritos, por favor, considere contribuir usando o botão abaixo. - + Volunteer Contribuir - + Project Lead Líder do projeto - + Developers Desenvolvedores - + Contributors Colaboradores - + Packagers Empacotadores - + Testers Testadores - + Translators Tradutores - + Afrikaans (af) Afrikaans (af) - + Czech (cs) Czech (cs) - + Danish (da) Danish (da) - + German (de) German (de) - + Greek (el) Greek (el) - + English, United Kingdom (en_GB) English, United Kingdom (en_GB) - + English, South Africa (en_ZA) English, South Africa (en_ZA) - + Spanish (es) Spanish (es) - + Estonian (et) Estonian (et) - + Finnish (fi) Finnish (fi) - + French (fr) French (fr) - + Hungarian (hu) Hungarian (hu) - + Indonesian (id) Indonesian (id) - + Japanese (ja) Japanese (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Norwegian Bokmål (nb) - + Dutch (nl) Dutch (nl) - + Polish (pl) Polish (pl) - + Portuguese, Brazil (pt_BR) Português, Brasil (pt_BR) - + Russian (ru) Russian (ru) - + Swedish (sv) Swedish (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamil(Sri-Lanka) (ta_LK) - + Chinese(China) (zh_CN) Chinese(China) (zh_CN) - + Documentation Documentação - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Construído com -Python: http://www.python.org/ -Qt5: http://qt.io -PyQt5: 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 @@ -2616,327 +2505,244 @@ trazemos este software gratuitamente porque Ele nos libertou. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Direitos autorais © 2004-2016 %s -Porções com direitos autorais © 2004-2016 %s + + build {version} + Versão {version} + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Configurações da Interface - - - Number of recent files to display: - Número de arquivos recentes a serem exibidos: - - Remember active media manager tab on startup - Lembrar aba ativa do gerenciador de mídia ao iniciar - - - - Double-click to send items straight to live - Clicar duas vezes para diretamente projetar itens - - - Expand new service items on creation Expandir novos itens do culto ao serem criados - + Enable application exit confirmation Habilitar confirmação de saída do programa - + Mouse Cursor Ponteiro do Mouse - + Hide mouse cursor when over display window Ocultar o cursor do mouse quando estiver sobre a tela de projeção - - Default Image - Imagem Padrão - - - - Background color: - Cor do Plano de Fundo: - - - - Image file: - Arquivo de Imagem: - - - + Open File Abrir Arquivo - + Advanced Avançado - - - Preview items when clicked in Media Manager - Pré-visualizar itens quando clicados no Gerenciador de Mídia - - Browse for an image file to display. - Procurar um arquivo de imagem para exibir. - - - - Revert to the default OpenLP logo. - Reverter ao logotipo padrão OpenLP. - - - Default Service Name Nome Padrão de Culto - + Enable default service name Habilitar nome padrão de culto - + Date and Time: Data e Hora: - + Monday Segunda-feira - + Tuesday Terça-feira - + Wednesday Quarta-feira - + Friday Sexta-feira - + Saturday Sábado - + Sunday Domingo - + Now Agora - + Time when usual service starts. Hora em que o culto normal se inicia. - + Name: Nome: - + Consult the OpenLP manual for usage. Consulte o manual OpenLP para uso. - - Revert to the default service name "%s". - Reverter para o nome padrão de culto "%s". - - - + Example: Exemplo: - + Bypass X11 Window Manager Desativar Gerenciador de Janelas X11 - + Syntax error. Erro de sintaxe. - + Data Location Local dos Dados - + Current path: Caminho atual: - + Custom path: Caminho personalizado: - + Browse for new data file location. Escolher um novo local para os arquivos de dados. - + Set the data location to the default. Restabelecer o local de dados para o padrão. - + Cancel Cancelar - + Cancel OpenLP data directory location change. Cancelar a mudança da localização dos dados do OpenLP. - + Copy data to new location. Copiar os dados para a nova localização. - + Copy the OpenLP data files to the new location. Copiar os arquivos de dados do OpenLP para a nova localização. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>AVISO:</strong> O novo diretório de dados já contém arquivos do OpenLP. Estes arquivos SERÃO sobrescritos durante uma cópia. - - Data Directory Error - Erro no Diretório de Dados - - - + Select Data Directory Location Seleciona a Localização do Diretório de Dados - + Confirm Data Directory Change Confirmar Mudança do Diretório de Dados - + Reset Data Directory Restabelecer o Diretório de Dados - + Overwrite Existing Data Sobrescrever Dados Existentes - - 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. - O diretório de dados do OpenLP não foi encontrado - -%s - -Este diretório de dados foi previamente alterado do local padrão do OpenLP. Se o novo local estava em uma mídia removível, a mídia deve ser disponibilizada. - -Clique em "Não" para cancelar a carga do OpenLP permitindo que o problema seja corrigido. - -Clique em "Sim" para redifinir o diretório de dados para o local padrão. - - - - 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. - Tem certeza que deseja alterar o local do diretório de dados do OpenLP para: - -%s - -O diretório de dados será alterado quando o OpenLP for encerrado. - - - + Thursday Quinta-feira - + Display Workarounds Soluções alternativas de exibição - + Use alternating row colours in lists Utilizar linhas de cores alternadas nas listas - - 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? - AVISO: O local selecionado% s parece conter arquivos de dados OpenLP. Você deseja substituir esses arquivos com os arquivos de dados atuais? - - - + Restart Required - Necessário reiniciar + Necessário Reiniciar - + This change will only take effect once OpenLP has been restarted. A alteração só terá efeito quando o OpenLP for reiniciado. - + 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. @@ -2944,11 +2750,143 @@ This location will be used after OpenLP is closed. Esta localização será usada depois que o OpenLP for fechado. + + + Max height for non-text slides +in slide controller: + Altura máxima para slides não textual +no controlador de slide: + + + + Disabled + Desativado + + + + When changing slides: + Ao mudar slides: + + + + Do not auto-scroll + Sem auto rolagem + + + + Auto-scroll the previous slide into view + Auto rolar o slide anterior para exibição + + + + Auto-scroll the previous slide to top + Auto rolar o slide anterior ao topo + + + + Auto-scroll the previous slide to middle + Auto rolar o slide anterior para o meio + + + + Auto-scroll the current slide into view + Auto rolar o slide atual para exibição + + + + Auto-scroll the current slide to top + Auto rolar o slide atual para o topo + + + + Auto-scroll the current slide to middle + Auto rolar o slide atual para o meio + + + + Auto-scroll the current slide to bottom + Auto rolar o slide atual para baixo + + + + Auto-scroll the next slide into view + Auto rolar o próximo slide para exibição + + + + Auto-scroll the next slide to top + Auto rolar o próximo slide para o topo + + + + Auto-scroll the next slide to middle + Auto rolar o próximo slide para o meio + + + + Auto-scroll the next slide to bottom + Auto rolar o próximo slide para baixo + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automático + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Clique para selecionar uma cor. @@ -2956,252 +2894,252 @@ Esta localização será usada depois que o OpenLP for fechado. OpenLP.DB - + RGB RGB - + Video Vídeo - + Digital Digital - + Storage Armazenamento - + Network Rede - + 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 Vídeo 1 - + Video 2 Vídeo 2 - + Video 3 Vídeo 3 - + Video 4 Vídeo 4 - + Video 5 Vídeo 5 - + Video 6 Vídeo 6 - + Video 7 Vídeo 7 - + Video 8 Vídeo 8 - + Video 9 Vídeo 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 Armazenamento 1 - + Storage 2 Armazenamento 2 - + Storage 3 Armazenamento 3 - + Storage 4 Armazenamento 4 - + Storage 5 Armazenamento 5 - + Storage 6 Armazenamento 6 - + Storage 7 Armazenamento 7 - + Storage 8 Armazenamento 8 - + Storage 9 Armazenamento 9 - + Network 1 Rede 1 - + Network 2 Rede 2 - + Network 3 Rede 3 - + Network 4 Rede 4 - + Network 5 Rede 5 - + Network 6 Rede 6 - + Network 7 Rede 7 - + Network 8 Rede 8 - + Network 9 Rede 9 @@ -3209,62 +3147,74 @@ Esta localização será usada depois que o OpenLP for fechado. OpenLP.ExceptionDialog - + Error Occurred Ocorreu um Erro - + Send E-Mail Enviar E-Mail - + Save to File Salvar em Arquivo - + Attach File Anexar Arquivo - - - Description characters to enter : %s - Caracteres que podem ser digitadas na descrição: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Por favor, descreva o que você estava fazendo para causar este erro. Se possível, escreva em inglês. -(Pelo menos 20 caracteres) - - 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. Also attach any files that triggered the problem. - Ops! O OpenLP encontrou um problema e não pôde recuperar-se. O texto na caixa abaixo contém informações que podem ser úteis para os desenvolvedores do OpenLP, então, por favor, envie um e-mail para bugs@openlp.org, junto com uma descrição detalhada daquilo que você estava fazendo quando o problema ocorreu. também anexe os arquivos que provocaram o problema. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Plataforma: %s - - - - + Save Crash Report Salvar Relatório de Travamento - + Text files (*.txt *.log *.text) Arquivos de texto (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3305,272 +3255,259 @@ Esta localização será usada depois que o OpenLP for fechado. 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. - Nenhuma conexão com a internet encontrada. O Assistente de Primeira Execução necessita de uma conexão para baixar letras de músicas, bíblias e temas. - -Para iniciar o Assistente de Primeira Execução novamente e baixar letras de músicas, bíblias e temas, verifique a sua conexão com a internet e siga estes passos para executar este assistente novamente: "Ferramentas/Iniciar o Assistente de Primeira Execução novamente" no OpenLP. - -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. Houve um problema de conexão durante a transferência, as próximas transferências serão ignoradas. Tente executar o Assistente de Primeira Execução novamente mais tarde. - - Download complete. Click the %s button to return to OpenLP. - Transferência finalizada. Clique no botão %s para retornar ao OpenLP. - - - - Download complete. Click the %s button to start OpenLP. - Transferência finalizada. Clique no botão %s para iniciar o OpenLP. - - - - Click the %s button to return to OpenLP. - Cloque no botão %s para retornar ao OpenLP. - - - - Click the %s button to start OpenLP. - Clique o botão %s para iniciar o OpenLP. - - - + There was a connection problem while downloading, so further downloads will be skipped. Try to re-run the First Time Wizard later. Houve um problema de conexão durante a transferência, as próximas transferências serão ignoradas. Tente executar o Assistente de Primeira Execução novamente mais tarde. - - This wizard will help you to configure OpenLP for initial use. Click the %s button below to start. - Este assistente irá ajudá-lo na configuração do OpenLP para o uso inicial. Clique abaixo no botão %s para começar. - - - - - -To cancel the First Time Wizard completely (and not start OpenLP), click the %s button now. - - -Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), clique no botão %s. - - - - - + Downloading Resource Index Baixando Listagem de Recursos - + Please wait while the resource index is downloaded. Por favor, aguarde enquanto a Listagem de Recursos é baixada. - + Please wait while OpenLP downloads the resource index file... Por favor aguarde enquanto OpenLP baixa a Listagem de Recursos... - + Downloading and Configuring Baixando e Configurando - + Please wait while resources are downloaded and OpenLP is configured. Por favor, aguarde enquanto os recursos são baixados e o OpenLP é configurado. - + Network Error Erro na rede - + There was a network error attempting to connect to retrieve initial configuration information Houve um erro de rede tentar se conectar para recuperar informações de configuração inicial - - Cancel - Cancelar - - - + Unable to download some files Não foi possível transferir alguns arquivos + + + Select parts of the program you wish to use + Selecione as partes do programa que deseja usar + + + + You can also change these settings after the Wizard. + Você também pode alterar essas configurações depois do Assistente. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Slides Personalizado - Mais fácil de gerir e têm a sua própria lista de slides + + + + Bibles – Import and show Bibles + Bíblias - Importar e mostrar Bíblias + + + + Images – Show images or replace background with them + Imagens - Mostrar imagens ou substituir o fundo com elas + + + + Presentations – Show .ppt, .odp and .pdf files + Apresentações - Exibir arquivos .ppt, .odp e .pdf + + + + Media – Playback of Audio and Video files + Mídia - Reprodução de áudio e arquivos de vídeo + + + + Remote – Control OpenLP via browser or smartphone app + Remoto - OpenLP controle via navegador ou smartfone por app + + + + Song Usage Monitor + Monitor de Uso de Música + + + + Alerts – Display informative messages while showing other slides + Alertas - Exibe mensagens informativas ao mostrar outros slides + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projetores - Controle projetores compatíveis com PJLink em sua rede a partir OpenLP + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + Download completo. Clique no botão {button} para voltar ao OpenLP. + + + + Download complete. Click the {button} button to start OpenLP. + Download completo. Clique no botão {button} para iniciar o OpenLP. + + + + Click the {button} button to return to OpenLP. + Clique no botão {button} para voltar ao OpenLP. + + + + Click the {button} button to start OpenLP. + Clique no botão {button} para iniciar o OpenLP. + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3587,7 +3524,7 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli Tag - Tag + Etiqueta @@ -3613,44 +3550,49 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli OpenLP.FormattingTagForm - + <HTML here> <HTML aqui> - + Validation Error Erro de Validação - + Description is missing Descrição incompleta - + Tag is missing - Tag não existente + Etiqueta não existente - Tag %s already defined. - Tag %s já está definida. + Tag {tag} already defined. + Tag {tag} já definida. - Description %s already defined. - Descrição %s já definida. + Description {tag} already defined. + Descrição {tag} já definida. - - Start tag %s is not valid HTML - Tag inicial %s não é um HTML válido + + Start tag {tag} is not valid HTML + Tag inicial {tag} não é um formato HTML válido - - End tag %(end)s does not match end tag for start tag %(start)s - A tag final %(end)s não corresponde com a tag final da tag %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + Nova Tag {row:d} @@ -3739,170 +3681,200 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli OpenLP.GeneralTab - + General Geral - + Monitors Monitores - + Select monitor for output display: Selecione o monitor para exibição: - + Display if a single screen Exibir no caso de uma única tela - + Application Startup Inicialização do Aplicativo - + Show blank screen warning Exibir alerta de tela em branco - - Automatically open the last service - Abrir automaticamente o último culto - - - + Show the splash screen Exibir a tela de abertura - + Application Settings Configurações do Aplicativo - + Prompt to save before starting a new service Perguntar se salva antes de iniciar um novo culto - - Automatically preview next item in service - Pré-visualizar automaticamente o item seguinte do culto - - - + sec seg - + CCLI Details Detalhes de CCLI - + SongSelect username: Usuário SongSelect: - + SongSelect password: Senha SongSelect: - + X X - + Y Y - + Height Altura - + Width Largura - + Check for updates to OpenLP Procurar por atualizações do OpenLP - - Unblank display when adding new live item - Ativar projeção ao adicionar um item novo - - - + Timed slide interval: Intervalo temporizado de slide: - + Background Audio Som de Fundo - + Start background audio paused Iniciar áudio de fundo em pausa - + Service Item Slide Limits Limites de Slide de Itens de Culto - + Override display position: Alterar posição de exibição: - + Repeat track list Repetir lista de faixas - + Behavior of next/previous on the last/first slide: Comportamento do Próximo/Anterior no primeiro e últimos slides: - + &Remain on Slide &Permanecer no Slide - + &Wrap around - Quebrar linhas + &Quebrar linhas - + &Move to next/previous service item &Mover para o próximo/anterior item do culto + + + Logo + Logotipo + + + + Logo file: + Arquivo de logotipo: + + + + Browse for an image file to display. + Procurar um arquivo de imagem para exibir. + + + + Revert to the default OpenLP logo. + Reverter ao logotipo padrão OpenLP. + + + + Don't show logo on startup + Não mostrar o logotipo na inicialização + + + + Automatically open the previous service file + Abrir automaticamente o arquivo de serviço(culto) anterior + + + + Unblank display when changing slide in Live + Atualizar projeção quando alterar um slide Ativo + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Idioma - + Please restart OpenLP to use your new language setting. Por favor reinicie o OpenLP para usar a nova configuração de idioma. @@ -3910,7 +3882,7 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli OpenLP.MainDisplay - + OpenLP Display Saída do OpenLP @@ -3918,352 +3890,188 @@ Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), cli OpenLP.MainWindow - + &File &Arquivo - + &Import - &Importar + I&mportar - + &Export &Exportar - + &View &Exibir - - M&ode - M&odo - - - + &Tools &Ferramentas - + &Settings &Configurações - + &Language &Idioma - + &Help Aj&uda - - Service Manager - Gerenciador de Culto - - - - Theme Manager - Gerenciador de Temas - - - + Open an existing service. Abrir um culto existente. - + Save the current service to disk. Salvar o culto atual no disco. - + Save Service As Salvar Culto Como - + Save the current service under a new name. Salvar o culto atual com um novo nome. - + E&xit S&air - - Quit OpenLP - Fechar o OpenLP - - - + &Theme &Tema - + &Configure OpenLP... &Configurar o OpenLP... - - &Media Manager - &Gerenciador de Mídia - - - - Toggle Media Manager - Alternar Gerenciador de Mídia - - - - Toggle the visibility of the media manager. - Alternar a visibilidade do gerenciador de mídia. - - - - &Theme Manager - Gerenciador de &Temas - - - - Toggle Theme Manager - Alternar para Gerenciamento de Temas - - - - Toggle the visibility of the theme manager. - Alternar a visibilidade do gerenciador de tema. - - - - &Service Manager - Gerenciador de &Culto - - - - Toggle Service Manager - Alternar o Gerenciador de Culto - - - - Toggle the visibility of the service manager. - Alternar visibilidade do gerenciador de culto. - - - - &Preview Panel - &Painel de Pré-Visualização - - - - Toggle Preview Panel - Alternar o Painel de Pré-Visualização - - - - Toggle the visibility of the preview panel. - Alternar a visibilidade do painel de pré-visualização. - - - - &Live Panel - &Painel de Projeção - - - - Toggle Live Panel - Alternar Painel da Projeção - - - - Toggle the visibility of the live panel. - Alternar a visibilidade do painel de projeção. - - - - List the Plugins - Listar os Plugins - - - - &User Guide - &Guia do Usuário - - - + &About &Sobre - - More information about OpenLP - Mais informações sobre o OpenLP - - - - &Online Help - &Ajuda Online - - - + &Web Site &Web Site - + Use the system language, if available. Usar o idioma do sistema, caso disponível. - - Set the interface language to %s - Definir o idioma da interface como %s - - - + Add &Tool... Adicionar &Ferramenta... - + Add an application to the list of tools. Adicionar um aplicativo à lista de ferramentas. - - &Default - &Padrão - - - - Set the view mode back to the default. - Reverter o modo de visualização ao padrão. - - - + &Setup &Configuração - - Set the view mode to Setup. - Configurar o modo de visualização para Configuração. - - - + &Live &Ao Vivo - - Set the view mode to Live. - Configurar o modo de visualização como Ao Vivo. - - - - 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/. - A versão %s do OpenLP está disponível para download (você está atualmente usando a versão %s). - -Voce pode baixar a última versão em http://openlp.org/. - - - + OpenLP Version Updated Versão do OpenLP Atualizada - + OpenLP Main Display Blanked Tela Principal do OpenLP desativada - + The Main Display has been blanked out A Tela Principal foi desativada - - Default Theme: %s - Tema padrão: %s - - - + English Please add the name of your language here - Portuguese (Brazil) + Português do Brasil - + Configure &Shortcuts... Configurar &Atalhos... - + Open &Data Folder... Abrir Pasta de &Dados... - + Open the folder where songs, bibles and other data resides. Abrir a pasta na qual músicas, bíblias e outros arquivos são armazenados. - + &Autodetect &Auto detectar - + Update Theme Images Atualizar Imagens de Tema - + Update the preview images for all themes. Atualizar as imagens de pré-visualização de todos os temas. - + Print the current service. Imprimir o culto atual. - - L&ock Panels - Tr&avar Painéis - - - - Prevent the panels being moved. - Previne que os painéis sejam movidos. - - - + Re-run First Time Wizard Iniciar o Assistente de Primeira Execução novamente - + Re-run the First Time Wizard, importing songs, Bibles and themes. Iniciar o Assistente de Primeira Execução novamente importando músicas, Bíblia e temas. - + Re-run First Time Wizard? Deseja iniciar o Assistente de Primeira Execução novamente? - + 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. @@ -4272,107 +4080,68 @@ 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. - + Configure &Formatting Tags... Configurar Etiquetas de &Formatação... - - Export OpenLP settings to a specified *.config file - Exportar as configurações do OpenLP para um arquivo *.config - - - + Settings Configurações - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importar as configurações do OpenLP de um arquivo *.config que foi previamente exportado neste ou em outro computador - - - + Import settings? Importar configurações? - - Open File - Abrir Arquivo - - - - OpenLP Export Settings Files (*.conf) - Arquivo de Configurações do OpenLP (*.conf) - - - + Import settings Importar configurações - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. O OpenLP irá finalizar. As configurações importadas serão aplicadas na próxima execução do OpenLP. - + Export Settings File - Exportar arquivo de configurações + Exportar Arquivo de Configurações - - OpenLP Export Settings File (*.conf) - 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 - Falhou a cópia do diretório de dados do OpenLP - -%s - - - + General Geral - + Library Biblioteca - + Jump to the search box of the current active plugin. Ir para a caixa de pesquisa do plugin atualmente ativo. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4385,7 +4154,7 @@ Executar o assistente novamente poderá fazer mudanças na sua configuração at Importando configurações incorretas poderá causar um comportamento inesperado ou o OpenLP pode encerrar de forma anormal. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4394,191 +4163,374 @@ Processing has terminated and no changes have been made. O Processo foi encerrado e nenhuma mudança foi feita. - - Projector Manager - Gerenciador de projetor - - - - Toggle Projector Manager - Alternar gerenciador de projetor - - - - Toggle the visibility of the Projector Manager - Alterar a visualização do gerenciador de projector - - - + Export setting error Erro na exportação da configuração - - The key "%s" does not have a default value so it will be skipped in this export. - A chave "%s" não possui um valor padrão, então ela será ignorada nesta exportação. - - - - An error occurred while exporting the settings: %s - Ocorreu um erro ao exportar as configurações: %s - - - + &Recent Services - &Culto Recente + Culto &Recente - + &New Service &Novo Culto - + &Open Service &Abrir um Culto Existente - + &Save Service &Salvar este Culto - + Save Service &As... Salvar Culto &Como... - + &Manage Plugins &Gerenciar Plugins - + Exit OpenLP - Sair + Sair do OpenLP - + Are you sure you want to exit OpenLP? Tem certeza de que deseja sair do OpenLP? - + &Exit OpenLP - &Sair + Sa&ir do OpenLP + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Nova versão {new} do OpenLP já está disponível para baixar (você está executando a versão {current}). + + Você pode baixar a última versão em http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + A chave "{key}" não possui um valor padrão, ela será ignorada nesta exportação. + + + + An error occurred while exporting the settings: {err} + Ocorreu um erro ao exportar as configurações: {err} + + + + Default Theme: {theme} + Tema Padrão: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Copiando para a nova localização do diretório de dados OpenLP - {path} - Por favor, espere a cópia terminar + + + + OpenLP Data directory copy failed + +{err} + A cópia do diretório de dados do OpenLP falhou + +{err} + + + + &Layout Presets + + + + + Service + Culto + + + + Themes + Temas + + + + Projectors + Projetores + + + + Close OpenLP - Shut down the program. + Fechar OpenLP - Encerra o programa. + + + + Export settings to a *.config file. + Exportar as configurações para um arquivo *.config. + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + &Projetores + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + B&iblioteca + + + + Hide or show the Library. + Ocultar ou exibir a Biblioteca. + + + + Toggle the visibility of the Library. + Alternar a visibilidade da Biblioteca. + + + + &Themes + &Temas + + + + Hide or show themes + Ocultar ou exibir os Temas. + + + + Toggle visibility of the Themes. + Alternar a visibilidade dos Temas. + + + + &Service + &Culto + + + + Hide or show Service. + Ocultar ou exibir o Culto. + + + + Toggle visibility of the Service. + Alternar a visibilidade do Culto. + + + + &Preview + &Pré-visualização + + + + Hide or show Preview. + Ocultar ou exibir a Pré-visualização. + + + + Toggle visibility of the Preview. + Alternar a visibilidade da Pré-visualização. + + + + Li&ve + Ao &Vivo + + + + Hide or show Live + Ocultar ou exibir Ao Vivo. + + + + L&ock visibility of the panels + &Travar visibilidade dos painéis + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + Alternar a visibilidade do Ao Vivo. + + + + You can enable and disable plugins from here. + Você pode ativar e desativar plugins a partir daqui. + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + 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 - O banco de dados que está sendo carregado foi criado numa versão mais recente do OpenLP. O banco de dados está na versão %d, enquanto o OpenLP espera a versão %d. O banco de dados não será carregado. - -Banco de dados: %s - - - + OpenLP cannot load your database. -Database: %s - O OpenLP não conseguiu carregar o seu banco de dados. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Banco de Dados: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Nenhum Item Selecionado - + &Add to selected Service Item &Adicionar ao Item de Ordem de Culto selecionado - + You must select one or more items to preview. Você deve selecionar um ou mais itens para pré-visualizar. - + You must select one or more items to send live. Você deve selecionar um ou mais itens para projetar. - + You must select one or more items. Você deve selecionar um ou mais itens. - + You must select an existing service item to add to. Você deve selecionar um item de culto existente ao qual adicionar. - + Invalid Service Item Item de Culto inválido - - You must select a %s service item. - Você deve selecionar um item de culto %s. - - - + You must select one or more items to add. Você deve selecionar um ou mais itens para adicionar. - - No Search Results - Nenhum Resultado de Busca - - - + Invalid File Type Tipo de Arquivo Inválido - - Invalid File %s. -Suffix not supported - Arquivo Inválido %s. -Sufixo não suportado - - - + &Clone &Duplicar - + Duplicate files were found on import and were ignored. Arquivos duplicados foram encontrados na importação e foram ignorados. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. tag <lyrics> ausente. - + <verse> tag is missing. tag <verse> ausente. @@ -4586,55 +4538,55 @@ Sufixo não suportado OpenLP.PJLink1 - + Unknown status Status desconhecido - + No message Nenhuma mensagem - + Error while sending data to projector Erro ao enviar dados para projetor - + Undefined command: - Comando não definido: + Comando indefinido: OpenLP.PlayerTab - + Players - Usuários + Reprodutor de Mídia - + Available Media Players Reprodutores de Mídia Disponíveis - + Player Search Order Ordem de Pesquisa de Reprodutor - + Visible background for videos with aspect ratio different to screen. Plano de fundo que será visto em vídeos com proporções diferentes da tela. - + %s (unavailable) %s (indisponível) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" NOTA: Para usar o VLC é necessário instalar a versão %s @@ -4643,55 +4595,50 @@ Sufixo não suportado OpenLP.PluginForm - + Plugin Details Detalhes do Plugin - + Status: Status: - + Active Ativo - - Inactive - Inativo - - - - %s (Inactive) - %s (Inativo) - - - - %s (Active) - %s (Ativo) + + Manage Plugins + Gerenciar Plugins - %s (Disabled) - %s (Desabilitado) + {name} (Disabled) + {name} (Desabilitado) - - Manage Plugins - Gerenciar Plugins + + {name} (Active) + {name} (Ativo) + + + + {name} (Inactive) + {name} (Inativo) OpenLP.PrintServiceDialog - + Fit Page Ajustar à Página - + Fit Width Ajustar à Largura @@ -4699,77 +4646,77 @@ Sufixo não suportado OpenLP.PrintServiceForm - + Options Opções - + Copy Copiar - + Copy as HTML Copiar como HTML - + Zoom In Aumentar o Zoom - + Zoom Out Diminuir o Zoom - + Zoom Original Zoom Original - + Other Options Outras Opções - + Include slide text if available Incluir texto do slide se disponível - + Include service item notes Incluir notas do item de culto - + Include play length of media items Incluir duração dos itens de mídia - + Add page break before each text item Adicionar uma quebra de página antes de cada item de texto - + Service Sheet Folha de Culto - + Print Imprimir - + Title: Título: - + Custom Footer Text: Texto de Rodapé Customizado: @@ -4777,257 +4724,257 @@ Sufixo não suportado OpenLP.ProjectorConstants - + OK OK - + General projector error Erro no projetor - + Not connected error Erro não conectado - + Lamp error Erro na lâmpada - + Fan error Erro no fan/cooler - + High temperature detected Alta temperatura detectada - + Cover open detected Tampa aberta - + Check filter - Verifique o filtro e a entrada de ar + Verifique o filtro - + Authentication Error Erro de Autenticação - + Undefined Command Comando indefinido - + Invalid Parameter Parâmetro inválido - + Projector Busy - Projetor ocupado + Projetor Ocupado - + Projector/Display Error - Projector / exibição de erro + Projetor/Exibição Erro - + Invalid packet received Pacote recebido inválido - + Warning condition detected - + Alerta detectado - + Error condition detected - + Condição de erro detectada - + PJLink class not supported Classe PJLink não suportada - + Invalid prefix character Caractere de prefixo inválido - + The connection was refused by the peer (or timed out) A conexão foi recusada (ou excedeu o tempo limite) - + The remote host closed the connection O host remoto encerrou a conexão - + The host address was not found O endereço do host não foi encontrado - + The socket operation failed because the application lacked the required privileges A operação de socket falhou porque a aplicação não tinha os privilégios necessários - + The local system ran out of resources (e.g., too many sockets) O sistema local ficou sem recursos (por exemplo, muitas conexões de sockets) - + The socket operation timed out Tempo esgotado para operação de socket - + The datagram was larger than the operating system's limit O datagrama era maior que o limite permitido pelo sistema operacional - + An error occurred with the network (Possibly someone pulled the plug?) Ocorreu um erro de rede (Será possível que alguém puxou a tomada?) - + The address specified with socket.bind() is already in use and was set to be exclusive O endereço especificado pelo socket.bind() já está em uso e é exclusivo - + The address specified to socket.bind() does not belong to the host O endereço especificado ao socket.bind() não pertence ao host - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) A operação de socket requisitada não é suportada pelo sistema operacional local (por exemplo, a falta de suporte ao IPv6) - + The socket is using a proxy, and the proxy requires authentication O socket está usando um servidor proxy, e este servidor requer uma autenticação - - - 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 SSL/TLS handshake failed + O SSL/TLS handshake falhou + + + + The last operation attempted has not finished yet (still in progress in the background) + A última operação ainda não terminou (em andamento) + + + + Could not contact the proxy server because the connection to that server was denied + Não foi possível contactar ao servidor proxy. A conexão foi negada + + + 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 - + A conexão com o servidor proxy foi fechado inesperadamente (antes da ligação ser estabelecida) + The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. + A conexão com o servidor proxy expirou ou o servidor proxy parou de responder na fase de autenticação. + + + + The proxy address set with setProxy() was not found + O endereço de proxy configurado com setProxy() não foi encontrado + + + An unidentified error occurred Ocorreu um erro não identificado - + Not connected Não conectado - + Connecting Conectando - + Connected Conectado - + Getting status - Coletando status + Obtendo estado - + Off Desligado - + Initialize in progress Inicializar em andamento - + Power in standby - Em Standby + Em Espera - + Warmup in progress Aquecimento em Andamento - + Power is on Ligado - + Cooldown in progress Recarga em andamento - + Projector Information available Informação do Projetor disponível - + Sending data Enviando dados - + Received data Dados recebidos - + The connection negotiation with the proxy server failed because the response from the proxy server could not be understood A conexão com o servidor proxy falhou porque a resposta do servidor proxy não pode ser entendida @@ -5035,17 +4982,17 @@ Sufixo não suportado OpenLP.ProjectorEdit - + Name Not Set Nome não definido - + You must enter a name for this entry.<br />Please enter a new name for this entry. Você deve digitar um nome.<br />Por favor, digite um novo nome. - + Duplicate Name Nome duplicado @@ -5053,360 +5000,415 @@ Sufixo não suportado OpenLP.ProjectorEditForm - + Add New Projector Adicionar Novo Projetor - + Edit Projector Editar Projetor - + IP Address Endereço IP - + Port Number Número da porta - + PIN PIN - + Name Nome - + Location Localização - + Notes Notas - + Database Error Erro no Banco de Dados - + There was an error saving projector information. See the log for the error - Ocorreu um erro ao salvar as informações do projetor.Veja o log do erro + Ocorreu um erro ao salvar as informações do projetor. Veja o registro de erro OpenLP.ProjectorManager - + Add Projector Adicionar Projetor - - Add a new projector - Adicionar um novo projetor - - - + Edit Projector Editar Projetor - - Edit selected projector - Editar projetor selecionado - - - + Delete Projector Excluir Projetor - - Delete selected projector - Excluir projetor selecionado - - - + Select Input Source Selecione a Fonte de Entrada - - Choose input source on selected projector - Escolha a entrada do projetor selecionado - - - + View Projector Visualizar Projetor - - View selected projector information - Ver informação do projetor selecionado - - - - Connect to selected projector - Conecte-se ao projetor selecionado - - - + Connect to selected projectors Conectar-se a projetores selecionados - + Disconnect from selected projectors Desconectar dos projetores selecionados - + Disconnect from selected projector - Desconectar do projetor seleccionado + Desconectar do projetor selecionado - + Power on selected projector - Ligar projetor seleccionado + Ligar projetor selecionado - + Standby selected projector - Standby projetor selecionado + Projetor selecionado em espera - - Put selected projector in standby - Colocar em modo de espera o Projetor selecionado - - - + Blank selected projector screen Apaga tela do projetor selecionado - + Show selected projector screen Mostrar tela do projetor selecionado - + &View Projector Information - Ver informações do projetor + &Ver informações do projetor - + &Edit Projector &Editar Projetor - + &Connect Projector &Conectar Projector - + D&isconnect Projector - Desconectar Projetor + Desc&onectar Projetor - + Power &On Projector &Ligar Projetor - + Power O&ff Projector &Desligar Projetor - + Select &Input - + Selecione &Entrada - + Edit Input Source - + Editar Fonte de Entrada - + &Blank Projector Screen &Tela de projeção em branco - + &Show Projector Screen &Mostra tela projetor - + &Delete Projector - &Excluir Projetor + E&xcluir Projetor - + Name Nome - + IP IP - + Port Porta - + Notes Notas - + Projector information not available at this time. Informação do projetor não disponível no momento. - + Projector Name Nome do Projetor - + Manufacturer - Produtor + Fabricante - + Model Modelo - + Other info Outra informação - + Power status - Status + Estado da energia - + Shutter is - + Obturador - + Closed Fechado - + Current source input is - + A entrada atual - + Lamp Lâmpada - - On - Ligado - - - - Off - Desligado - - - + Hours Horas - + No current errors or warnings Sem erros ou avisos - + Current errors/warnings Erros/Avisos - + Projector Information - Informações do projetor + Informações do Projetor - + No message Nenhuma mensagem - + Not Implemented Yet Ainda não implementado - - Delete projector (%s) %s? - Deletar projetor (%s) %s? - - - + Are you sure you want to delete this projector? Tem certeza de que deseja excluir este projetor? + + + Add a new projector. + Adicionar um novo projetor. + + + + Edit selected projector. + Editar o projetor selecionado. + + + + Delete selected projector. + Excluir o projetor selecionado. + + + + Choose input source on selected projector. + Escolher a fonte de entrada do projetor selecionado. + + + + View selected projector information. + Visualizar informações do projetor selecionado. + + + + Connect to selected projector. + Conectar-se ao projetor selecionado. + + + + Connect to selected projectors. + Conectar-se aos projetores selecionados. + + + + Disconnect from selected projector. + Desconectar do projetor selecionado. + + + + Disconnect from selected projectors. + Desconectar dos projetores selecionados. + + + + Power on selected projector. + Ligar o projetor selecionado. + + + + Power on selected projectors. + Ligar os projetores selecionados. + + + + Put selected projector in standby. + Colocar o projetor selecionado no modo de espera. + + + + Put selected projectors in standby. + Colocar os projetores selecionados no modo de espera. + + + + Blank selected projectors screen + Tela em branco nos projetores selecionados + + + + Blank selected projectors screen. + Tela em branco no projetor selecionado. + + + + Show selected projector screen. + Mostrar tela do projetor selecionado. + + + + Show selected projectors screen. + Mostrar tela dos projetores selecionados. + + + + is on + Ligado + + + + is off + Desligado + + + + Authentication Error + Erro de Autenticação + + + + No Authentication Error + Sem Erro de autenticação + OpenLP.ProjectorPJLink - + Fan - + Ventoinha - + Lamp Lâmpada - + Temperature Temperatura - + Cover - + Proteção - + Filter Filtro - + Other - Outra + Outro @@ -5434,33 +5436,33 @@ Sufixo não suportado Poll time (seconds) - + Tempo limite excedido (segundos) Tabbed dialog box - + Caixa de diálogo com guias Single dialog box - + Caixa de diálogo simples OpenLP.ProjectorWizard - + Duplicate IP Address Endereço IP duplicado - + Invalid IP Address Endereço IP inválido - + Invalid Port Number Número da Porta Inválida @@ -5473,27 +5475,27 @@ Sufixo não suportado Tela - + primary primário OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Início</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Duração</strong>: %s - - [slide %d] - [slide %d] + [slide {frame:d}] + [slide {frame:d}] + + + + <strong>Start</strong>: {start} + <strong>Início</strong>: {start} + + + + <strong>Length</strong>: {length} + <strong>Duração</strong>: {length} @@ -5557,52 +5559,52 @@ Sufixo não suportado Excluir o item selecionado do culto. - + &Add New Item &Adicionar um Novo Item - + &Add to Selected Item &Adicionar ao Item Selecionado - + &Edit Item &Editar Item - + &Reorder Item &Reordenar Item - + &Notes &Anotações - + &Change Item Theme &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 @@ -5627,7 +5629,7 @@ Sufixo não suportado Recolher todos os itens do culto. - + Open File Abrir Arquivo @@ -5657,22 +5659,22 @@ Sufixo não suportado Enviar o item selecionado para a Projeção. - + &Start Time &Horário Inicial - + Show &Preview - Exibir &Pré-visualização + Exibir Pré-&visualização - + Modified Service Culto Modificado - + The current service has been modified. Would you like to save this service? O culto atual foi modificada. Você gostaria de salvar este culto? @@ -5692,27 +5694,27 @@ Sufixo não suportado Duração: - + Untitled Service 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 @@ -5732,143 +5734,145 @@ 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. - + Service File(s) Missing Arquivo(s) Faltando no Culto - + &Rename... - + &Renomear... - + Create New &Custom Slide - + &Criar um novo slide personalizado. - + &Auto play slides - + &Avanço automático dos slides - + Auto play slides &Loop - + Exibir Slides com Repetição - + Auto play slides &Once - + Repetir &os slides uma única vez - + &Delay between slides - + &Espera entre slides em segundos. - + OpenLP Service Files (*.osz *.oszl) - + Arquivos de Serviço OpenLP (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) - + Arquivos de Serviço OpenLP (*.osz);; Arquivos de Serviço OpenLP - lite (*.oszl) - + OpenLP Service Files (*.osz);; - + Arquivos de Serviço OpenLP (*.osz);; - + File is not a valid service. The content encoding is not UTF-8. - + Não é um arquivo de serviço válido. +A codificação do conteúdo não é 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. - + O arquivo de serviço que você está tentando abrir está em um formato antigo. + Por favor, salve-o usando OpenLP 2.0.2 ou superior. - + This file is either corrupt or it is not an OpenLP 2 service file. - + Este arquivo está corrompido ou não é um arquivo de serviço OpenLP 2. - + &Auto Start - inactive - + Início &Automático - desativado - + &Auto Start - active - + Início &Automático - ativado - + Input delay - + Atraso de entrada - + Delay between slides in seconds. Espera entre slides em segundos. - + Rename item title - + Renomear título do item - + Title: Título: - - An error occurred while writing the service file: %s - - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - + + + + + An error occurred while writing the service file: {error} + @@ -5900,15 +5904,10 @@ These files will be removed if you continue to save. Atalho - + Duplicate Shortcut Atalho Repetido - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - O atalho "%s" já está designado para outra ação, escolha um atalho diferente. - Alternate @@ -5954,238 +5953,253 @@ These files will be removed if you continue to save. Configure Shortcuts Configurar Atalhos + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Ocultar - + Go To Ir Para - - - Blank Screen - Apagar Tela - - Blank to Theme - Apagar e deixar o Tema - - - Show Desktop Mostrar a Área de Trabalho - + Previous Service Lista Anterior - + Next Service Próxima Lista - - Escape Item - Escapar Item - - - + Move to previous. Mover para o anterior. - + Move to next. Mover para o seguinte. - + Play Slides Exibir Slides - + Delay between slides in seconds. Espera entre slides em segundos. - + Move to live. Mover para projeção. - + Add to Service. Adicionar ao Culto. - + Edit and reload song preview. Editar e recarregar pré-visualização da música. - + Start playing media. Começar a reproduzir mídia. - + Pause audio. Pausar o áudio. - + Pause playing media. Pausar mídia sendo reproduzido. - + Stop playing media. Parar mídia sendo reproduzido. - + Video position. Posição do vídeo - + Audio Volume. Volume do Áudio. - + Go to "Verse" Ir para "Estrofe" - + Go to "Chorus" Ir para "Refrão" - + Go to "Bridge" Ir para "Ponte" - + Go to "Pre-Chorus" Ir para "Pré-Refrão" - + Go to "Intro" Ir para "Introdução" - + Go to "Ending" Ir para "Final" - + Go to "Other" Ir para "Outro" - + Previous Slide Slide Anterior - + Next Slide Slide Seguinte - + Pause Audio Interromper Som - + Background Audio Som de Fundo - + Go to next audio track. Ir para a próxima faixa de áudio - + Tracks Faixas + + + Loop playing media. + Reproduzir mídia em laço. + + + + Video timer. + Temporizador de Vídeo. + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source - Selecione Projector origem + Selecionar Fonte de Entrada do Projetor - + Edit Projector Source Text - Editar a origem do texto do Projetor -  + Editar a Fonte de Entrada de Texto do Projetor + + + + Ignoring current changes and return to OpenLP + Ignorar alterações atuais e retornar ao OpenLP - Ignoring current changes and return to OpenLP - + Delete all user-defined text and revert to PJLink default text + Deletar todo texto definido pelo usuário e reverter ao texto PJLink padrão - Delete all user-defined text and revert to PJLink default text - + Discard changes and reset to previous user-defined text + Descartar alterações e voltar para o texto anterior definido pelo usuário - Discard changes and reset to previous user-defined text - - - - Save changes and return to OpenLP - + Salvar alterações e retornar ao OpenLP - + Delete entries for this projector - Excluir entradas do projector + Excluir entradas para este projetor - + Are you sure you want to delete ALL user-defined source input text for this projector? - Tem certeza de que quer apagar o assunto selecionado? + Tem certeza de que deseja excluir todas as fontes de entrada de texto definidas pelo usuário para este projetor? OpenLP.SpellTextEdit - + Spelling Suggestions Sugestões Ortográficas - + Formatting Tags - Tags de Formatação + Etiquetas de Formatação - + Language: Idioma: @@ -6218,7 +6232,7 @@ These files will be removed if you continue to save. Hours: - Horários: + Horas: @@ -6264,7 +6278,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (aproximadamente %d linhas por slide) @@ -6272,521 +6286,533 @@ These files will be removed if you continue to save. OpenLP.ThemeManager - + Create a new theme. Criar um novo tema. - + Edit Theme Editar Tema - + Edit a theme. Editar um tema. - + Delete Theme Excluir Tema - + Delete a theme. Excluir um tema. - + Import Theme Importar Tema - + Import a theme. Importar um tema. - + Export Theme Exportar Tema - + Export a theme. Exportar um tema. - + &Edit Theme &Editar Tema - + &Delete Theme &Apagar Tema - + Set As &Global Default Definir como Padrão &Global - - %s (default) - %s (padrão) - - - + You must select a theme to edit. Você precisa selecionar um tema para editar. - + You are unable to delete the default theme. Você não pode apagar o tema padrão. - + 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 - + 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. - + &Copy Theme &Copiar Tema - + &Rename Theme &Renomear Tema - + &Export Theme &Exportar Tema - + You must select a theme to rename. Você precisa selecionar um tema para renomear. - + Rename Confirmation Confirmar Renomeação - + Rename %s theme? Renomear o tema %s? - + You must select a theme to delete. Você precisa selecionar um tema para excluir. - + Delete Confirmation Confirmar Exclusão - + Delete %s theme? Apagar o tema %s? - + Validation Error Erro de Validação - + A theme with this name already exists. Já existe um tema com este nome. - - Copy of %s - Copy of <theme name> - 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) - + Temas do OpenLP (*.otz) - - %s time(s) by %s - - - - + Unable to delete theme - + Não é possível deletar o tema + + + + {text} (default) + {text} (padrão) + + + + Copy of {name} + Copy of <theme name> + Cópia de {name} + + + + Save Theme - ({name}) + Salvar Tema - ({name}) + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + {name} (padrão) + + + + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + {count} vez(es) por {plugin} + + + Theme is currently used -%s - +{text} + Tema atualmente usado + +{text} OpenLP.ThemeWizard - + Theme Wizard Assistente de Tema - + Welcome to the Theme Wizard Bem-vindo ao Assistente de Tema - + Set Up Background Configurar Plano de Fundo - + Set up your theme's background according to the parameters below. Configure o plano de fundo de seu tema de acordo com os parâmetros abaixo. - + Background type: Tipo de plano de fundo: - + Gradient Degradê - + Gradient: Degradê: - + Horizontal Horizontal - + Vertical Vertical - + Circular Circular - + Top Left - Bottom Right Esquerda Superior - Direita Inferior - + Bottom Left - Top Right Esquerda Inferior - Direita Superior - + Main Area Font Details Detalhes da Fonte da Área Principal - + Define the font and display characteristics for the Display text Definir a fonte e características de exibição para o texto de Exibição - + Font: Fonte: - + Size: Tamanho: - + Line Spacing: Espaçamento entre linhas: - + &Outline: &Contorno: - + &Shadow: &Sombra: - + Bold Negrito - + Italic Itálico - + Footer Area Font Details Detalhes de Fonte da Área de Rodapé - + Define the font and display characteristics for the Footer text Defina a fone e as características de exibição do texto de Rodapé - + Text Formatting Details Detalhes da Formatação de Texto - + Allows additional display formatting information to be defined Permite que informações adicionais de formatações de exibição sejam definidas - + Horizontal Align: Alinhamento Horizontal: - + Left Esquerda - + Right Direita - + Center Centralizado - + Output Area Locations Posições das Áreas de Saída - + &Main Area &Área Principal - + &Use default location &Usar posição padrão - + X position: Posição X: - + px px - + Y position: Posição Y: - + Width: Largura: - + Height: Altura: - + Use default location Usar posição padrão - + Theme name: Nome do tema: - - Edit Theme - %s - Editar Tema - %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. Este assistente vai ajudá-lo a criar e editar seus temas. Clique no botão avançar abaixo para iniciar o processo, configurando seu plano de fundo. - + Transitions: Transições: - + &Footer Area Área do &Rodapé - + Starting color: Cor inicial: - + Ending color: Cor final: - + Background color: Cor do Plano de Fundo: - + Justify Justificar - + Layout Preview Previsualizar a Disposição - + Transparent Transparente - + Preview and Save Visualizar e Salvar - + Preview the theme and save it. - Visualizar o tema e salvar + Pré-visualizar o tema e salvar. - + Background Image Empty Imagem de Fundo Não-especificado - + Select Image Selecione Imagem - + Theme Name Missing Falta Nome do Tema - + There is no name for this theme. Please enter one. Não existe um nome para este tema. Favor digitar um. - + Theme Name Invalid Nome do Tema Inválido - + Invalid theme name. Please enter one. Nome do tema inválido. Favor especificar um. - + Solid color - + Cor solida - + color: - + Cor: - + Allows you to change and move the Main and Footer areas. - + Permite modificar e mover as áreas principal e de rodapé. - + You have not selected a background image. Please select one before continuing. Você não selecionou uma imagem de fundo. Por favor, selecione uma antes de continuar. + + + Edit Theme - {name} + Editar Tema - {name} + + + + Select Video + Selecione o Video + OpenLP.ThemesTab @@ -6838,12 +6864,12 @@ These files will be removed if you continue to save. Universal Settings - + Configurações Universais &Wrap footer text - + &Quebrar texto do rodapé @@ -6869,73 +6895,73 @@ These files will be removed if you continue to save. Alinhamento &Vertical: - + Finished import. Importação concluída. - + Format: Formato: - + Importing Importando - + Importing "%s"... Importando "%s"... - + Select Import Source Selecionar Origem da Importação - + Select the import format and the location to import from. Selecione o formato e a localização para a importação. - + Open %s File Abrir o Arquivo %s - + %p% %p% - + Ready. Pronto. - + Starting import... Iniciando importação... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong 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 - + Welcome to the Song Export Wizard Bem Vindo ao Assistente de Exportação de Músicas - + Welcome to the Song Import Wizard Bem-vindo ao Assistente de Importação de Música @@ -6953,7 +6979,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6985,39 +7011,34 @@ These files will be removed if you continue to save. Erro de sintaxe XML - - Welcome to the Bible Upgrade Wizard - Bem-vindo ao Assistente de Atualização de Bíblias - - - + Open %s Folder Abrir Diretório %s - + You need to specify one %s file to import from. A file type e.g. OpenSong Você precisa especificar um arquivo %s de onde importar. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Você precisa especificar um diretório %s de onde importar. - + Importing Songs Importando Músicas - + Welcome to the Duplicate Song Removal Wizard Bem-vindo ao Assistente de Remoção Música Duplicada - + Written by Compositor @@ -7027,543 +7048,598 @@ These files will be removed if you continue to save. Autor Desconhecido - + About Sobre - + &Add &Adicionar - + Add group Adicionar grupo - + Advanced Avançado - + All Files Todos os Arquivos - + Automatic Automático - + Background Color Cor do Plano de Fundo - + Bottom Rodapé - + Browse... Procurar... - + Cancel Cancelar - + CCLI number: Número CCLI: - + Create a new service. Criar uma novo culto. - + Confirm Delete Confirmar Exclusão - + Continuous Contínuo - + Default Padrão - + Default Color: Cor Padrão: - + 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. Culto %Y-%m-%d %H-%M - + &Delete - &Excluir + E&xcluir - + Display style: Estilo de Exibição: - + Duplicate Error Erro de duplicidade - + &Edit &Editar - + Empty Field Campo Vazio - + Error Erro - + Export Exportar - + File Arquivo - + File Not Found Arquivo Não Encontrado - - File %s not found. -Please try selecting it individually. - Arquivo %s não encontrado. -Por favor, tente selecionar individualmente. - - - + pt Abbreviated font pointsize unit pt - + Help Ajuda - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Diretório Inválido Selecionado - + Invalid File Selected Singular Arquivo Inválido Selecionado - + Invalid Files Selected Plural Arquivos Inválidos Selecionados - + Image Imagem - + Import Importar - + Layout style: Estilo do Layout: - + Live Ao Vivo - + Live Background Error Erro no Fundo da Projeção - + Live Toolbar Barra de Ferramentas de Projeção - + Load Carregar - + Manufacturer Singular - Produtor + Fabricante - + Manufacturers Plural - Produtores + Fabricantes - + Model Singular Modelo - + Models Plural Modelos - + m The abbreviated unit for minutes m - + Middle Meio - + New Novo - + New Service Novo Culto - + New Theme Novo Tema - + Next Track Faixa Seguinte - + No Folder Selected Singular Nenhum Diretório Selecionado - + No File Selected Singular Nenhum Arquivo Selecionado - + No Files Selected Plural Nenhum Arquivo Selecionado - + No Item Selected Singular Nenhum Item Selecionado - + No Items Selected Plural Nenhum Item Selecionado - + OpenLP is already running. Do you wish to continue? OpenLP já está sendo executado. Deseja continuar? - + Open service. Abrir culto. - + Play Slides in Loop Exibir Slides com Repetição - + Play Slides to End Exibir Slides até o Fim - + Preview Pré-Visualização - + Print Service Imprimir Culto - + Projector Singular Projetor - + Projectors Plural Projetores - + 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 - + CCLI song number: Número da Música na CCLI: - + Preview Toolbar Pré-visulalização - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + A troca do fundo da projeção não está disponível quando o Webkit está desabilitado. Songbook Singular - + Hinário Songbooks Plural - + Hinários + + + + Background color: + Cor do Plano de Fundo: + + + + Add group. + Adicionar grupo. + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Vídeo + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Nenhuma Bíblia Disponível + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + Capítulo do Livro + + + + Chapter + Capítulo + + + + Verse + Estrofe + + + + Psalm + Salmos + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Nenhum Resultado de Busca + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - + + {one} and {two} + - - %s, and %s - Locale list separator: end - - - - - %s, %s - Locale list separator: middle - - - - - %s, %s - Locale list separator: start - + + {first} and {last} + @@ -7571,7 +7647,7 @@ Por favor, tente selecionar individualmente. Source select dialog interface - + Origem da interface de diálogo @@ -7643,47 +7719,47 @@ Por favor, tente selecionar individualmente. Apresentar usando: - + File Exists O Arquivo já Existe - + A presentation with that filename already exists. Já existe uma apresentação com este nome. - + This type of presentation is not supported. Este tipo de apresentação não é suportado. - - Presentations (%s) - 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. + + Presentations ({text}) + Apresentações ({text}) - - The presentation %s no longer exists. - A apresentação %s já não existe mais. + + The presentation {name} no longer exists. + A apresentação {name} não existe mais. + + + + The presentation {name} is incomplete, please reload. + A apresentação {name} está incompleta, por favor recarregue-a. 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. + Ocorreu um erro na integração do Powerpoint e a apresentação será interrompida. Reinicie a apresentação se quiser apresentá-la. @@ -7693,11 +7769,6 @@ Por favor, tente selecionar individualmente. Available Controllers Controladores Disponíveis - - - %s (unavailable) - %s (indisponível) - Allow presentation application to be overridden @@ -7711,32 +7782,38 @@ Por favor, tente selecionar individualmente. Use given full path for mudraw or ghostscript binary: - + Use o caminho completo para mudraw ou binário ghostscript: - + Select mudraw or ghostscript binary. - + Selecionar mudraw ou binário ghostscript. - + The program is not ghostscript or mudraw which is required. - + O programa não é o ghostscript ou mudraw que é requerido. PowerPoint options - + Opções PowerPoint - Clicking on a selected slide in the slidecontroller advances to next effect. - + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + {name} (indisponível) @@ -7767,138 +7844,138 @@ Por favor, tente selecionar individualmente. Server Config Change - + Alterar Configuração do Servidor Server configuration changes will require a restart to take effect. - + Mudanças de configuração do servidor requer um reinício para ter efeito. 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 + Adicionar &amp; ao Culto - + No Results Nenhum Resultado - + Options Opções - + Service Culto - + Slides Slides - + Settings Configurações - + Remote Remoto - + Stage View - Visualização de Palvo + Visualização de Palco - + Live View Ao vivo @@ -7906,79 +7983,142 @@ Por favor, tente selecionar individualmente. RemotePlugin.RemoteTab - + Serve on IP address: Endereço IP do servidor: - + Port number: Número de porta: - + Server Settings Configurações do Servidor - + Remote URL: URL Remoto: - + Stage view URL: URL de Visualização de Palco: - + Display stage time in 12h format Exibir hora de palco no formato 12h - - - Android App - Aplicativo Android - - - - 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: - - + Android App + App Android + + + + Live view URL: + ULR Visualização ao vivo: + + + + HTTPS Server + Servidor 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. + Não foi possível encontrar um certificado SSL. O servidor HTTPS não estará disponível a menos que um certificado SSL seja encontrado. Por favor, consulte o manual para obter mais informações. + + + + User Authentication + Autenticação de Usuário + + + + User id: + id do Usuário: + + + Password: Senha: - + Show thumbnails of non-text slides in remote and stage view. - + Exibir miniaturas dos slides de imagens na visão remota e palco. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - + + iOS App + Aplicativo iOS + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Caminho de saída não foi selecionado + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Criação de Relatório + + + + Report +{name} +has been successfully created. + Relatório +{name} +foi criado com sucesso. + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8011,58 +8151,58 @@ Por favor, tente selecionar individualmente. Toggle Tracking - Alternar Registro + Liga/Desliga Registro Toggle the tracking of song usage. - Alternar o registro de uso das músicas. + Liga/Desliga 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 + Música Utilizada - + SongUsage name plural - UsoDaMúsica + Músicas Utilizadas - + SongUsage container title - UsoDaMúsica + Música Utilizada - + 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 @@ -8093,12 +8233,13 @@ Por favor, tente selecionar individualmente. Select the date up to which the song usage data should be deleted. All data recorded before this date will be permanently deleted. - + Selecione a data até à qual os dados de uso de música devem ser excluídos. +Todos os dados gravados antes desta data serão excluídos permanentemente. All requested data has been deleted successfully. - + Todos os dados solicitados foram apagados com sucesso. @@ -8129,24 +8270,10 @@ All data recorded before this date will be permanently deleted. 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. - Relatório -%s -foi criado com sucesso. - Output Path Not Selected @@ -8156,17 +8283,32 @@ foi criado com sucesso. You have not set a valid output location for your song usage report. Please select an existing path on your computer. - + Você não definiu um local de saída válido para o relatório de uso de música. +Por favor selecione um caminho existente no seu computador. - + Report Creation Failed - + Falha na Criação de Relatório - - An error occurred while creating the report: %s - + + usage_detail_{old}_{new}.txt + detalhe_uso_{old}_{new}.txt + + + + Report +{name} +has been successfully created. + Relatório +{name} +foi criado com sucesso. + + + + An error occurred while creating the report: {error} + Ocorreu um erro ao criar o relatório: {error} @@ -8182,102 +8324,102 @@ Please select an existing path on your computer. 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... - + Arabic (CP-1256) Arábico (CP-1256) - + Baltic (CP-1257) Báltico (CP-1257) - + Central European (CP-1250) Europeu Central (CP-1250) - + Cyrillic (CP-1251) Cirílico (CP-1251) - + Greek (CP-1253) Grego (CP-1253) - + Hebrew (CP-1255) Hebraico (CP-1255) - + Japanese (CP-932) Japonês (CP-932) - + Korean (CP-949) Coreano (CP-949) - + Simplified Chinese (CP-936) Chinês Simplificado (CP-936) - + Thai (CP-874) Tailandês (CP-874) - + Traditional Chinese (CP-950) Chinês Tradicional (CP-950) - + Turkish (CP-1254) Turco (CP-1254) - + Vietnam (CP-1258) Vietnamita (CP-1258) - + Western European (CP-1252) Europeu Ocidental (CP-1252) - + Character Encoding Codificação de Caracteres - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8286,26 +8428,26 @@ pela correta representação dos caracteres. Normalmente pode usar a opção pré-selecionada. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Escolha a codificação dos caracteres. 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 @@ -8316,60 +8458,75 @@ A codificação é responsável pela correta representação dos caracteres.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 - + CCLI SongSelect Import songs from CCLI's SongSelect service. - + Importar músicas do serviço SongSelect do CCLI. - + Find &Duplicate Songs - Buscar musicas duplicadas + &Buscar musicas duplicadas - + Find and remove duplicate songs in the song database. Busca e remover músicas duplicadas no banco de dados. + + + Songs + Músicas + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8449,67 +8606,73 @@ A codificação é responsável pela correta representação dos caracteres. Invalid DreamBeam song file. Missing DreamSong tag. - + Arquivo de música DreamBeam inválido. Nenhum verso encontrado. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administrado por %s - - - - "%s" could not be imported. %s - - - - + Unexpected data formatting. - + Formatação de dados inesperada. - + No song text found. - + Nenhum texto de música encontrado. - + [above are Song Tags with notes imported from EasyWorship] - - - - - This file does not exist. - + +[Acima são Etiquetas de canção com notas importadas do EasyWorship] + This file does not exist. + Este arquivo não existe. + + + Could not find the "Songs.MB" file. It must be in the same folder as the "Songs.DB" file. - + Não foi possível encontrar o arquivo "Songs.MB". Ele deve estar na mesma pasta que o arquivo "Songs.DB". - + This file is not a valid EasyWorship database. - + O arquivo não é um banco de dado EasyWorship válido. - + Could not retrieve encoding. - + Não foi possível recuperar a codificação. + + + + Administered by {admin} + Administrado por {admin} + + + + "{title}" could not be imported. {entry} + "{title}" não pode ser importado. {entry} + + + + "{title}" could not be imported. {error} + "{title}" não pode ser importado. {error} SongsPlugin.EditBibleForm - + Meta Data Metadados - + Custom Book Names Nomes de Livros Personalizados @@ -8529,7 +8692,7 @@ A codificação é responsável pela correta representação dos caracteres. Alt&ernate title: - Título &Alternativo: + Tít&ulo Alternativo: @@ -8539,12 +8702,12 @@ A codificação é responsável pela correta representação dos caracteres. &Verse order: - Ordem das &estrofes: + &Ordem das estrofes: Ed&it All - &Editar Todos + Ed&itar Todos @@ -8554,7 +8717,7 @@ A codificação é responsável pela correta representação dos caracteres. &Add to Song - &Adicionar à Música + &Adicionar Autor @@ -8564,7 +8727,7 @@ A codificação é responsável pela correta representação dos caracteres. A&dd to Song - A&dicionar uma Música + Adicionar &Tópico @@ -8592,57 +8755,57 @@ A codificação é responsável pela correta representação dos caracteres.Tema, Direitos Autorais && Comentários - + Add Author Adicionar Autor - + This author does not exist, do you want to add them? Este autor não existe, deseja adicioná-lo? - + This author is already in the list. Este autor já está na lista. - + 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. Você não selecionou um autor válido. Selecione um autor da lista, ou digite um novo autor e clique em "Adicionar Autor à Música" para adicioná-lo. - + Add Topic Adicionar Assunto - + This topic does not exist, do you want to add it? Este assunto não existe, deseja adicioná-lo? - + This topic is already in the list. Este assunto já está na lista. - + 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. Você não selecionou um assunto válido. Selecione um assunto da lista ou digite um novo assunto e clique em "Adicionar Assunto à Música" para adicioná-lo. - + You need to type in a song title. Você deve digitar um título para a música. - + You need to type in at least one verse. Você deve digitar ao menos um verso. - + You need to have an author for this song. Você precisa ter um autor para esta música. @@ -8667,7 +8830,7 @@ A codificação é responsável pela correta representação dos caracteres.Excluir &Todos - + Open File(s) Abrir Arquivo(s) @@ -8682,15 +8845,9 @@ A codificação é responsável pela correta representação dos caracteres.<strong>Alerta:</strong>Você não digitou uma ordem de versos. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - - - + Invalid Verse Order - + Ordem dos Versos Inválida @@ -8698,81 +8855,101 @@ Please enter the verses separated by spaces. &Editar Tipo de Autor - + Edit Author Type Editar Tipo de Autor - + Choose type for this author Escolha o tipo para este autor - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks - + &Gerenciar Autores, Tópicos, Hinários Add &to Song - + Adicionar &Hinário Re&move - + Re&mover Authors, Topics && Songbooks - + Autores, Tópicos && Hinários - + Add Songbook - + Adicionar Hinário - + This Songbook does not exist, do you want to add it? - + Este Hinário não existe, você deseja adicioná-lo? - + This Songbook is already in the list. - + Este Hinário já está na lista. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + Você não selecionou um hinário válido. Selecione um hinário na lista, ou digite um novo hinário e clique em "Adicionar Hinário" para adicioná-lo. + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse Editar Estrofe - + &Verse type: Tipo de &Estrofe: - + &Insert &Inserir - + Split a slide into two by inserting a verse splitter. Dividir um slide em dois, inserindo um divisor de estrófes. @@ -8785,85 +8962,85 @@ Please enter the verses separated by spaces. Assistente de Exportação de Músicas - + Select Songs Selecionar Músicas - + Check the songs you want to export. Marque as músicas que você deseja exportar. - + Uncheck All Desmarcar Todas - + Check All Marcar Todas - + Select Directory Selecionar Diretório - + Directory: Diretório: - + Exporting Exportando - + Please wait while your songs are exported. Por favor aguarde enquanto as suas músicas são exportadas. - + You need to add at least one Song to export. Você precisa adicionar pelo menos uma Música para exportar. - + No Save Location specified Nenhum Localização para Salvar foi especificado - + Starting export... Iniciando a exportação... - + You need to specify a directory. Você precisa especificar um diretório. - + Select Destination Folder Selecione a Pasta de Destino - + Select the directory where you want the songs to be saved. Selecionar o diretório onde deseja salvar as músicas. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. - + Este assistente ira ajudá-lo a exportar suas músicas para o formato aberto e livre do <strong>OpenLyrics </strong>. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Arquivo de música Foilpresenter inválido. Nenhum verso encontrado. @@ -8871,7 +9048,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Habilitar busca ao digitar @@ -8879,7 +9056,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selecione Arquivos de Documentos/Apresentações @@ -8889,237 +9066,252 @@ Please enter the verses separated by spaces. Assistente de Importação de Música - + 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. Este assistente irá ajudá-lo a importar músicas de uma variedade de formatos. Clique no abaixo no botão Próximo para iniciar o processo, escolhendo um desses formatos. - + Generic Document/Presentation Documento/Apresentação Genérica - + Add Files... Adicionar Arquivos... - + Remove File(s) Remover Arquivos(s) - + Please wait while your songs are imported. Por favor espere enquanto as suas músicas são importadas. - + Words Of Worship Song Files Arquivos de Música do Words Of Worship - + Songs Of Fellowship Song Files Arquivos do Songs Of Fellowship - + SongBeamer Files Arquivos do SongBeamer - + SongShow Plus Song Files Arquivos do SongShow Plus - + Foilpresenter Song Files Arquivos do Folipresenter - + Copy Copiar - + Save to File Salvar em Arquivo - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. A importação Songs of Fellowship foi desabilitada porque OpenLP não consegue acessar OpenOffice ou LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. A importação de documentos/apresentações genéricos foi desabilitada porque OpenLP não consegue acessar OpenOffice ou LibreOffice. - + OpenLyrics Files Arquivos OpenLyrics - + CCLI SongSelect Files Arquivos CCLI - + EasySlides XML File Arquivo XML EasySlides - + EasyWorship Song Database Músicas EasyWorship - + DreamBeam Song Files Arquivos de Música DreamBeam - + You need to specify a valid PowerSong 1.0 database folder. Você precisa especificar um diretório válido de banco de dados do 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>. Primeiro converta o seu banco de dados do ZionWorx, como explicado no <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Manual do Usuário</a> - + SundayPlus Song Files Arquivos de Música do SundayPlus - + This importer has been disabled. Esta importação foi desabilitada. - + MediaShout Database Banco de Dados do 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. - A importação do MediaShout somente é suportada no Windows. Ela foi desabilitada por causa de um módulo Python inexistente. Se você deseja utilizar esta importação, você precisa instalar o módulo "pyodbc". + A importação do MediaShout só é suportada no Windows. Ela foi desabilitada por causa de um módulo Python inexistente. Se você deseja utilizar esta importação, você precisa instalar o módulo "pyodbc". - + SongPro Text Files Arquivos Texto do SongPro - + SongPro (Export File) SongPro (Arquivo de Exportação) - + In SongPro, export your songs using the File -> Export menu No SongPro, exporte as suas músicas utilizando o menu Arquivo -> Exportar. - + EasyWorship Service File - + Arquivo de Culto do EasyWorship - + WorshipCenter Pro Song Files - + Arquivos de Música 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. - + A importação do MediaShout só é suportada no Windows. Ela foi desabilitada por causa de um módulo Python inexistente. Se você deseja utilizar esta importação, você precisa instalar o módulo "pyodbc". - + PowerPraise Song Files - + Arquivos de Música PowerPraise + + + + PresentationManager Song Files + Arquivos de Música PresentationManager + + + + Worship Assistant Files + Arquivos do Worship Assistant + + + + Worship Assistant (CSV) + Worship Assistant (CSV) + + + + In Worship Assistant, export your Database to a CSV file. + No Worship Assistant, exporte seu banco de dado para um arquivo CSV. + + + + OpenLyrics or OpenLP 2 Exported Song + Música Exportada OpenLyrics ou OpenLP 2 + + + + OpenLP 2 Databases + Bancos de Dados do OpenLP 2 + + + + LyriX Files + Arquivos LyriX + + + + LyriX (Exported TXT-files) + LyriX (arquivo TXT exportado) + + + + VideoPsalm Files + Arquivos VideoPsalm + + + + VideoPsalm + VideoPsalm + + + + OPS Pro database + Base de dados OPS Pro - PresentationManager Song Files - + The OPS 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. + A importação do OPS Pro só é suportada no Windows. Ela foi desativada devido a um módulo Python em falta. Se você deseja utilizar esta importação, você precisará instalar o módulo "pyodbc". - - ProPresenter 4 Song Files - + + ProPresenter Song Files + Arquivos de Música ProPresenter - - Worship Assistant Files - - - - - Worship Assistant (CSV) - - - - - In Worship Assistant, export your Database to a CSV file. - - - - - OpenLyrics or OpenLP 2 Exported Song - - - - - OpenLP 2 Databases - - - - - LyriX Files - - - - - LyriX (Exported TXT-files) - - - - - VideoPsalm Files - - - - - VideoPsalm - - - - - The VideoPsalm songbooks are normally located in %s - + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - + File {name} + Arquivo {name} + + + + Error: {error} + Erro: {error} @@ -9138,89 +9330,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Títulos - + Lyrics Letras - + CCLI License: Licença CCLI: - + Entire Song Música Inteira - + Maintain the lists of authors, topics and books. Gerencia a lista de autores, tópicos e hinários. - + copy For song cloning copiar - + Search Titles... Pesquisar títulos... - + Search Entire Song... Música Inteira - + Search Lyrics... Pesquisar letras... - + Search Authors... Pesquisar autores... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + Pesquisar Hinários... - - Search Songbooks... - + + Search Topics... + Pesquisando Tópicos... + + + + Copyright + Direitos Autorais + + + + Search Copyright... + Pesquisando Direitos Autorais... + + + + CCLI number + Numero CCLI + + + + Search CCLI number... + Pesquisando numero CCLI... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Não foi possível abrir o banco de dados do MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Não é possível conectar ao banco de dados OPS Pro. + + + + "{title}" could not be imported. {error} + "{title}" não pode ser importado. {error} + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + Não é uma base de dados de músicas válido do OpenLP 2. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportando "%s"... + + Exporting "{title}"... + Exportando "{title}"... @@ -9228,7 +9458,7 @@ Please enter the verses separated by spaces. Invalid OpenSong song file. Missing song tag. - + Arquivo de música OpenSong inválido. Nenhum verso encontrado. @@ -9239,29 +9469,37 @@ Please enter the verses separated by spaces. Nenhuma música para importar. - + Verses not found. Missing "PART" header. Os versículos não foram encontrados. O cabeçalho "PART" está faltando. - No %s files found. - Nenhum arquivo %s encontrado. + No {text} files found. + Arquivo {text} não existe. - Invalid %s file. Unexpected byte value. - Arquivo %s inválido. Valor inesperado de byte. + Invalid {text} file. Unexpected byte value. + Arquivo {text} inválido. Valor inesperado de byte. - Invalid %s file. Missing "TITLE" header. - Arquivo %s inválido. Falta cabeçalho "TITLE". + Invalid {text} file. Missing "TITLE" header. + Arquivo {text} inválido. Falta cabeçalho "TITLE". - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Arquivo %s inválido. Falta cabeçalho "COPYRIGHTLINE". + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + Arquivo {text} inválido. Falta cabeçalho "COPYRIGHTLINE". + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9284,25 +9522,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + Gerenciador de Hinário 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 - + + Your song export failed because this error occurred: {error} + A exportação da música falhou porque ocorreu o erro: {error} @@ -9318,17 +9556,17 @@ Please enter the verses separated by spaces. As seguintes músicas não puderam ser importadas: - + Cannot access OpenOffice or LibreOffice Não foi possível acessar OpenOffice ou LibreOffice - + Unable to open file Não foi possível abrir o arquivo - + File not found Arquivo não encontrado @@ -9336,109 +9574,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Não foi possível adicionar seu autor. - + This author already exists. Este autor já existe. - + Could not add your topic. Não foi possível adicionar seu assunto. - + This topic already exists. Este assunto já existe. - + Could not add your book. Não foi possível adicionar seu livro. - + This book already exists. Este livro já existe. - + Could not save your changes. Não foi possível salvar suas alterações. - + Could not save your modified author, because the author already exists. Não foi possível salvar sue autor modificado, pois o autor já existe. - + Could not save your modified topic, because it already exists. O assunto modificado não pode ser salvo porque já existe. - + Delete Author Excluir Autor - + Are you sure you want to delete the selected author? Você tem certeza de que deseja excluir o autor selecionado? - + This author cannot be deleted, they are currently assigned to at least one song. Este autor não pode ser apagado, pois está associado a pelo menos uma música. - + Delete Topic Excluir Assunto - + Are you sure you want to delete the selected topic? Tem certeza de que quer apagar o assunto selecionado? - + This topic cannot be deleted, it is currently assigned to at least one song. Este assunto não pode ser apagado, pois está associado a pelo menos uma música. - + Delete Book Excluir Hinário - + Are you sure you want to delete the selected book? Tem certeza de que quer excluir o hinário selecionado? - + This book cannot be deleted, it is currently assigned to at least one song. Este hinário não pode ser excluido, pois está associado a ao menos uma música. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - O autor %s já existe. Deseja que as músicas com o autor %s usem o autor %s existente? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + O autor {original} já existe. Deseja que as músicas com o autor {new} usem o autor {original} existente? - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - O assunto %s já existe. Deseja que as músicas com o assunto %s usem o assunto %s existente? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + O topico {original} já existe. Deseja que as músicas com o autor {new} usem o autor {original} existente? - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - O hinário %s já existe. Deseja que as músicas com o hinário %s usem o hinário %s existente? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + O hinário {original} já existe. Deseja que as músicas com o autor {new} usem o autor {original} existente? @@ -9446,12 +9684,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + Importador CCLI SongSelect <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + <strong>Nota:</strong> Uma ligação à Internet é necessária para importar músicas do CCLI SongSelect. @@ -9466,132 +9704,132 @@ Please enter the verses separated by spaces. Save username and password - + Salvar nome de usuário e senha Login - + Login Search Text: - + Texto de busca: Search Busca - - - Found %s song(s) - - - - - Logout - - + Logout + Deslogar + + + View Visualizar - + Title: Título: - + Author(s): Autor(s): - + Copyright: Direitos Autorais: - - - CCLI Number: - - - Lyrics: - + CCLI Number: + Número CCLI: + Lyrics: + Letras: + + + Back Voltar - + Import Importar More than 1000 results - + Mais de 1000 resultados Your search has returned more than 1000 results, it has been stopped. Please refine your search to fetch better results. - + Sua busca retornou mais de 1000 resultados e parou. Por favor, refine sua busca para alcançar melhores resultados. Logging out... - + Deslogando... Save Username and Password - + Salvar nome de usuário e senha 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. - + AVISO: Salvar seu nome de usuário e senha é INSEGURO, sua senha é armazenada em TEXTO SIMPLES. Clique em Sim para salvar sua senha ou Não para cancelar. Error Logging In - + Erro na Autenticação There was a problem logging in, perhaps your username or password is incorrect? - + Houve um erro na autenticação, talvez seu nome de usuário ou senha esteja incorreto? - + Song Imported - + Música importada Incomplete song - + Música incompleta This song is missing some information, like the lyrics, and cannot be imported. - + Esta música está faltando algumas informações, como letras, e não pode ser importada. - + Your song has been imported, would you like to import more songs? - + Sua música foi importada, você gostaria de importar mais músicas? Stop - + Parar + + + + Found {count:d} song(s) + Encontrado {count:d} música(s) @@ -9601,30 +9839,30 @@ Please enter the verses separated by spaces. Songs Mode Modo de Música - - - Display verses on live tool bar - Exibir estrofes na barra de ferramentas de projeção - Update service from song edit Atualizar culto após editar música - - - Import missing songs from service files - Importar músicas de arquivos de culto - Display songbook in footer - + Mostrar hinário no rodapé + + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + Importar músicas dos arquivos de Serviço de culto - Display "%s" symbol before copyright info - + Display "{symbol}" symbol before copyright info + Mostrar o simbolo "{symbol}" antes da informação de direitos autorais @@ -9648,37 +9886,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Estrofe - + Chorus Refrão - + Bridge Ponte - + Pre-Chorus Pré-Estrofe - + Intro Introdução - + Ending Final - + Other Outra @@ -9686,22 +9924,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - + + Error: {error} + Erro: {error} SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + Arquivo de música do Words of Worship inválido. Falta cabeçalho "{text}". - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9711,33 +9949,33 @@ Please enter the verses separated by spaces. Error reading CSV file. Erro ao ler o arquivo CSV. + + + File not valid WorshipAssistant CSV format. + O arquivo não é um arquivo CSV válido do WorshipAssistant. + - Line %d: %s - Linha %d: %s + Line {number:d}: {error} + Linha {number:d}: {error} + + + + Record {count:d} + - Decoding error: %s - Erro de decodificação: %s - - - - File not valid WorshipAssistant CSV format. - - - - - Record %d - Registro %d + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. - + Não foi possível conectar ao banco de dados WorshipCenter Pro. @@ -9748,67 +9986,993 @@ Please enter the verses separated by spaces. Erro ao ler o arquivo CSV. - + File not valid ZionWorx CSV format. O arquivo não é um arquivo CSV válido do ZionWorx. - - Line %d: %s - Linha %d: %s - - - - Decoding error: %s - Erro de decodificação: %s - - - + Record %d Registro %d + + + Line {number:d}: {error} + Linha {number:d}: {error} + + + + Record {index} + + + + + Decoding error: {error} + + Wizard Wizard - + Assistente - + 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. - + Esse assistente irá auxiliar na remoção de músicas duplicadas no banco de dados. Você terá a chance de revisar toda música duplicada em potencial antes de ser deletada. Nenhuma música será deletada sem seu consentimento explicito. + Searching for duplicate songs. + Procurando por músicas duplicadas. + + + Please wait while your songs database is analyzed. - + Por favor aguarde enquanto seu banco de dados de música está sendo analisado. - + Here you can decide which songs to remove and which ones to keep. - + Aqui você pode decidir quais músicas remover e quais manter. - - Review duplicate songs (%s/%s) - - - - + Information Informações - + No duplicate songs have been found in the database. - + Nenhuma música duplicada foi encontrada no banco de dados. + + + + Review duplicate songs ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Português do Brasil + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + Português + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + Russo + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + Espanhol + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/ru.ts b/resources/i18n/ru.ts index 41e036210..95e53b0f1 100644 --- a/resources/i18n/ru.ts +++ b/resources/i18n/ru.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? В тексте оповещения не указано место для вставки параметра (<>). Все равно продолжить? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Вы не указали текст оповещения. Пожалуйста введите текст перед добавлением. @@ -120,32 +121,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font Параметры - + Font name: Шрифт: - + Font color: Цвет текста: - - Background color: - Цвет фона: - - - + Font size: Размер шрифта: - + Alert timeout: Время отображения: @@ -153,88 +149,78 @@ 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. - Обновить формат базы данных для хранения Библии. - Genesis @@ -739,161 +725,121 @@ Please type in some text before clicking New. Эта Библия уже существует. Пожалуйста, импортируйте другую Библию или сначала удалите существующую. - - 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" введено более одного раза. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Не указана строка поиска - - Web Bible cannot be used - Сетевая Библия не может быть использована + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Некорректный формат ссылки. Пожалуйста, убедитесь, что ссылка соответствует одному из шаблонов: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Книга Глава -Книга Глава%(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Стих +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Отображение стихов - + Only show new chapter numbers Показывать только номера новых глав - + Bible theme: Тема для отображения Библии: - + No Brackets Без скобок - + ( And ) ( XXX ) - + { And } { XXX } - + [ And ] [ XXX ] - - 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. @@ -902,37 +848,83 @@ 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 Показывать номера стихов + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +980,71 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - Импорт книг... %s + + Importing books... {book} + - - Importing verses... done. - Импорт стихов... готово. + + Importing verses from {book}... + Importing verses from <book name>... + 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 Русский @@ -1070,224 +1063,259 @@ 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. Возникла проблема при распаковке выбранных стихов. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1318,293 +1346,155 @@ It is not possible to customize the Book Names. 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? + + Search + Поиск + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Удалить Библию "%s" из OpenLP? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -Для повторного использования Библии, необходимо будет снова ее импортироать. - - - - Advanced - Ручной выбор - - - - 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. - Некорректный формат файла Библии. Попробуйте использовать формат Zefania. - - - - BiblesPlugin.Opensong - - - Importing %(bookname)s %(chapter)s... - Импорт %(bookname)s %(chapter)s... +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... Удаление неиспользуемых тегов (это может занять некоторое время)... - - Importing %(bookname)s %(chapter)s... - Импорт %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Выберите папку для резервной копии + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 из %s: "%s" -Обновление %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Обновление Библий %s из %s: "%s" -Завершено - - - - , %s failed - Не удалось обновить: %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. - Нет Библий, которым необходимо обновление. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Обновлено Библий: %(success)d.%(failed_text)s -Стихи сетевых Библий будут скачиваться по мере необходимости, поэтому при их использовании может потребоваться подключение к Интернету. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. Некорректный формат файла Библии. Файлы в формате Zefania могут быть сжаты. Необходимо распаковать их перед импортом. @@ -1612,9 +1502,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Импорт %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1729,7 +1619,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Редактировать все слайды сразу. - + Split a slide into two by inserting a slide splitter. Вставить разделитель слайда на случай, если он не будует помещаться на одном экране. @@ -1744,22 +1634,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Подпись: - + You need to type in a title. Необходимо ввести название. Ed&it All - &Редактировать все + &Целиком - + Insert Slide Слайд - + You need to add at least one slide. Необходимо добавить как минимум один слайд. @@ -1767,7 +1657,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Редактировать слайд @@ -1775,9 +1665,9 @@ 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 "%d" selected custom slide(s)? - Удалить выбранные произвольные слайды (выбрано слайдов: %d)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1805,11 +1695,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Изображения - - - Load a new image. - Загрузить новое изображение. - Add a new image. @@ -1840,6 +1725,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Добавить выбранное изображение в Служение. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1864,12 +1759,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. Эта группа уже существует. @@ -1905,7 +1800,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Выберите вложение @@ -1913,39 +1808,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. Отсутствует элемент для изменений. @@ -1955,25 +1833,41 @@ 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" вместе со всеми изображениями? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Видимый фон для изображений с соотношением сторон отличным от экрана. @@ -1981,27 +1875,27 @@ Do you want to add the other images anyway? Media.player - + 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 является медиа-плеером, который работает в браузере. Этот плеер позволяет выводить текст поверх видео на экране. - + This media player uses your operating system to provide media capabilities. Этот медиаплеер использует операционную систему для воспроизведения файлов. @@ -2009,60 +1903,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. Добавить выбранный клип в служение. @@ -2178,47 +2072,47 @@ Do you want to add the other images anyway? 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 ":" Название медиа-клипа не должны содержать символ ":" @@ -2226,90 +2120,100 @@ Do you want to add the other images anyway? 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 Клип уже был сохранен + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2320,96 +2224,93 @@ Do you want to add the other images anyway? - Start Live items automatically - Начинать прямой эфир автоматически - - - - OPenLP.MainWindow - - - &Projector Manager - Окно &проекторов + Start new Live media automatically + 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? - Версия OpenLP была обновлена. - -Выполнить резервное копирование каталога с данными? - - - + Backup of the data folder failed! Не удалось выполнить резервное копирование каталога с данными! - - A backup of the data folder has been created at %s - Резервная копия папки с данными была создана в %s - - - + Open Открыт + + + Video Files + + + + + Data Directory Error + Некорректный каталог данных + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + 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 второй версии (GPL v2), опубликованной Free Software Foundation. - + 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. @@ -2426,174 +2327,157 @@ OpenLP — это свободное программное обеспечени OpenLP разрабатывается и поддерживается добровольцами. Если вы хотите оказать помощь в развитии свободного христианского программного обеспечения, пожалуйста, рассмотрите возможные варианты участия с помощью кнопки ниже. - + Volunteer Принять участие - + Project Lead Руководство проектом (Project Lead) - + Developers Разработка (Developers) - + Contributors Содействие (Contributors) - + Packagers Сборка (Packagers) - + Testers Тестирование (Testers) - + Translators Перевод (Translators) - + Afrikaans (af) Африкаанс (af) - + Czech (cs) Чешский (cs) - + Danish (da) Датский (da) - + German (de) Немецкий (de) - + Greek (el) Греческий (el) - + English, United Kingdom (en_GB) Английский, Великобритания (en_GB) - + English, South Africa (en_ZA) Английский, Южная Африка (en_ZA) - + Spanish (es) Испанский (es) - + Estonian (et) Эстонский (et) - + Finnish (fi) Финский (fi) - + French (fr) Французский (fr) - + Hungarian (hu) Венгерский (hu) - + Indonesian (id) Индонезийский (id) - + Japanese (ja) Японский (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Норвежский (nb) - + Dutch (nl) Датский (nl) - + Polish (pl) Польский (pl) - + Portuguese, Brazil (pt_BR) Португальский, Бразилия (pt_BR) - + Russian (ru) Русский (ru) - + Swedish (sv) Шведский (sv) - + Tamil(Sri-Lanka) (ta_LK) Тамильский, Шри-Ланка (ta_LK) - + Chinese(China) (zh_CN) Китайский (zh_CN) - + Documentation Документация - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Собрано с помощью: - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: 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 @@ -2618,333 +2502,244 @@ OpenLP разрабатывается и поддерживается добро потому что Бог освободил нас даром. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + 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 и дать возможность исправить проблему вручную. - -Нажмите «Да», чтобы сбросить каталог данных на путь по умолчанию. - - - - 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 Использовать различные цвета строк в списках - - 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? - ПРЕДУПРЕЖДЕНИЕ: - -Выбранный каталог содержит файлы данных OpenLP. - -%s - -Заменить эти файлы текущими файлами данных? - - - + Restart Required Требуется перезапуск программы - + This change will only take effect once OpenLP has been restarted. Изменения вступят в силу после перезапуска программы. - + 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. @@ -2952,11 +2747,142 @@ This location will be used after OpenLP is closed. Этот каталог будет использован после завершения работы OpenLP. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Автоматически + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Нажмите, чтобы выбрать цвет. @@ -2964,252 +2890,252 @@ This location will be used after OpenLP is closed. OpenLP.DB - + 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 - + 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 @@ -3217,64 +3143,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred Возникла ошибка - + Send E-Mail Отправить e-mail - + Save to File Сохранить в файл - + Attach File Приложить файл - - - Description characters to enter : %s - Осталось символов для ввода: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Пожалуйста, опишите действия, которые привели к возникновению ошибки. -По возможности используйте английский язык. -(Минимум 20 символов) - - 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. Also attach any files that triggered the problem. - Упс! К сожалению, при работе OpenLP возникла неизвестная ошибка. -Текст ниже содержит информацию, которая может быть полезна разработчикам OpenLP. Пожалуйста, отправьте его по адресу bugs@openlp.org вместе с подробным описанием действий, которые привели к возникновению ошибки. Если ошибка возникла при работе с какими-то файлами, приложите их тоже. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Платформа: %s - - - - + Save Crash Report Сохранить отчет об ошибке - + Text files (*.txt *.log *.text) Текстовый файл (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3315,268 +3251,259 @@ This location will be used after OpenLP is closed. 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 Возникла ошибка сети при попытке получения начальной конфигурационной информации - - Cancel - Отмена - - - + Unable to download some files Не удалось скачать некоторые файлы + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3619,44 +3546,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML здесь> - + Validation Error Ошибка проверки - + Description is missing Отсутствует описание - + Tag is missing Отсутствует тег - Tag %s already defined. - Тег %s уже определен. + Tag {tag} already defined. + - Description %s already defined. - Описание %s уже определено. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Открывающий тег %s не соответствует формату HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Завершающий тег %(end)s не соответствует открывающему тегу %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3745,170 +3677,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 Х - + 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 &Перейти к следующему/предыдущему элементу служения + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Выбрать файл для отображения. + + + + Revert to the default OpenLP logo. + Вернуться к логотипу OpenLP. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Язык - + Please restart OpenLP to use your new language setting. Перезапустите OpenLP, чтобы новые языковые настройки вступили в силу. @@ -3916,7 +3878,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display Экран OpenLP @@ -3924,352 +3886,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainWindow - + &File &Файл - + &Import &Импорт - + &Export &Экспорт - + &View &Вид - - M&ode - Р&ежим - - - + &Tools &Инструменты - + &Settings &Настройки - + &Language &Язык - + &Help &Помощь - - Service Manager - Служение - - - - Theme Manager - Темы - - - + Open an existing service. Открыть сохраненное служение. - + Save the current service to disk. Сохранить текущее служение на диск. - + 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. - Переключить отображение окна прямого эфира. - - - - 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/. - Для скачивания доступна версия 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... Настроить &клавиатурные комбинации... - + 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. Распечатать текущее служение. - - 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. @@ -4278,107 +4076,68 @@ 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. Очистить список последних файлов. - + 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 будет закрыта. Импортированные настройки будут применены при следующем запуске программы. - + 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. @@ -4391,7 +4150,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and – Импортирование некорректных настроек может привести к ошибкам или вылетам 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. @@ -4400,193 +4159,370 @@ 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 - - - + &Recent Services Пос&ледние служения - + &New Service &Новое служение - + &Open Service &Открыть служение - + &Save Service &Сохранить служение - + Save Service &As... Сохранить служение &как... - + &Manage Plugins Список &плагинов - + Exit OpenLP Выход из OpenLP - + Are you sure you want to exit OpenLP? Завершить работу OpenLP? - + &Exit OpenLP Вы&ход + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Служение + + + + Themes + Темы + + + + Projectors + Проекторы + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + + 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 не может загрузить базу данных. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -База данных: %s +Database: {db_name} + 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. В процессе импорта были пропущены дубликаты файлов. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Не найден тег <lyrics>. - + <verse> tag is missing. Не найден тег <verse>. @@ -4594,22 +4530,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status Неизвестный статус - + No message Нет сообщения - + Error while sending data to projector Ошибка при отправке данных проектору - + Undefined command: Неизвестная команда: @@ -4617,32 +4553,32 @@ Suffix not supported OpenLP.PlayerTab - + Players Плееры - + Available Media Players Доступные медиа плееры - + Player Search Order Порядок выбора плееров - + Visible background for videos with aspect ratio different to screen. Видимый фон для видео с соотношением сторон, отличным от экрана. - + %s (unavailable) %s (недоступно) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" ПРИМЕЧАНИЕ: для использования VLC требуется установить версию %s @@ -4651,55 +4587,50 @@ Suffix not supported OpenLP.PluginForm - + Plugin Details Описание плагина - + Status: Состояние: - + Active Активирован - - Inactive - Деактивирован - - - - %s (Inactive) - %s (Деактивирован) - - - - %s (Active) - %s (Активирован) + + Manage Plugins + Список плагинов - %s (Disabled) - %s (Отключен) + {name} (Disabled) + - - Manage Plugins - Список плагинов + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Вписать в страницу - + Fit Width Вписать по ширине @@ -4707,77 +4638,77 @@ Suffix not supported OpenLP.PrintServiceForm - + Options Настройки - + Copy Копировать - + Copy as HTML Копировать как HTML - + Zoom In Увеличить - + Zoom Out Уменьшить - + Zoom Original 1:1 - + 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: Заметки к служению: @@ -4785,257 +4716,257 @@ Suffix not supported 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 Класс 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) Запрошенная операция по сокету не поддерживается операционной системой (например, нет поддержки IPv6) - + The socket is using a proxy, and the proxy requires authentication Сокет работает через прокси сервер, который требует авторизации - + The SSL/TLS handshake failed Не удалось согласовать протокол 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 Адрес прокси сервера, переданный функции 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 Не удалось распознать ответ от прокси сервера @@ -5043,17 +4974,17 @@ Suffix not supported OpenLP.ProjectorEdit - + Name Not Set Нет названия - + You must enter a name for this entry.<br />Please enter a new name for this entry. Необходимо ввести название проектора. - + Duplicate Name Название уже существует @@ -5061,52 +4992,52 @@ Suffix not supported OpenLP.ProjectorEditForm - + Add New Projector Добавить новый проектор - + Edit Projector Изменить параметры проектора - + IP Address IP адрес - + Port Number Номер порта - + PIN Пароль - + Name Название - + Location Местоположение - + Notes Заметки - + Database Error Ошибка базы данных - + There was an error saving projector information. See the log for the error Возникла ошибка при сохранении информации о проекторе. Смотрите лог ошибок @@ -5114,307 +5045,362 @@ Suffix not supported 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 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 Еще не реализовано - - Delete projector (%s) %s? - Удалить проектор (%s) %s? - - - + Are you sure you want to delete this projector? Удалить указанный проектор? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Ошибка авторизации + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Вентиллятор - + Lamp Лампа - + Temperature Температура - + Cover Крышка - + Filter Фильтр - + Other - Другое + Other (другое) @@ -5458,17 +5444,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address Повторный IP адрес - + Invalid IP Address Некорректный IP адрес - + Invalid Port Number Некорректный номер порта @@ -5481,27 +5467,27 @@ Suffix not supported Экран - + primary основной OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Начало</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Продолжительность</strong>: %s - - [slide %d] - [слайд %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5565,52 +5551,52 @@ Suffix not supported Удалить выбранный элемент из служения. - + &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 Элемент служения не может быть показан, поскольку требуемый плагин отсутствует или отключен @@ -5635,7 +5621,7 @@ Suffix not supported Свернуть все элементы служения. - + Open File Открыть файл @@ -5665,22 +5651,22 @@ Suffix not supported Показать выбранный элемент в прямом эфире. - + &Start Time &Время начала - + Show &Preview &Просмотр - + Modified Service Измененное служение - + The current service has been modified. Would you like to save this service? Текущее служение было изменено. Сохранить служение? @@ -5700,27 +5686,27 @@ Suffix not supported Время игры: - + Untitled Service Служение без названия - + File could not be opened because it is corrupt. Файл не может быть открыт, поскольку он поврежден. - + Empty File Пустой файл - + This service file does not contain any data. Файл служения не содержит данных. - + Corrupt File Поврежденный файл @@ -5740,147 +5726,145 @@ Suffix not supported Выберите тему для служения. - + 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 файлы служений (*.osz *.oszl) - + OpenLP Service Files (*.osz);; OpenLP Service Files - lite (*.oszl) OpenLP файлы служений (*.osz);; OpenLP файлы служений - lite (*.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 - Произошла ошибка в процессе записи файла служения: %s - - - - The following file(s) in the service are missing: %s + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - Следующие файлы в служении не найдены: %s - -Эти файлы будут удалены, если вы продолжите сохранять. + + + + + An error occurred while writing the service file: {error} + @@ -5912,15 +5896,10 @@ These files will be removed if you continue to save. Сочетание клавиш - + Duplicate Shortcut Дублировать сочетание клавиш - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Сочетание "%s" уже назначено для другого действия. Пожалуйста, используйте другое сочетание клавиш. - Alternate @@ -5966,219 +5945,235 @@ These files will be removed if you continue to save. Configure Shortcuts Настроить клавиши быстрого доступа + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + 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 Дорожки + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + 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? Удалить ВЕСЬ введенный текст для этого проектора? @@ -6186,17 +6181,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions Правописание - + Formatting Tags Теги форматирования - + Language: Язык: @@ -6275,7 +6270,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (приблизительно %d строк на слайде) @@ -6283,523 +6278,531 @@ These files will be removed if you continue to save. 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. Вы не можете удалить тему, назначенную темой по умолчанию. - + 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 - Экспорт темы не удался из-за возникшей ошибки: %s - - - + OpenLP Themes (*.otz) Тема OpenLP (*.otz) - - %s time(s) by %s - %s раз(а) плагином %s - - - + Unable to delete theme Не удалось удалить тему + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Использование темы: - -%s +{text} + 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. Не выбрано фоновое изображение. Пожалуйста, выберете прежде чем продолжить. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6882,73 +6885,73 @@ These files will be removed if you continue to save. &Вертикальное выравнивание: - + 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 Вас приветствует мастер импорта песен @@ -6966,7 +6969,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6998,39 +7001,34 @@ These files will be removed if you continue to save. Ошибка синтаксиса 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 Авторы @@ -7040,502 +7038,490 @@ These files will be removed if you continue to save. Автор не известен - + 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 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: Номер песни CCLI: - + Preview Toolbar Панель просмотра - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Замена фона недоступна при отключенном плеере WebKit. @@ -7551,32 +7537,99 @@ Please try selecting it individually. Plural Сборники + + + Background color: + Цвет фона: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Видео + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Библии отсутствуют + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Verse (куплет) + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Результаты поиска отсутствуют + + + + Please type more text to use 'Search As You Type' + + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s и %s + + {one} and {two} + - - %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 + + {first} and {last} + @@ -7656,47 +7709,47 @@ Please try selecting it individually. Показывать с помощью: - + 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 не закончена, пожалуйста обновите. + + Presentations ({text}) + - - The presentation %s no longer exists. - Презентация %s больше не существует. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. Презентация будет остановлена, но ее можно перезапустить заново. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7706,11 +7759,6 @@ Please try selecting it individually. Available Controllers Доступные приложения - - - %s (unavailable) - %s (недоступно) - Allow presentation application to be overridden @@ -7727,12 +7775,12 @@ Please try selecting it individually. Использовать указанный путь к исполняемому файлу mudraw или ghostscript: - + Select mudraw or ghostscript binary. Выберите mudraw или ghostscript исполняемый файл. - + The program is not ghostscript or mudraw which is required. Программа не является приложением ghostscript или mudraw. @@ -7743,14 +7791,19 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. - При нажатии на выбранный слайд в управлении слайдами запускает переход к следующему эффекту. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Разрешить Powerpoint управлять размером и положением окна презентации -(для решения проблем с масштабированием в Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7792,127 +7845,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 Настройки - + Remote Удаленное управление - + Stage View Вид со сцены - + Live View Вид прямого эфира @@ -7920,79 +7973,140 @@ Please try selecting it individually. RemotePlugin.RemoteTab - + Serve on IP address: IP адрес: - + Port number: Номер порта: - + Server Settings Настройки сервера - + Remote URL: Ссылка для управления: - + Stage view URL: Ссылка для сцены: - + Display stage time in 12h format Показывать время в режиме со сцены в 12-часовом формате - + Android App Android App - + Live view 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. Сервер HTTPS недоступен, так как не удалось найти сертификат SSL. Обратитесь к руководству, чтобы получить подробную информацию. - + User Authentication Авторизация пользователя - + User id: Пользователь: - + Password: Пароль: - + Show thumbnails of non-text slides in remote and stage view. Показывать миниатюры слайдов в режимах для управления и для сцены. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Просканируйте QR-код или нажмите на <a href="%s">ссылку</a>, чтобы установить приложение для Android из Google Play. + + iOS App + iOS App + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Путь вывода не указан + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Создание отчета + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8033,50 +8147,50 @@ Please try selecting it individually. Переключить отслеживание использования песен. - + <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 напечатано @@ -8144,22 +8258,10 @@ All data recorded before this date will be permanently deleted. Расположение файла вывода - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation Создание отчета - - - Report -%s -has been successfully created. - Отчет ⏎ %s ⏎ был успешно сформирован. - Output Path Not Selected @@ -8173,14 +8275,26 @@ Please select an existing path on your computer. Пожалуйста, выберите один из существующих на диске каталогов. - + Report Creation Failed Не удалось сгенерировать отчет - - An error occurred while creating the report: %s - Произошла ошибка в процессе создания отчета: %s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8196,102 +8310,102 @@ Please select an existing path on your computer. Импортировать песни с помощью мастера импорта. - + <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. @@ -8301,26 +8415,26 @@ 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 Песни @@ -8331,37 +8445,37 @@ The encoding is responsible for the correct character representation. Экспортировать песни с помощью мастера экспорта. - + 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 Реиндексация песен @@ -8376,15 +8490,30 @@ The encoding is responsible for the correct character representation. Импорт песен из служения CCLI SongSelect. - + Find &Duplicate Songs Найти &дубликаты песен - + Find and remove duplicate songs in the song database. Найти и удалить дубликаты песен в базе данных песен. + + + Songs + Песни + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8470,62 +8599,67 @@ The encoding is responsible for the correct character representation. 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.MB". Он должен находиться в одном каталоге с файлом "Songs.DB". - + This file is not a valid EasyWorship database. Файл не является корректной базой данных EasyWorship. - + Could not retrieve encoding. Не удалось определить способ кодирования. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Метаданные - + Custom Book Names Пользовательские сборники @@ -8608,57 +8742,57 @@ The encoding is responsible for the correct character representation. Дополнительно - + 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. Необходимо ввести текст песни. - + You need to have an author for this song. Необходимо добавить автора к этой песне. @@ -8683,7 +8817,7 @@ The encoding is responsible for the correct character representation. Удалить &все - + Open File(s) Открыть файл(ы) @@ -8698,14 +8832,7 @@ The encoding is responsible for the correct character representation. <strong>Предупреждение:</strong> не указан порядок куплетов. - - 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 Некорректный порядок куплетов @@ -8715,22 +8842,15 @@ Please enter the verses separated by spaces. &Изменить вид авторства - + Edit Author Type Изменить вид авторства - + Choose type for this author Выберите вид авторства - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Не найдены куплеты "%(invalid)s". Корректно указаны: %(valid)s. -Please enter the verses separated by spaces. - &Manage Authors, Topics, Songbooks @@ -8752,45 +8872,71 @@ Please enter the verses separated by spaces. Информация - + Add Songbook Добавить сборник - + This Songbook does not exist, do you want to add it? Добавить сборник? - + This Songbook is already in the list. Сборник уже в списке. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Не выбран сборник. Необходимо выбрать сборник из списка или ввести название нового сборник и нажать "Добавить к песне". + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Изменить текст - + &Verse type: &Тип: - + &Insert &Вставить - + Split a slide into two by inserting a verse splitter. Вставить разделитель слайдов. @@ -8803,77 +8949,77 @@ Please enter the verses separated by spaces. Мастер экспорта песен - + 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>. @@ -8881,7 +9027,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Некорректный файл песен Foilpresenter. Не найдены куплеты. @@ -8889,7 +9035,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Включить поиск при вводе @@ -8897,7 +9043,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Выберите файл документа или презентации @@ -8907,237 +9053,252 @@ Please enter the verses separated by spaces. Мастер импорта песен - + 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. Производится импорт песен. Пожалуйста, подождите. - + 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 Files OpenLyrics - + CCLI SongSelect Files CCLI SongSelect - + EasySlides XML File 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) 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">Руководстве пользователя</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. Если вы хотите импортировать из этого формата, вам нужно установить Python модуль "pyodbc". - + SongPro Text Files SongPro (Text File) - + SongPro (Export File) SongPro (Export File) - + In SongPro, export your songs using the File -> Export menu В SongPro, экспортируйте песни с помощью меню File -> Export - + 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. Импорт из WorshipCenter Pro поддерживается только в Windows. Если вы хотите импортировать из этого формата, вам нужно установить Python модуль "pyodbc". - + PowerPraise Song Files PowerPraise - + PresentationManager Song Files PresentationManager - - ProPresenter 4 Song Files - ProPresenter 4 - - - + Worship Assistant Files Worship Assistant - + Worship Assistant (CSV) Worship Assistant (CSV) - + In Worship Assistant, export your Database to a CSV file. В Worship Assistant, экспортируйте базу данных в текстовый файл CSV. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics или OpenLP 2 - + OpenLP 2 Databases OpenLP 2 - + LyriX Files LyriX - + LyriX (Exported TXT-files) LyriX (TXT) - + VideoPsalm Files VideoPsalm - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Песни VideoPsalm обычно расположены в %s + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Ошибка импорта из LyriX: %s + File {name} + + + + + Error: {error} + @@ -9156,79 +9317,117 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles По названию - + Lyrics По тексту - + CCLI License: Лицензия CCLI: - + Entire Song Везде - + Maintain the lists of authors, topics and books. Редактировать списки авторов, тематик и сборников песен. - + copy For song cloning копия - + Search Titles... Поиск по названию... - + Search Entire Song... Поиск по всему содержимому песен... - + Search Lyrics... Поиск по тексту песен... - + Search Authors... Поиск по авторам... - - Are you sure you want to delete the "%d" selected song(s)? - Удалить выбранные песни (выбрано песен: %d)? - - - + Search Songbooks... Поиск сборников... + + + Search Topics... + + + + + Copyright + Авторские права + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Невозможно открыть базу данных MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Файл не является базой данных OpenLP 2. @@ -9236,9 +9435,9 @@ Please enter the verses separated by spaces. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Экспортирую "%s"... + + Exporting "{title}"... + @@ -9257,29 +9456,37 @@ Please enter the verses separated by spaces. Нет песен для иморта. - + Verses not found. Missing "PART" header. Стихи не найдены. Пропущен заголовок "PART". - No %s files found. - %s файлов не найдено. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Неправильный файл %s. Неожиданное бинарное значение. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Неправильный файл %s. Не найден "TITLE" заголовок. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Неправильный файл %s. Не найден "COPYRIGHTLINE" заголовок. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9308,19 +9515,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> импортер. - - Your song export failed because this error occurred: %s - Экспорт вашей песни не удался из-за возникшей ошибки: %s + + Your song export failed because this error occurred: {error} + @@ -9336,17 +9543,17 @@ Please enter the verses separated by spaces. Следующие песни не могут быть импортированы: - + Cannot access OpenOffice or LibreOffice Нет доступа к OpenOffice или LibreOffice - + Unable to open file Не удается открыть файл - + File not found Файл не найден @@ -9354,109 +9561,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Тематика %s уже существует. Хотите перевести песни с тематикой %s на существующую тематику %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Сборник %s уже существует. Хотите присвоить песне со сборником %s существующий сборник %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9474,7 +9681,7 @@ Please enter the verses separated by spaces. Username: - Логин: + Пользователь: @@ -9502,52 +9709,47 @@ Please enter the verses separated by spaces. Поиск - - Found %s song(s) - Найдена %s песня(и) - - - + Logout Выход - + View Просмотр - + Title: Название: - + Author(s): Автор(ы): - + Copyright: Авторские права: - + CCLI Number: Номер CCLI: - + Lyrics: Слова: - + Back Черный - + Import Импорт @@ -9587,7 +9789,7 @@ Please enter the verses separated by spaces. Был проблема входа в систему, может быть, ваше имя пользователя или пароль неверен? - + Song Imported Песня импортирована @@ -9602,7 +9804,7 @@ Please enter the verses separated by spaces. В этой песне не хватает такой информации, такой стихи, и она не может быть импортирована. - + Your song has been imported, would you like to import more songs? Ваша песня была импортирована, вы хотели бы еще импортировать песни? @@ -9611,6 +9813,11 @@ Please enter the verses separated by spaces. Stop Остановить + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9619,30 +9826,30 @@ Please enter the verses separated by spaces. Songs Mode Режим песен - - - Display verses on live tool bar - Показать куплеты в окне прямого эфира - Update service from song edit Обновить служение из редактора песен - - - Import missing songs from service files - Импортировать не найденные песни из файла служения - Display songbook in footer Показывать сборник песен внизу экрана + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Показывать символ "%s" в информации об авторском праве + Display "{symbol}" symbol before copyright info + @@ -9666,37 +9873,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Verse (куплет) - + Chorus Chorus (припев) - + Bridge Bridge (мост) - + Pre-Chorus Pre-Chorus (пред-припев) - + Intro Intro (проигрыш) - + Ending Ending (окончание) - + Other Other (другое) @@ -9704,22 +9911,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - Ошибка: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Некорректный файл Words of Worship. Не найден заголовок %s + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Некорректный файл Words of Worship. Не найдена строка "%s" + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9730,30 +9937,30 @@ Please enter the verses separated by spaces. Ошибка чтения CSV файла. - - Line %d: %s - Строка %d: %s - - - - Decoding error: %s - Ошибка декодирования: %s - - - + File not valid WorshipAssistant CSV format. Файл не соответствует формату WorshipAssistant CSV. - - Record %d - Запись %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Не удалось подключиться к базе данных WorshipCenter Pro. @@ -9766,25 +9973,30 @@ Please enter the verses separated by spaces. Ошибка чтения CSV файла. - + File not valid ZionWorx CSV format. Файл не правильного ZionWorx CSV формата. - - Line %d: %s - Строка %d: %s - - - - Decoding error: %s - Ошибка декодирования: %s - - - + Record %d Запись %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9794,39 +10006,960 @@ 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. Этот мастер предназначен для удаления дубликатов песен из базы данных. Вы будете иметь возможность просмотреть все потенциальные дубликаты песен, прежде чем они будут удалены. Песни не будут удалены без явного подтверждения. - + 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. Дубликаты песен не были найдены в базе. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Русский + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/sk.ts b/resources/i18n/sk.ts index b27a12595..4d9f0c8c7 100644 --- a/resources/i18n/sk.ts +++ b/resources/i18n/sk.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Chcete napriek tomu pokračovat? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Text upozornenia neobsahuje '<>'. Chcete napriek tomu pokračovat? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Nebol zadaný žiadny text upozornenia. Pred kliknutím na Nový prosím zadajte nejaký text. @@ -120,32 +121,27 @@ Pred kliknutím na Nový prosím zadajte nejaký text. AlertsPlugin.AlertsTab - + Font Písmo - + Font name: Názov písma: - + Font color: Farba písma: - - Background color: - Farba pozadia: - - - + Font size: Veľkosť písma: - + Alert timeout: Čas pre vypršanie upozornenia: @@ -153,88 +149,78 @@ 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. - Genesis @@ -739,160 +725,121 @@ Pred kliknutím na Nový prosím zadajte nejaký text. Táto Biblia už existuje. Importujte prosím inú Bibliu alebo najskôr zmažte tú existujúcu. - - You need to specify a book name for "%s". - Je nutné uviesť názov knihy pre "%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. - Názov knihy "%s" nie je správny. -Čísla môžu byť použité len na začiatku a tak musí nasledovať jeden alebo viac nečíselných znakov. - - - + Duplicate Book Name Duplicitný názov knihy - - The Book Name "%s" has been entered more than once. - Názov knihy "%s" bol zadaný viac ako raz. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Chyba v odkaze Biblie - - Web Bible cannot be used - Biblia z www sa nedá použiť + + Web Bible cannot be used in Text Search + - - 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á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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Odkaz z Biblie buď nie je podporovaný aplikáciou OpenLP, alebo je neplatný. Uistite sa prosím, že odkaz odpovedá jednému z nasledujúcich vzorov alebo sa obráťte na manuál: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Kapitola Knihy -Kapitola Knihy%(range)s -Kapitola Knihy%(verse)sVerš%(range)sVerš -Kapitola Knihy%(verse)sVerš%(range)sVerš%(list)sVerš%(range)sVerš -Kapitola Knihy%(verse)sVerš%(range)sVerš%(list)sKapitola%(verse)sVerš%(range)sVerš -Kapitola Knihy%(verse)sVerš%(range)sKapitola%(verse)sVerš +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Zobraziť verš - + Only show new chapter numbers Zobraziť len číslo novej kapitoly - + Bible theme: Motív Biblie: - + No Brackets Žiadne zátvorky - + ( And ) ( A ) - + { And } { A } - + [ And ] [ A ] - - Note: -Changes do not affect verses already in the service. - Poznámka: -Verše, ktoré sú už v službe, nie sú ovplyvnené zmenami. - - - + Display second Bible verses Zobraziť druhé verše z Biblie - + Custom Scripture References Vlastné odkazy z Biblie. - - Verse Separator: - Oddeľovač veršov: - - - - Range Separator: - Oddeľovač rozsahov: - - - - List Separator: - Oddeľovač zoznamov: - - - - End Mark: - Ukončovacia značka: - - - + 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. @@ -901,37 +848,83 @@ Tie musia byť oddelené zvislou čiarou "|". Pre použitie predvolenej hodnoty zmažte tento riadok. - + English Slovenčina - + Default Bible Language Predvolený jazyk Biblie - + Book name language in search field, search results and on display: Jazyk názvu knihy vo vyhľadávacom poli, výsledkoch vyhľadávania a pri zobrazení: - + Bible Language Jazyk Biblie - + Application Language Jazyk aplikácie - + Show verse numbers Zobraziť číslovanie slôh + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -987,70 +980,71 @@ výsledkoch vyhľadávania a pri zobrazení: BiblesPlugin.CSVBible - - Importing books... %s - Importovanie kníh... %s + + Importing books... {book} + - - Importing verses... done. - Importovanie veršov... dokončené. + + Importing verses from {book}... + Importing verses from <book name>... + BiblesPlugin.EditBibleForm - + Bible Editor Editor Biblie - + License Details Podrobnosti k licencii - + Version name: Názov verzie - + Copyright: Autorské práva: - + Permissions: Povolenia: - + Default Bible Language Predvolený jazyk Biblie - + Book name language in search field, search results and on display: Jazyk názvu knihy vo vyhľadávacom poli, výsledky vyhľadávania a pri zobrazení: - + Global Settings Globálne nastavenia - + Bible Language Jazyk Biblie - + Application Language Jazyk aplikácie - + English Slovenčina @@ -1070,224 +1064,259 @@ 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... - - 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. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + Biblie: + + + + SWORD data folder: + SWORD dátový adresár : + + + + SWORD zip-file: + SWORD zip-súbor: + + + + Defaults to the standard SWORD data folder + Predvolené nastavenie do štandardnej zložky SWORD dát + + + + Import from folder + Import z adresára + + + + Import from Zip-file + Import zo zip-súboru + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + Pre import SWORD biblií musí byť nainštalovaný pysword python modul. Prosím prečítajte si manuál pre inštrukcie. + BiblesPlugin.LanguageDialog @@ -1318,287 +1347,155 @@ Nie je možné prispôsobiť názvy kníh. BiblesPlugin.MediaItem - - Quick - Rýchly - - - + Find: Hľadať: - + Book: Kniha: - + Chapter: Kapitola: - + Verse: Verš: - + From: Od: - + To: Do: - + Text Search Vyhľadávanie textu - + Second: Druhý: - + Scripture Reference Odkaz do Biblie - + Toggle to keep or clear the previous results. Prepnúť ponechanie alebo zmazanie predchádzajúcich výsledkov. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Nie je možné kombinovať jednoduché a dvojité výsledky hľadania veršov v Bibli. Prajete si zmazať výsledky hľadania a začať s novým vyhľadávaním? - + Bible not fully loaded. Biblia nie je načítaná celá. - + Information Informácie - - 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. - Druhá Biblia neobsahuje všetky verše ako sú v hlavnej Biblii. Budú zobrazené len verše nájdené v obidvoch Bibliách. %d veršov nebolo zahrnutých vo výsledkoch. - - - + Search Scripture Reference... Vyhľadávať odkaz do Biblie... - + Search Text... Vyhľadávať text... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Hľadať + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Ste si istí, že chcete úplne vymazať Bibliu "%s" z OpenLP? Pre použite bude potrebné naimportovať Bibliu znovu. + - - Advanced - Pokročilé - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Bol zadaný nesprávny typ súboru Biblie. OpenSong Biblie môžu byť komprimované. Pred importom je nutné ich rozbaliť. - - - - 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... + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + 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... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Vybrať priečinok pre zálohu + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Sprievodca aktualizácie Biblie - - - - 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. - Tento sprievodca pomáhá s aktualizáciou existujúcich Biblií z predchádzajúcej verzie OpenLP 2. Pre spustenie aktualizácie kliknite nižšie na tlačítko Ďalej. - - - - Select Backup Directory - Vybrať prečinok pre zálohu - - - - Please select a backup directory for your Bibles - Vyberte prosím priečinok pre zálohu Biblií - - - - 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>. - Predchádzajúce vydania OpenLP 2.0 nie sú schopné aktualizovať Bibliu. Bude vytvorená záloha súčasných Biblií, aby bylo možné v prípadě potreby jednoducho nakopírovať súbory späť do dátoveho pričinku aplikácie OpenLP. Inštrukcie, ako obnoviť súbory, nájdete v <a href="http://wiki.openlp.org/faq">často kladených otázkach</a>. - - - - Please select a backup location for your Bibles. - Vyberte prosím umiestenie pre zálohu Biblie. - - - - Backup Directory: - Priečinok pre zálohu: - - - - There is no need to backup my Bibles - Nie je potrebné zálohovať Bibliu - - - - Select Bibles - Vybrať Bibliu - - - - Please select the Bibles to upgrade - Vyberte prosím Bibliu na aktualizáciu - - - - Upgrading - Aktualizujuem - - - - Please wait while your Bibles are upgraded. - Čakajte prosím, až budú Biblie aktualizované. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Záloha nebola úspešná. Pre zálohu Biblií je potrebné oprávnenie k zápisu do zadaného priečinku. - - - - Upgrading Bible %s of %s: "%s" -Failed - Aktualizácia Biblie %s z %s: "%s" Zlyhala - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Aktualizujem Bibliu %s z %s: "%s" Aktualizujem ... - - - - Download Error - Chyba pri sťahovaní - - - - To upgrade your Web Bibles an Internet connection is required. - Pre aktualizáciu Biblií z www je potrebné internetové pripojenie. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Aktualizujem Bibliu %s z %s: "%s" Aktualizujem %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Aktualizujem Biblie %s z %s: "%s" Dokončené - - - - , %s failed - , %s zlyhalo - - - - Upgrading Bible(s): %s successful%s - Aktualizácia Biblií: %s úspešná%s - - - - Upgrade failed. - Aktualizácia zlyhala. - - - - You need to specify a backup directory for your Bibles. - Je potrebné upresniť priečinok pre zálohu Biblií. - - - - Starting upgrade... - Spúšťam aktualizáciu... - - - - There are no Bibles that need to be upgraded. - Nie sú žiadne Biblie, ktoré treba aktualizovať. - - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Aktualizácia Biblií: %(success)d úspešná%(failed_text)s -Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potrebné internetové pripojenie. + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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ť. @@ -1606,9 +1503,9 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importovanie %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1723,7 +1620,7 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr Upraviť všetky snímky naraz. - + Split a slide into two by inserting a slide splitter. Vložením oddeľovača sa snímok rozdelí na dva. @@ -1738,7 +1635,7 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr &Zásluhy: - + You need to type in a title. Je potrebné zadať názov. @@ -1748,12 +1645,12 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr &Upraviť všetko - + Insert Slide Vložiť snímok - + You need to add at least one slide. Musíte vložiť aspoň jeden snímok. @@ -1761,7 +1658,7 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr CustomPlugin.EditVerseForm - + Edit Slide Upraviť snímok @@ -1769,9 +1666,9 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr CustomPlugin.MediaItem - - Are you sure you want to delete the "%d" selected custom slide(s)? - Ste si istý, že chcete zmazať "%d" vybraných užívateľských snímkov(y)? + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1799,11 +1696,6 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr container title Obrázky - - - Load a new image. - Načítať nový obrázok. - Add a new image. @@ -1834,6 +1726,16 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr Add the selected image to the service. Pridať vybraný obrázok do služby. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1858,12 +1760,12 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr 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. @@ -1899,7 +1801,7 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr ImagePlugin.ExceptionDialog - + Select Attachment Vybrať prílohu @@ -1907,39 +1809,22 @@ Upozornenie: Verše z www Biblie budú stiahnuté na vyžiadanie a preto je potr ImagePlugin.MediaItem - + Select Image(s) 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 - 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á. @@ -1949,25 +1834,41 @@ Chcete pridať ďaľšie obrázky? -- 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Viditeľné pozadie pre obrázky s iným pomerom strán než má obrazovka. @@ -1975,27 +1876,27 @@ Chcete pridať ďaľšie obrázky? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. Tento prehrávač médií využíva na prehrávanie schopnosti operačného systému. @@ -2003,60 +1904,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. @@ -2172,47 +2073,47 @@ Chcete pridať ďaľšie obrázky? 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ť ":" @@ -2220,90 +2121,100 @@ Chcete pridať ďaľšie obrázky? MediaPlugin.MediaItem - + Select Media 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á. - + Unsupported File Nepodporovaný súbor - + Use Player: 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ý + + + File %s not supported using player %s + Súbor %s nie je podporovaný prehrávačom %s + + + + Unsupported Media File + Nepodporovaný mediálny súbor + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2314,94 +2225,93 @@ Chcete pridať ďaľšie obrázky? - Start Live items automatically - Automaticky spustiť prehrávanie položky Naživo - - - - OPenLP.MainWindow - - - &Projector Manager - Správca &projektorov + Start new Live media automatically + 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? - Formát Biblie sa zmenil. -Je nutné upgradovať existujúcu Bibliu. -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ť + + + Video Files + + + + + Data Directory Error + Chyba dátového priečinku. + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Kredity - + License Licencia - - build %s - vytvorené %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. Tento program je slobodný softvér, môžete ho šíriť a / alebo modifikovať podľa ustanovení GNU General Public License, vydávanej Free Software Foundation, verzia 2 tejto licencie. - + 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. Tento program je rozširovaný v nádeji, že bude užitočný, ale BEZ AKEJKOĽVEK ZÁRUKY; neposkytujú sa ani odvodené záruky PREDAJNOSTI alebo VHODNOSTI PRE URČITÝ ÚČEL. Pozri dole pre ďalšie podrobnosti. - + 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. @@ -2418,173 +2328,157 @@ Viac informácií o OpenLP: http://openlp.org/ OpenLP je tvorený a spravovaný dobrovoľníkmi. Ak by ste chceli vidieť viac voľne dostupného kresťanského softvéru, zvážte prosím, či sa tiež nechcete zapojiť do tvorby OpenLP. Môžte tak spraviť pomocou tlačidla nižšie. - + Volunteer Dobrovoľník - + Project Lead Vedenie projektu - + Developers Vývojári - + Contributors Prispievatelia - + Packagers Balíčkovači - + Testers Testeri - + Translators Prekladatelia - + Afrikaans (af) Afrikánčina (af) - + Czech (cs) Čeština (cs) - + Danish (da) Dánsky (da) - + German (de) Němčina (de) - + Greek (el) Gréčtina (el) - + English, United Kingdom (en_GB) Angličtina, Spojené Kráľovstvo (en_GB) - + English, South Africa (en_ZA) Angličtina, Jihoafrická republika (en_ZA) - + Spanish (es) Španielčina (es) - + Estonian (et) Estónčina (et) - + Finnish (fi) Fínština (fi) - + French (fr) Francúzština (fr) - + Hungarian (hu) Maďarčina (hu) - + Indonesian (id) Indonéština (id) - + Japanese (ja) Japončina (ja) - - Norwegian Bokmål (nb) + + Norwegian Bokmål (nb) Nórčina Bokmål (nb) - + Dutch (nl) Holandčina (nl) - + Polish (pl) Polština (pl) - + Portuguese, Brazil (pt_BR) Portugalčina, Brazília (pt_BR) - + Russian (ru) Ruština (ru) - + Swedish (sv) Švédčina (sv) - + Tamil(Sri-Lanka) (ta_LK) Tamilčina(Srí Lanka) (ta_LK) - + Chinese(China) (zh_CN) Čínština(Čína) (zh_CN) - + Documentation Dokumentácia - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - Vytvorené za použitia -Python: http://www.python.org/ -Qt5: http://qt.io -PyQt5: 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 @@ -2609,343 +2503,386 @@ Prinášame túto aplikáciu zdarma, protože On nás oslobodil. - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - Autorské práva © 2004-2016 %s -Čiastočné autorská práva © 2004-2016 %s + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Nastavenia používateľského rozhrania - - - Number of recent files to display: - Počet zobrazených nedávnych súborov: - - Remember active media manager tab on startup - Zapamätať si akívnu kartu správcu médií pri spustení - - - - Double-click to send items straight to live - Dvojklik pre zobrazenie položiek Naživo - - - Expand new service items on creation Rozbaliť nové položky služby pri vytváraní. - + Enable application exit confirmation Povoliť potvrdenie ukončenia aplikácie - + Mouse Cursor Kurzor myši - + Hide mouse cursor when over display window Skryť kurzor myši počas prechodu cez okno zobrazenia - - Default Image - Východzí obrázok - - - - Background color: - Farba pozadia: - - - - Image file: - Obrázok: - - - + Open File Otvoriť súbor - + Advanced Pokročilé - - - Preview items when clicked in Media Manager - Náhľad položiek po kliknutí v správcovi médií - - Browse for an image file to display. - Prehľadávať obrázky na zobrazenie. - - - - Revert to the default OpenLP logo. - Obnoviť pôvodné OpenLP logo. - - - Default Service Name Predvolený názov služby - + Enable default service name Zapnúť predvolený názov služby. - + Date and Time: Dátum a čas: - + Monday Pondelok - + Tuesday Utorok - + Wednesday Streda - + Friday Piatok - + Saturday Sobota - + Sunday Nedeľa - + Now Teraz - + Time when usual service starts. Čas, kedy obvykle začína služba. - + Name: Názov: - + Consult the OpenLP manual for usage. Pre použitie sa obráťte na OpenLP manuál. - - Revert to the default service name "%s". - Vrátiť na predvolený názov služby "%s". - - - + Example: Príklad: - + Bypass X11 Window Manager Obísť správcu okien X11 - + Syntax error. Chyba syntaxe. - + Data Location Umiestnenie dát - + Current path: Aktuálna cesta: - + Custom path: Používateľská cesta: - + Browse for new data file location. Prehľadávať nové umiestnenie dátových súborov. - + Set the data location to the default. Nastaviť umiestnenie dát na predvolené. - + Cancel Zrušiť - + Cancel OpenLP data directory location change. Zrušiť zmenu umiestnenia dátového priečinku OpenLP. - + Copy data to new location. Kopírovať dáta do nového umiestnenia. - + Copy the OpenLP data files to the new location. Kopírovať dátové súbory OpenLP do nového umiestnenia. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>VAROVANIE:</strong>Nové umiestnenie dátového priečinku už obsahuje dátové súbory OpenLP. Tieto súbory BUDÚ nahradené počas kopírovania. - - Data Directory Error - Chyba dátového priečinku. - - - + Select Data Directory Location Vybrať umiestnenie dátového priečinku. - + Confirm Data Directory Change Potvrdiť zmenu dátového priečinku. - + Reset Data Directory Obnoviť dátový priečinok - + Overwrite Existing Data Prepísať existujúce údaje - - 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. - Dátový priečinok OpenLP nebol nájdený - -%s - -Predvolené umiestnenie OpenLP bolo skôr zmenené na tento priečinok. Ak bolo nové umiestnenie na výmeniteľnom zariadení, je nutné dané zariadenie najskôr pripojiť. - -Kliknite na "Nie", aby sa prerušilo načítanie OpenLP. To umožní opraviť daný problém. - -Kliknite na "Áno", aby sa dátový priečinok nastavil na predvolené umiestnenie. - - - - 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. - Ste si istý, že chcete zmeniť umiestnenie dátového priečinku OpenLP na: - -%s - -Toto umiestnenie bude zmenené po zatvorení aplikácie OpenLP. - - - + Thursday Štvrtok - + Display Workarounds Zobraz pracovnú plochu - + Use alternating row colours in lists Použiť striedanie farieb v riadkoch - - 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? - VAROVANIE: - -Umiestnenie - -%s - -ktoré ste vybrali zrejme obsahuje dátové súbory aplikácie OpenLP. Prajete si nahradiť tieto súbory aktuálnymi dátovými súbormi? - - - + Restart Required Požadovaný reštart - + This change will only take effect once OpenLP has been restarted. Táto zmena sa prejaví až po reštarte programu OpenLP. - + 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. Ste si istý, že chcete zmeniť umiestnenie dátového priečinku OpenLP na predvolené umiestnenie? Toto umiestnenie sa použije po zatvorení aplikácie OpenLP. + + + Max height for non-text slides +in slide controller: + Maximálna výška pre netextové snímky +v správcovi snímkov: + + + + Disabled + Vypnuté + + + + When changing slides: + Počas zmeny snímkov: + + + + Do not auto-scroll + Neskorolovať automaticky + + + + Auto-scroll the previous slide into view + Automatické posúvanie predchádzajúceho snímku do zobrazenia + + + + Auto-scroll the previous slide to top + Automatické posúvanie predchádzajúceho snímku na začiatok + + + + Auto-scroll the previous slide to middle + Automatické posúvanie predchádzajúceho snímku do stredu + + + + Auto-scroll the current slide into view + Automatické posúvanie aktuálneho snímku do zobrazenia + + + + Auto-scroll the current slide to top + Automatické posúvanie aktuálneho snímku na začiatok + + + + Auto-scroll the current slide to middle + Automatické posúvanie aktuálneho snímku do stredu + + + + Auto-scroll the current slide to bottom + Automatické posúvanie aktuálneho snímku nadol + + + + Auto-scroll the next slide into view + Automatické posúvanie nasledujúceho snímku do zobrazenia + + + + Auto-scroll the next slide to top + Automatické posúvanie nasledujúceho snímku na začiatok + + + + Auto-scroll the next slide to middle + Automatické posúvanie nasledujúceho snímku do stredu + + + + Auto-scroll the next slide to bottom + Automatické posúvanie nasledujúceho snímku nadol + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automaticky + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Kliknúť pre výber farby. @@ -2953,252 +2890,252 @@ This location will be used after OpenLP is closed. OpenLP.DB - + RGB RGB - + Video Video - + 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 @@ -3206,62 +3143,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred Vyskytla sa chyba - + Send E-Mail Poslať email. - + Save to File Uložiť do súboru - + Attach File Pripojiť súbor - - - Description characters to enter : %s - Popisné znaky na potvrdenie : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - Prosím, popíšte, čo ste robili, keď sa vyskytla táto chyba. Pokiaľ možno v angličtine. -(Najmenej 20 znakov) - - 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. Also attach any files that triggered the problem. - Ups! V OpenLP sa vyskytol problém a program sa nemohol obnoviť. Text v poli nižšie obsahuje informácie, ktoré by mohli byť užitočné pre OpenLP vývojárov. Prosím pošlite e-mail na bugs@openlp.org spolu s podrobným popisom toho, čo ste robili, keď sa problém vyskytol. Tak isto pripojte akékoľvek súbory, ktoré spustili tento problém. + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Platforma: %s - - - - + Save Crash Report Uložiť správu o zlyhaní - + Text files (*.txt *.log *.text) Textové súbory (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3302,268 +3251,259 @@ This location will be used after OpenLP is closed. OpenLP.FirstTimeWizard - + Songs Piesne - + First Time Wizard Sprievodca prvým spustením - + Welcome to the First Time Wizard 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 - Sledovanie použitia piesní - - - - Allow Alerts - Povoliť upozornenia - - - + Default Settings Pôvodné nastavenia. - - Downloading %s... - Sťahovanie %s... - - - + Enabling selected plugins... 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... Štartovanie konfiguračného procesu... - + Setting Up And Downloading 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 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. - Internetové pripojenie nie je dostupné. Sprievodca prvým spustením potrebuje internetové pripojenie pre stiahnutie ukážok piesní, Biblií a motívov. Kliknite na tlačidlo Koniec pre spustenie aplikácie OpenLP s predvoleným nastavením a bez vzorových dát. - -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 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ť + + + Select parts of the program you wish to use + Vyberte časti programu, ktoré chcete použiť. + + + + You can also change these settings after the Wizard. + Tieto nastavenia môžete meniť aj po ukončení sprievodcu. + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + Vlastné snímky - ľahká správa pesničiek s vlastným usporiadaním snímkov + + + + Bibles – Import and show Bibles + Biblie - import a zobrazenie biblií + + + + Images – Show images or replace background with them + Obrázky - ukázať obrázky alebo s nimi meniť pozadie + + + + Presentations – Show .ppt, .odp and .pdf files + Prezentácie - zobrazenie .ppt, .odp, a .pdf súborov + + + + Media – Playback of Audio and Video files + Média - prehrávanie audio a video súborov + + + + Remote – Control OpenLP via browser or smartphone app + Dialkové ovládanie - ovládanie OpenLP cez prehliadač alebo mobilnú aplikáciu + + + + Song Usage Monitor + Sledovanie používania piesne + + + + Alerts – Display informative messages while showing other slides + Upozornenia - zobrazenie informačných správ počas zobrazenia snímkov + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + Projektory - ovládanie PJLink kompatibilných projektorov v sieti z programu OpenLP + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3606,44 +3546,49 @@ Ak chcete úplne zrušiť sprievodcu prvým spustením (a nespustiť OpenLP), kl OpenLP.FormattingTagForm - + <HTML here> <HTML tu> - + Validation Error Chyba overovania - + Description is missing Chýba popis - + Tag is missing Chýba značka - Tag %s already defined. - Značka %s je už definovaná. + Tag {tag} already defined. + - Description %s already defined. - Popis %s je už definovaný. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Začiatočná značka %s nie je platná značka HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - Koncová značka %(end)s nezodpovedá uzatváracej značke k značke %(start)s + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3732,170 +3677,200 @@ Ak chcete úplne zrušiť sprievodcu prvým spustením (a nespustiť OpenLP), kl OpenLP.GeneralTab - + General Všeobecné - + Monitors Monitory - + Select monitor for output display: Vybrať monitor pre výstupné zobrazenie - + Display if a single screen Zobrazenie pri jednej obrazovke - + Application Startup Spustenie aplikácie - + Show blank screen warning Zobraziť varovanie pri prázdnej obrazovke - - Automatically open the last service - Automaticky otvoriť poslednú službu - - - + Show the splash screen Zobraziť úvodnú obrazovku - + Application Settings Nastavenie aplikácie - + Prompt to save before starting a new service Pred spustením novej služby sa pýtať na uloženie. - - Automatically preview next item in service - Automatický náhľad ďalšej položky v službe - - - + sec sek - + CCLI Details CCLI Detaily - + SongSelect username: SongSelect používateľské meno: - + SongSelect password: SongSelect heslo: - + X X - + Y Y - + Height Výška - + Width Šírka - + Check for updates to OpenLP Kontrola aktualizácií aplikácie OpenLP - - Unblank display when adding new live item - Odkryť zobrazenie pri pridávaní novej položky naživo - - - + Timed slide interval: Časový interval medzi snímkami: - + Background Audio Zvuk na pozadí - + Start background audio paused Spustiť zvuk na pozadí pozastavený - + Service Item Slide Limits Obmedzenia snímku položky služby - + Override display position: Prekryť pozíciu zobrazenia: - + Repeat track list Opakovať zoznam stôp - + Behavior of next/previous on the last/first slide: Správanie nasledujúceho/predchádzajúceho na poslednom/prvom snímku: - + &Remain on Slide &Zostať na snímku - + &Wrap around &Skok na prvý/posledný snímok - + &Move to next/previous service item &Presuň na nasledujúcu/predchádzajúcu položku v službe + + + Logo + Logo + + + + Logo file: + Súbor loga: + + + + Browse for an image file to display. + Prehľadávať obrázky na zobrazenie. + + + + Revert to the default OpenLP logo. + Obnoviť pôvodné OpenLP logo. + + + + Don't show logo on startup + Nezobrazovať logo pri spustení + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Jazyk - + Please restart OpenLP to use your new language setting. Zmeny nastavenia jazyka sa prejavia po reštartovaní aplikácie OpenLP. @@ -3903,7 +3878,7 @@ Ak chcete úplne zrušiť sprievodcu prvým spustením (a nespustiť OpenLP), kl OpenLP.MainDisplay - + OpenLP Display Zobrazenie OpenLP @@ -3911,352 +3886,188 @@ Ak chcete úplne zrušiť sprievodcu prvým spustením (a nespustiť OpenLP), kl OpenLP.MainWindow - + &File &Súbor - + &Import &Import - + &Export &Export - + &View &Zobraziť - - M&ode - &Réžim - - - + &Tools &Nástroje - + &Settings Nas&tavenia - + &Language &Jazyk - + &Help &Pomocník - - Service Manager - Správca služby - - - - Theme Manager - Správca motívov - - - + Open an existing service. Otvoriť existujúcu službu. - + Save the current service to disk. Uložiť súčasnú službu na disk. - + Save Service As Uložiť službu ako - + Save the current service under a new name. Uložiť súčasnú službu s novým názvom - + E&xit &Ukončiť - - Quit OpenLP - Ukončiť OpenLP - - - + &Theme &Motív - + &Configure OpenLP... &Nastaviť OpenLP - - &Media Manager - &Správca médií - - - - Toggle Media Manager - Prepnúť správcu médií - - - - Toggle the visibility of the media manager. - Prepnúť viditeľnosť správcu médií. - - - - &Theme Manager - &Správca motívov - - - - Toggle Theme Manager - Prepnúť správcu motívu - - - - Toggle the visibility of the theme manager. - Prepnúť viditeľnosť správcu motívu. - - - - &Service Manager - &Správca služby - - - - Toggle Service Manager - Prepnúť správcu služby - - - - Toggle the visibility of the service manager. - Prepnúť viditeľnosť správcu služby. - - - - &Preview Panel - &Panel náhľadu - - - - Toggle Preview Panel - Prepnúť panel náhľadu - - - - Toggle the visibility of the preview panel. - Prepnúť viditeľnosť panelu náhľadu. - - - - &Live Panel - &Panel Naživo - - - - Toggle Live Panel - Prepnúť panel Naživo - - - - Toggle the visibility of the live panel. - Prepnúť viditeľnosť panelu Naživo. - - - - List the Plugins - Vypísať moduly - - - - &User Guide - &Používateľská príručka - - - + &About &O aplikácii - - More information about OpenLP - Viac informácií o aplikácii OpenLP - - - - &Online Help - &Online pomocník - - - + &Web Site &Webová stránka - + Use the system language, if available. Použiť jazyk systému, ak je dostupný. - - Set the interface language to %s - Jazyk rozhrania nastavený na %s - - - + Add &Tool... Pridať &nástroj... - + Add an application to the list of tools. Pridať aplikáciu do zoznamu nástrojov. - - &Default - &Predvolený - - - - Set the view mode back to the default. - Nastaviť režim zobrazenia späť na predvolený. - - - + &Setup &Náhľad - - Set the view mode to Setup. - &Nastaviť režim zobrazenia na Nastavenie - - - + &Live &Naživo - - Set the view mode to Live. - Nastaviť režim zobrazenia na Naživo. - - - - 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/. - Na stiahnutie je dostupná verzia %s aplikácie OpenLP (v súčasnej dobe používate verziu %s). - -Najnovšiu verziu si môžte stiahnuť z http://openlp.org/. - - - + OpenLP Version Updated Verzia OpenLP bola aktualizovaná - + OpenLP Main Display Blanked Hlavné zobrazenie OpenLP je prázdne - + The Main Display has been blanked out Hlavné zobrazenie je vymazané. - - Default Theme: %s - Predvolený motív: %s - - - + English Please add the name of your language here Slovenčina - + Configure &Shortcuts... Klávesové &skratky... - + Open &Data Folder... Otvoriť &dátový priečinok... - + Open the folder where songs, bibles and other data resides. Otvoriť priečinok, kde sa nachádzajú piesne, biblie a ostatné dáta. - + &Autodetect &Automaticky detekovať - + Update Theme Images Aktualizovať obrázky motívov - + Update the preview images for all themes. Aktualizovať náhľady obrázkov všetkých motívov - + Print the current service. Tlačiť aktuálnu službu. - - L&ock Panels - &Zamknúť panely - - - - Prevent the panels being moved. - Zabrániť presunu panelov. - - - + Re-run First Time Wizard Znovu spustiť Sprievodcu prvým spustením. - + Re-run the First Time Wizard, importing songs, Bibles and themes. Znovu spustiť Sprievodcu prvým spustením, importovať piesne, biblie a motívy. - + Re-run First Time Wizard? Spustiť znovu Sprievodcu prvým spustením? - + 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. @@ -4265,105 +4076,68 @@ 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. - + Configure &Formatting Tags... Nastaviť &formátovacie značky... - - Export OpenLP settings to a specified *.config file - Export OpenLP nastavení do určitého *.config súboru - - - + Settings Nastavenia - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Import OpenLP nastavenia z určitého *.config súboru predtým exportovaného na tomto alebo inom stroji. - - - + Import settings? Importovať nastavenia? - - Open File - Otvoriť súbor - - - - OpenLP Export Settings Files (*.conf) - Súbory exportovaného nastavenia OpenLP (*.conf) - - - + Import settings Import nastavení - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. Aplikácia OpenLP sa teraz ukončí. Importované nastavenia sa použijú pri ďalšom spustení. - + Export Settings File Súbor exportovaného nastavenia. - - OpenLP Export Settings File (*.conf) - 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 - Kopírovanie dátového priečinku OpenLP zlyhalo %s - - - + General Všeobecné - + Library Knižnica - + Jump to the search box of the current active plugin. Skočiť na vyhľadávacie pole aktuálneho aktívneho pluginu. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4376,7 +4150,7 @@ Tieto importované nastavenia trvalo zmenia súčasnú konfiguráciu OpenLP. Import nesprávných nastavení môže viesť k neočakávanému správaniu alebo padaniu aplikácie 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. @@ -4385,191 +4159,374 @@ Processing has terminated and no changes have been made. 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 - - - + &Recent Services Ne&dávne služby - + &New Service &Nová služba - + &Open Service &Otvoriť službu - + &Save Service &Uložiť službu - + Save Service &As... Uložit službu &ako - + &Manage Plugins Spravovať &moduly - + Exit OpenLP Ukončiť OpenLP - + Are you sure you want to exit OpenLP? Chcete naozaj ukončiť aplikáciu OpenLP? - + &Exit OpenLP U&končit OpenLP + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + Verzia OpenLP {new} je k dispozícii na stiahnutie (momentálna verzia {current}). + +Poslednú verziu môžete stiahnuť z http://openlp.org/. + + + + The key "{key}" does not have a default value so it will be skipped in this export. + Kľúč "{key}" nemá východziu hodnotu a preto bude pri tomto exporte preskočený. + + + + An error occurred while exporting the settings: {err} + Vyskytla sa chyba pri exporte nastavení: {err} + + + + Default Theme: {theme} + Predvolený motív: {theme} + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + Kopírovanie OpenLP dát do nového umiestnenia dátového priečinka - {path} - Počkajte prosím na dokokončenie kopírovania. + + + + OpenLP Data directory copy failed + +{err} + Kopírovanie dátového priečinku OpenLP zlyhalo + +{err} + + + + &Layout Presets + + + + + Service + Služba + + + + Themes + Motívy + + + + Projectors + Projektory + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + + 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 - Databáza na načítanie bola vytvorená v novšej verzii aplikácie OpenLP. Verzia databázy je %d, zatiaľ čo OpenLP očakáva verziu %d. Databáza nebude načítaná. - -Databáza: %s - - - + OpenLP cannot load your database. -Database: %s - Aplikácia OpenLP nemôže načítať databázu. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Databáza: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Nevybrané žiadne položky - + &Add to selected Service Item &Pridať k vybranej položke služby - + You must select one or more items to preview. K náhľadu je potrebné vybrať jednu alebo viac položiek. - + You must select one or more items to send live. Pre zobrazenie naživo je potrebné vybrať jednu alebo viac položiek. - + You must select one or more items. Je potrebné vybrať jednu alebo viac položiek. - + You must select an existing service item to add to. K pridaniu je potrebné vybrať existujúcu položku služby. - + Invalid Service Item Neplatná položka služby - - You must select a %s service item. - Je potrebné vybrať %s položku služby. - - - + You must select one or more items to add. Pre pridanie je potrebné vybrať jednu alebo viac položiek. - - No Search Results - Žiadne výsledky vyhľadávania. - - - + Invalid File Type Neplatný typ súboru. - - Invalid File %s. -Suffix not supported - Nepltný súbor %s. -Prípona nie je podporovaná - - - + &Clone &Klonovať - + Duplicate files were found on import and were ignored. Pri importe boli nájdené duplicitné súbory, ktoré boli ignorované. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Chýbajúca značka <lyrics>. - + <verse> tag is missing. Chýbajúca značka <verse>. @@ -4577,22 +4534,22 @@ Prípona nie je podporovaná OpenLP.PJLink1 - + 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: @@ -4600,32 +4557,32 @@ Prípona nie je podporovaná OpenLP.PlayerTab - + Players Prehrávače - + Available Media Players Dostupné prehrávače médií - + Player Search Order Poradie vyhľadávania prehrávačov - + Visible background for videos with aspect ratio different to screen. Viditeľné pozadie pre videa s iným pomerom strán než má obrazovka. - + %s (unavailable) %s (nedostupný) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" Poznámka: Aby sa dalo použiť VLC je potrebné nainštalovať verziu %s @@ -4634,55 +4591,50 @@ Prípona nie je podporovaná OpenLP.PluginForm - + Plugin Details Podrobnosti k modulu. - + Status: Stav: - + Active Aktívny - - Inactive - Neaktívny - - - - %s (Inactive) - %s (Neaktívny) - - - - %s (Active) - %s (Aktívny) + + Manage Plugins + Spravovať moduly - %s (Disabled) - %s (Vypnutý) + {name} (Disabled) + - - Manage Plugins - Spravovať moduly + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Prispôsobiť stránke - + Fit Width Prispôsobiť šírke @@ -4690,77 +4642,77 @@ Prípona nie je podporovaná OpenLP.PrintServiceForm - + Options Možnosti - + Copy Kopírovať - + Copy as HTML Kopírovať ako HTML - + Zoom In Zväčšiť - + Zoom Out Zmenšiť - + Zoom Original Pôvodná veľkosť - + Other Options Ostatné možnosti - + Include slide text if available Zahrnúť text snímku, ak je k dispozícii - + Include service item notes Zahrnúť poznámky položky služby - + Include play length of media items Zahrnúť dĺžku prehrávania mediálnych položiek - + Add page break before each text item Pridať zalomenie stránky pred každou položkou textu - + Service Sheet List služby - + Print Tlač - + Title: Nadpis: - + Custom Footer Text: Vlastný text zápätia: @@ -4768,257 +4720,257 @@ Prípona nie je podporovaná OpenLP.ProjectorConstants - + 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 + Neplatný 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 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 @@ -5026,17 +4978,17 @@ Prípona nie je podporovaná OpenLP.ProjectorEdit - + 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 @@ -5044,52 +4996,52 @@ Prípona nie je podporovaná OpenLP.ProjectorEditForm - + 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 - + Notes Poznámky - + Database Error Chyba databázy - + 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. @@ -5097,305 +5049,360 @@ Prípona nie je podporovaná OpenLP.ProjectorManager - + 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 - Prepnúť 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 - + Port Port - + Notes Poznámky - + 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é - - Delete projector (%s) %s? - Zmazať projektor (%s) %s? - - - + Are you sure you want to delete this projector? Ste si istý, že chcete zmazať tento projektor? + + + Add a new projector. + Pridať nový projektor. + + + + Edit selected projector. + Upraviť vybraný projektor. + + + + Delete selected projector. + Zmazať vybraný projektor. + + + + Choose input source on selected projector. + Vybrať zdroj vstupu u vybraného projektoru. + + + + 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 projector. + Odpojiť sa od vybraného projektoru. + + + + Disconnect from selected projectors. + Odpojiť sa od vybraných projektorov. + + + + Power on selected projector. + Zapnúť vybraný projektor. + + + + Power on selected projectors. + Zapnúť vybrané projektory. + + + + Put selected projector in standby. + Prepnúť vybraný projektor do úsporného režimu. + + + + Put selected projectors in standby. + Prepnúť vybrané projektory do úsporného režimu. + + + + Blank selected projectors screen + Prázdna obrazovka na vybranom projektore. + + + + Blank selected projectors screen. + Prázdna obrazovka na vybraných projektoroch. + + + + Show selected projector screen. + Zobraziť obrazovku na vybranom projektore. + + + + Show selected projectors screen. + Zobraziť obrazovku na vybraných projektoroch. + + + + is on + je zapnutý + + + + is off + je vypnutý + + + + Authentication Error + Chyba prihlásenia + + + + No Authentication Error + Bez chyby prihlásenia + OpenLP.ProjectorPJLink - + Fan Ventilátor - + Lamp Lampa - + Temperature Teplota - + Cover Kryt - + Filter Filter - + Other Ďalšie @@ -5441,17 +5448,17 @@ Prípona nie je podporovaná OpenLP.ProjectorWizard - + Duplicate IP Address Duplicitná IP adresa - + Invalid IP Address Neplatná IP adresa - + Invalid Port Number Neplatné číslo portu @@ -5464,27 +5471,27 @@ Prípona nie je podporovaná Obrazovka - + primary Primárny OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Začiatok</strong>:%s - - - - <strong>Length</strong>: %s - <strong>Dĺžka</strong>:%s - - [slide %d] - [snímok %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5548,52 +5555,52 @@ Prípona nie je podporovaná Vymazať vybranú položku zo služby. - + &Add New Item &Pridať novú položku - + &Add to Selected Item &Pridať k vybranej položke - + &Edit Item &Upraviť položku - + &Reorder Item &Zmeniť poradie položky - + &Notes &Poznámky - + &Change Item Theme &Zmeniť motív položky - + File is not a valid service. 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 @@ -5618,7 +5625,7 @@ Prípona nie je podporovaná Zabaliť všetky položky služby. - + Open File Otvoriť súbor @@ -5648,22 +5655,22 @@ Prípona nie je podporovaná Odoslať vybranú položku Naživo. - + &Start Time &Spustiť čas - + Show &Preview Zobraziť &náhľad - + Modified Service Zmenená služba - + The current service has been modified. Would you like to save this service? Aktuálna služba bola zmenená. Prajete si službu uložiť? @@ -5683,27 +5690,27 @@ Prípona nie je podporovaná Čas prehrávania: - + Untitled Service 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 @@ -5723,147 +5730,145 @@ Prípona nie je podporovaná 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 - + &Rename... &Premenovať... - + Create New &Custom Slide Vytvoriť nový &vlastný snímok - + &Auto play slides &Automaticky prehrať snímok - + Auto play slides &Loop Automaticky prehrať snímok &Opakovane - + Auto play slides &Once Automaticky prehrať snímok opakovane &Raz - + &Delay between slides Oneskorenie &Medzi snímkami - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} 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í. + + + + + An error occurred while writing the service file: {error} + @@ -5895,15 +5900,10 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. Skratka - + Duplicate Shortcut Duplicitná skratka - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Skratka "%s" je už priradená inej činnosti, prosím použite inú skratku. - Alternate @@ -5949,219 +5949,235 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. Configure Shortcuts Nastaviť skratky + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Skryť - + Go To Prejsť na - - - Blank Screen - Prázdna obrazovka - - Blank to Theme - Prázdny motív - - - Show Desktop Zobraziť plochu - + Previous Service Predchádzajúca služba - + Next Service Nasledujúca služba - - Escape Item - Zrušiť položku - - - + Move to previous. Predchádzajúci - + Move to next. Nasledujúci - + Play Slides Prehrať snímky - + Delay between slides in seconds. Oneskorenie medzi snímkami v sekundách. - + Move to live. Naživo - + Add to Service. Pridať k službe. - + Edit and reload song preview. Upraviť a znovu načítať náhľad piesne. - + Start playing media. Spustiť prehrávanie média. - + Pause audio. Pozastaviť zvuk. - + Pause playing media. Pozastaviť prehrávanie média. - + Stop playing media. Zastaviť prehrávanie média. - + Video position. Pozícia vo videu. - + Audio Volume. Hlasitosť zvuku. - + Go to "Verse" Prejsť na "Sloha" - + Go to "Chorus" Prejsť na "Refrén" - + Go to "Bridge" Prejsť na "Prechod" - + Go to "Pre-Chorus" Prejsť na "Predrefrén" - + Go to "Intro" Prejsť na "Úvod" - + Go to "Ending" Prejsť na "Zakončenie" - + Go to "Other" Prejsť na "Ostatné" - + Previous Slide Predchádzajúci snímok - + Next Slide Nasledujúci snímok - + Pause Audio Pozastaviť zvuk - + Background Audio Zvuk na pozadí - + Go to next audio track. Prejsť na ďalšiu zvukovú stopu. - + Tracks Stopy + + + Loop playing media. + Opakovať prehrávanie média. + + + + Video timer. + Časovač videa. + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + 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 - + 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? @@ -6169,17 +6185,17 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. OpenLP.SpellTextEdit - + Spelling Suggestions Návrhy pravopisu - + Formatting Tags Formátovacie značky - + Language: Jazyk: @@ -6258,7 +6274,7 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. OpenLP.ThemeForm - + (approximately %d lines per slide) (približne %d riadok na snímok @@ -6266,523 +6282,531 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. OpenLP.ThemeManager - + Create a new theme. Nový motív - + Edit Theme Upraviť motív - + Edit a theme. Upraviť motív - + Delete Theme Zmazať motív - + Delete a theme. Odstrániť motív - + Import Theme Import motívu - + Import a theme. Importovať motív - + Export Theme Export motívu - + Export a theme. Exportovať motív - + &Edit Theme &Upraviť motív - + &Delete Theme &Zmazať motív - + Set As &Global Default Nastaviť ako &Globálny predvolený - - %s (default) - %s (predvolený) - - - + You must select a theme to edit. Pre úpravy je potrebné vybrať motív. - + You are unable to delete the default theme. Nie je možné zmazať predvolený motív - + 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 - + Select Theme Import File Vybrať súbor k importu motívu - + File is not a valid theme. Súbor nie je platný motív. - + &Copy Theme &Kopírovať motív - + &Rename Theme &Premenovať motív - + &Export Theme &Export motívu - + You must select a theme to rename. K premenovaniu je potrebné vybrať motív. - + Rename Confirmation Potvrdenie premenovania - + Rename %s theme? Premenovať motív %s? - + You must select a theme to delete. Pre zmazanie je potrebné vybrať motív. - + Delete Confirmation Potvrdenie zmazania. - + Delete %s theme? Zmazať motív %s? - + Validation Error Chyba overovania - + A theme with this name already exists. Motív s týmto názvom už existuje. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - %s krát použité v %s - - - + Unable to delete theme Nie je možné zmazať motív + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - Motív sa práve používa - -%s +{text} + OpenLP.ThemeWizard - + Theme Wizard Sprievodca motívom - + Welcome to the Theme Wizard Vitajte v sprievodcovi motívom - + Set Up Background Nastavenie pozadia - + Set up your theme's background according to the parameters below. Podľa parametrov nižšie nastavte pozadie motívu. - + Background type: Typ pozadia: - + Gradient Stúpanie - + Gradient: Stúpanie: - + Horizontal Vodorovný - + Vertical Zvislý - + Circular Kruhový - + Top Left - Bottom Right Vľavo hore - vpravo dole - + Bottom Left - Top Right Vľavo dole - vpravo hore - + Main Area Font Details Podrobnosti písma hlavnej oblasti - + Define the font and display characteristics for the Display text Definovať písmo a charakteristiku zobrazenia pre zobrazený text - + Font: Písmo: - + Size: Veľkosť: - + Line Spacing: Riadkovanie: - + &Outline: &Okraj: - + &Shadow: &Tieň: - + Bold Tučné - + Italic Kurzíva - + Footer Area Font Details Podrobnosti písma oblasti zápätia - + Define the font and display characteristics for the Footer text Definovať písmo a charakteristiku zobrazenia pre text zápätia - + Text Formatting Details Podrobnosti formátovania textu - + Allows additional display formatting information to be defined Povoľuje definovať ďalšie formátovacie infromácie zobrazenia - + Horizontal Align: Vodorovné zarovnanie - + Left Vľavo - + Right Vpravo - + Center Na stred - + Output Area Locations Umiestnenie výstupných oblastí - + &Main Area &Hlavná oblasť - + &Use default location &Použiť predvolené umiestnenie - + X position: Pozícia X: - + px px - + Y position: Pozícia Y: - + Width: Šírka: - + Height: Výška: - + Use default location Použiť predvolené umiestnenie - + Theme name: Názov motívu: - - Edit Theme - %s - Upraviť motív - %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. Tento sprievodca vám pomôže vytvoriť a upravovať svoje motívy. Pre spustenie procesu nastavení vášho pozadia kliknite nižšie na tlačidlo ďalší. - + Transitions: Prechody: - + &Footer Area &Oblasť zápätia - + Starting color: Farba začiatku: - + Ending color: Farba konca: - + Background color: Farba pozadia: - + Justify Do bloku - + Layout Preview Náhľad rozmiestnenia - + Transparent Priehľadný - + Preview and Save Náhľad a uložiť - + Preview the theme and save it. Náhľad motívu a uložiť ho. - + Background Image Empty Prázdny obrázok pozadia - + Select Image Vybrať obrázok - + Theme Name Missing Chýba názov motívu - + There is no name for this theme. Please enter one. Nie je vyplnený názov motívu. Prosím zadajte ho. - + Theme Name Invalid Neplatný názov motívu - + Invalid theme name. Please enter one. Neplatný názov motívu. Prosím zadajte nový. - + Solid color Jednofarebné - + color: farba: - + Allows you to change and move the Main and Footer areas. Umožňuje zmeniť a presunúť hlavnú oblasť a oblasť zápätia. - + You have not selected a background image. Please select one before continuing. Nebol vybraný obrázok pozadia. Pred pokračovaním prosím jeden vyberte. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6865,73 +6889,73 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. &Zvislé zarovnanie: - + Finished import. Import ukončený. - + Format: Formát: - + Importing Importovanie - + Importing "%s"... Importovanie "%s"... - + Select Import Source Vybrať zdroj importu - + Select the import format and the location to import from. Vyberte formát importu a umiestnenia, z ktorého sa má importovať. - + Open %s File Otvoriť súbor %s - + %p% %p% - + Ready. Pripravený - + Starting import... Spustenie importu... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong 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 - + Welcome to the Song Export Wizard Vitajte v sprievodcovi exportu piesní. - + Welcome to the Song Import Wizard Vitajte v sprievodcovi importu piesní. @@ -6949,7 +6973,7 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. - © + © Copyright symbol. © @@ -6981,39 +7005,34 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. Chyba v syntaxi XML - - Welcome to the Bible Upgrade Wizard - Vitajte v sprievodcovi aktualizácií Biblie. - - - + Open %s Folder Otvorte %s priečinok - + You need to specify one %s file to import from. A file type e.g. OpenSong Určte jeden %s súbor z kade sa bude importovať. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Určte jeden %s priečinok z kadiaľ sa bude importovať. - + Importing Songs Import piesní - + Welcome to the Duplicate Song Removal Wizard Vitajte v sprievodcovi odobratia duplicitných piesní - + Written by Napísal @@ -7023,502 +7042,490 @@ Tieto súbory budú vymazané ak budeťe pokračovať v ukladaní. Autor neznámy - + About O aplikácii - + &Add &Pridať - + Add group Pridať skupinu - + Advanced Pokročilé - + All Files Všetky súbory - + Automatic Automaticky - + Background Color Farba pozadia - + Bottom Dole - + Browse... Prehliadať... - + Cancel Zrušiť - + CCLI number: CCLI číslo: - + Create a new service. Vytvoriť novú službu - + Confirm Delete Potvrdiť zmazanie - + Continuous Spojitý - + Default Predvolená - + Default Color: Predvolená farba: - + 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. Služba %Y-%m-%d %H-%M - + &Delete &Zmazať - + Display style: Štýl zobrazenia - + Duplicate Error Duplicitná chyba - + &Edit &Upraviť - + Empty Field Prázdne pole - + Error Chyba - + Export Export - + File Súbor - + File Not Found Súbor nebol nájdený - - File %s not found. -Please try selecting it individually. - Súbor %s nebol nájdený. -Skúste to prosím výberom individuálne. - - - + pt Abbreviated font pointsize unit pt - + Help Pomocník - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Vybrali ste nesprávny priečinok - + Invalid File Selected Singular Vybrali ste nesprávny súbor - + Invalid Files Selected Plural Vybrali ste nesprávne súbory - + Image Obrázok - + Import Import - + Layout style: Štýl rozmiestnenia - + Live Naživo - + Live Background Error Chyba v pozadí naživo - + Live Toolbar Nástrojová lišta naživo - + Load Načítať - + Manufacturer Singular Výrobca - + Manufacturers Plural Výrobci - + Model Singular Model - + Models Plural Modely - + m The abbreviated unit for minutes min - + Middle Uprostred - + New Nový - + New Service Nová služba - + New Theme Nový motív - + Next Track Nasledujúca stopa - + No Folder Selected Singular Nevybrali ste žiadny priečinok - + No File Selected Singular Nevybraný žiadny súbor - + No Files Selected Plural Nevybrané žiadne súbory - + No Item Selected Singular Nevybraná žiadna položka - + No Items Selected Plural Nevybrané žiadne položky - + OpenLP is already running. Do you wish to continue? Aplikácia OpenLP je už spustená. Prajete si pokračovať? - + Open service. Otvoriť službu - + Play Slides in Loop Prehrať snímky v slučke - + Play Slides to End Prehrať snímky na konci - + Preview Náhľad - + Print Service Tlač služby - + Projector Singular 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: - + Preview Toolbar Nástrojová lišta náhľadu - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. Nahradiť živé pozadie (live background) nie je dostupné keď je prehrávač WebKit zakázaný. @@ -7534,32 +7541,99 @@ Skúste to prosím výberom individuálne. Plural Spevníky + + + Background color: + Farba pozadia: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Žiadne Biblie k dispozícii. + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Sloha + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Žiadne výsledky vyhľadávania. + + + + Please type more text to use 'Search As You Type' + + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s a %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, a %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7639,47 +7713,47 @@ Skúste to prosím výberom individuálne. Prezentovať pomocou: - + File Exists Súbor existuje - + A presentation with that filename already exists. Prezentácia s týmto názvom súboru už existuje. - + This type of presentation is not supported. Tento typ prezentácie nie je podporovaný. - - Presentations (%s) - 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. + + Presentations ({text}) + - - The presentation %s no longer exists. - Prezentácia %s už neexistuje. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7689,11 +7763,6 @@ Skúste to prosím výberom individuálne. Available Controllers Dostupné ovládanie - - - %s (unavailable) - %s (nedostupný) - Allow presentation application to be overridden @@ -7710,12 +7779,12 @@ Skúste to prosím výberom individuálne. Použite celú cestu k mudraw alebo ghostscript: - + Select mudraw or ghostscript binary. Vyberte mudraw alebo ghostscript. - + The program is not ghostscript or mudraw which is required. Program nie je ghostscript alebo mudraw, ktorý je potrebný. @@ -7726,13 +7795,19 @@ Skúste to prosím výberom individuálne. - Clicking on a selected slide in the slidecontroller advances to next effect. - Kliknutím na vybratý snímok v ovládaní postúpi do dalšieho efektu. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Nechať PowerPoint určovať veľkosť a pozíciu prezentačného okna (riešenie problému veľkosti vo Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7746,19 +7821,19 @@ Skúste to prosím výberom individuálne. Remote name singular - Vzdialený + Dialkové ovládanie Remotes name plural - Vzdialené + Dialkové ovládania Remote container title - Vzdialený + Dialkové ovládanie @@ -7774,127 +7849,127 @@ 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 - + Remote - Vzdialený + Dialkové ovládania - + Stage View Pódiové zobrazenie - + Live View Zobrazenie naživo @@ -7902,79 +7977,140 @@ Skúste to prosím výberom individuálne. RemotePlugin.RemoteTab - + Serve on IP address: Zdieľať na IP adrese: - + Port number: Číslo portu: - + Server Settings Nastavenie serveru - + Remote URL: - Vzdialená URL: + URL dialkového ovládania: - + Stage view URL: Náhľad stage URL: - + Display stage time in 12h format Zobraziť čas v 12-hodinovom formáte - + Android App Android aplikácia - + Live view URL: URL Naživo: - + 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. Nemôžem nájsť SSL certifikát. HTTPS server nebude dostupný pokiaľ nebude SSL certifikát. Prosím pozrite manuál pre viac informácií. - + User Authentication Autentifikácia používateľa - + User id: Používateľ: - + Password: Heslo: - + 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í + Zobraziť miniatúry netextových snímkov v dialkovom ovládaní a na pódiovom zobrazení - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Naskenujte QR kód alebo klinite na <a href="%s">stiahnuť</a> pre inštaláciu Android aplikácie zo služby Google Play. + + iOS App + iOS aplikácia + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Nebola vybraná žiadna výstupná cesta. + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Vytvorenie hlásenia + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8015,50 +8151,50 @@ Skúste to prosím výberom individuálne. 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ý @@ -8125,22 +8261,10 @@ All data recorded before this date will be permanently deleted. 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 @@ -8154,14 +8278,26 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8177,127 +8313,127 @@ Prosím vyberte existujúcu cestu vo vašom počítači. 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í... - + Arabic (CP-1256) Arabčina (CP-1256) - + Baltic (CP-1257) Baltské jazyky (CP-1257) - + Central European (CP-1250) Stredoeurópske jazyky (CP-1250) - + Cyrillic (CP-1251) Cyrilika (CP-1251) - + Greek (CP-1253) Gréčtina (CP-1253) - + Hebrew (CP-1255) Hebrejčina (CP-1255) - + Japanese (CP-932) Japončina (CP-932) - + Korean (CP-949) Kórejčina (CP-949) - + Simplified Chinese (CP-936) Zjednodušená čínština (CP-936) - + Thai (CP-874) Thajský jazyk (CP-874) - + Traditional Chinese (CP-950) Tradičná čínština (CP-950) - + Turkish (CP-1254) Turečtina (CP-1254) - + Vietnam (CP-1258) Vietnamčina (CP-1258) - + Western European (CP-1252) Západoeurópske jazyky (CP-1252) - + Character Encoding Kódovanie znakov - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. Nastavenie kódovej stránky zodpovedá za správnu reprezentáciu znakov. Predvybraná voľba by zvyčajne mala byť správna. - + Please choose the character encoding. 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 @@ -8308,37 +8444,37 @@ The encoding is responsible for the correct character representation. 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í @@ -8353,15 +8489,30 @@ The encoding is responsible for the correct character representation. 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í. + + + Songs + Piesne + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8441,68 +8592,73 @@ The encoding is responsible for the correct character representation. Invalid DreamBeam song file. Missing DreamSong tag. - Nesprávny DreamBeam súbor. Chýbajúce DreamBeam značky. + Neplatný DreamBeam súbor. Chýbajúca DreamBeam značka. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Spravuje %s - - - - "%s" could not be imported. %s - "%s" nemôže byť nahraný. %s - - - + Unexpected data formatting. Neočakávané formátovanie. - + No song text found. Nenájdený žiadny text piesne. - + [above are Song Tags with notes imported from EasyWorship] [vyššie sú značky piesní s poznámkami importovanými z EasyWorship] - + 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names Používateľské názvy kníh @@ -8585,57 +8741,57 @@ The encoding is responsible for the correct character representation. Motív, autorské práva a komentáre - + Add Author Pridať autora - + This author does not exist, do you want to add them? Tento autor neexistuje. Chcete ho pridať? - + This author is already in the list. Tento autor je už v zozname - + 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. Nie je vybraný platný autor. Buď vyberiete autora zo zoznamu, alebo zadáte nového autora a pre pridanie nového autora kliknete na tlačidlo "Pridať autora k piesni". - + Add Topic Pridať tému - + This topic does not exist, do you want to add it? Táto téma neexistuje. Chcete ju pridať? - + This topic is already in the list. Táto téma je už v zozname. - + 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. Nie je vybraná platná téma. Buď vyberiete tému zo zoznamu, alebo zadáte novú tému a pridanie novej témy kliknete na tlačidlo "Pridať tému k piesni". - + You need to type in a song title. Je potrebné zadať názov piesne. - + You need to type in at least one verse. Je potrebné zadať aspoň jednu slohu. - + You need to have an author for this song. Pre túto pieseň je potrebné zadať autora. @@ -8660,7 +8816,7 @@ The encoding is responsible for the correct character representation. Odstrániť &Všetko - + Open File(s) Otvoriť súbor (y) @@ -8675,14 +8831,7 @@ The encoding is responsible for the correct character representation. <strong>Upozornenie:</strong> Nevložili ste poradie veršov. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Niesú žiadne verše ako "%(invalid)s". Správne sú %(valid)s, -Prosím vložte verše oddelené medzerou. - - - + Invalid Verse Order Nesprávne poradie veršov @@ -8692,22 +8841,15 @@ Prosím vložte verše oddelené medzerou. &Upraviť typ autora - + Edit Author Type Úprava typu autora - + Choose type for this author Vybrať typ pre tohto autora - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Niesú žiadne verše ako "%(invalid)s". Správne sú %(valid)s, -Prosím vložte verše oddelené medzerou. - &Manage Authors, Topics, Songbooks @@ -8729,45 +8871,71 @@ Prosím vložte verše oddelené medzerou. Autori, témy a spevníky - + Add Songbook Pridať spevník - + This Songbook does not exist, do you want to add it? Tento spevník neexistuje. Chcete ho pridať? - + This Songbook is already in the list. Tento spevník je už v zozname. - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. Nie je vybraný platný spevník. Buď vyberiete spevník zo zoznamu, alebo zadáte nový spevník a pre pridanie nového spevníku kliknete na tlačidlo "Pridať k piesni". + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + + SongsPlugin.EditVerseForm - + Edit Verse Upraviť verš - + &Verse type: &Typ verša - + &Insert &Vložiť - + Split a slide into two by inserting a verse splitter. Vložením oddeľovača sloh sa snímok rozdelí na dva snímky. @@ -8780,77 +8948,77 @@ Prosím vložte verše oddelené medzerou. Sprievodca exportom piesne - + Select Songs Vybrať piesne - + Check the songs you want to export. Zaškrtnite piesne, ktoré chcete exportovať. - + Uncheck All - Odoznačiť všetko + Odznačiť všetko - + Check All Označiť všetko - + Select Directory Vybrať priečinok: - + Directory: Priečinok: - + Exporting Exportovanie - + Please wait while your songs are exported. Čakajte prosím, kým budú vaše piesne exportované. - + You need to add at least one Song to export. Je potrebné pridať k exportu aspoň jednu pieseň - + No Save Location specified Nie je zadané umiestnenie pre uloženie. - + Starting export... Spustenie exportu... - + You need to specify a directory. Je potrebné zadať priečinok. - + Select Destination Folder Vybrať cielový priečinok. - + Select the directory where you want the songs to be saved. Vybrať priečinok, kde chcete ukladať piesne. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Tento sprievodca vám pomôže s exportom vašich piesní do otvoreného a volne šíriteľného formátu pre chvály <strong>OpenLyrics</strong>. @@ -8858,15 +9026,15 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. - Nesprávny Foilpresenter súbor. Žiadne verše. + Neplatný Foilpresenter súbor. Žiadne verše. SongsPlugin.GeneralTab - + Enable search as you type Zapnúť vyhľadávanie počas písania. @@ -8874,7 +9042,7 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Vybrať dokumentové/prezentačné súbory @@ -8884,237 +9052,252 @@ Prosím vložte verše oddelené medzerou. Sprievodca importom piesní. - + 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. Tento sprievodca vám pomôže importovať piesne z rôznych formátov. Importovanie sa spustí kliknutím nižšie na tlačidlo ďalší a výberom formátu, z ktorého sa bude importovať. - + Generic Document/Presentation Všeobecný dokument/prezentácia - + Add Files... Pridať súbory... - + Remove File(s) Odstrániť súbor(y) - + Please wait while your songs are imported. Čakajte prosím, kým budú vaše piesne naimportované. - + Words Of Worship Song Files Súbory s piesňami Words of Worship - + Songs Of Fellowship Song Files Súbory s piesňami Songs Of Fellowship - + SongBeamer Files Súbory SongBeamer - + SongShow Plus Song Files Súbory s piesňami SongShow Plus - + Foilpresenter Song Files Súbory s piesňami Foilpresenter - + Copy Kopírovať - + Save to File Uložiť do súboru - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import zo Song of Fellowship bol zakázaný, pretože aplikácia OpenLP nemôže pristupovať k aplikáciám OpenOffice alebo LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import všeobecných dokumentov/prezenácií bol zakázaný, pretože aplikácia OpenLP nemôže pristupovať k aplikáciám OpenOffice alebo LibreOffice. - + OpenLyrics Files Súbory OpenLyrics - + CCLI SongSelect Files Súbory CCLI SongSelect - + EasySlides XML File XML súbory EasySlides - + EasyWorship Song Database Databáza piesní EasyWorship - + DreamBeam Song Files Súbory Piesní DreamBeam - + You need to specify a valid PowerSong 1.0 database folder. Musíte upresniť správny priečinok PowerSong 1.0 databázy. - + 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>. Najprv prekonvertuj tvoju ZionWorx databázu na CSV textový súbor, ako je to vysvetlené v <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Užívateľskom Manuály</a>. - + SundayPlus Song Files Súbory s piesňami SundayPlus - + This importer has been disabled. Tento importér bol zakázaný. - + MediaShout Database Databáza 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 importér je podporovaný len vo Windows. Bol zakázaný kôli chýbajúcemu Python modulu. Ak si prajete používať tento importér, bude potrebné nainštalovať modul "pyodbc". - + SongPro Text Files Textové súbory SongPro - + SongPro (Export File) SongPro (exportovaný súbor) - + In SongPro, export your songs using the File -> Export menu V aplikácii SongPro sa piesne exportujú cez menu File -> Export - + EasyWorship Service File Súbor služby EasyWorship - + WorshipCenter Pro Song Files Súbor piesní 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 importér je podporovaný len vo Windows. Bol zakázaný kôli chýbajúcemu Python modulu. Ak si prajete používať tento importér, bude potrebné nainštalovať modul "pyodbc". - + 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. - + OpenLyrics or OpenLP 2 Exported Song OpenLyrics alebo piesne exportované z OpenLP 2 - + OpenLP 2 Databases Databázy OpenLP 2 - + LyriX Files LyriX súbory - + LyriX (Exported TXT-files) LyriX (Exportované TXT-soubory) - + VideoPsalm Files VideoPsalm súbory - + VideoPsalm VideoPsalm - - The VideoPsalm songbooks are normally located in %s - Spevníky VideoPsalm sú bežne umiestnené v %s + + OPS Pro database + OPS Pro databáza + + + + The OPS 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. + OPS Pro importér je podporovaný len vo Windows. Bol zakázaný kôli chýbajúcemu Python modulu. Ak si prajete používať tento importér, bude potrebné nainštalovať modul "pyodbc". + + + + ProPresenter Song Files + Súbor piesní ProPresenter + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - Chyba: %s + File {name} + + + + + Error: {error} + @@ -9133,79 +9316,117 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.MediaItem - + Titles Názvy - + Lyrics Text piesne - + CCLI License: CCLI Licencia: - + Entire Song Celá pieseň - + Maintain the lists of authors, topics and books. Spravovať zoznamy autorov, tém a kníh. - + copy For song cloning kopírovať - + Search Titles... Vyhľadávať názov... - + Search Entire Song... Vyhľadávať celú pieseň... - + Search Lyrics... Vyhľadávať text piesne... - + Search Authors... Vyhľadávať autorov... - - Are you sure you want to delete the "%d" selected song(s)? - Ste si istý, že chcete zmazať "%d" vybraných piesní(e)? - - - + Search Songbooks... Vyhľadávať spevníky... + + + Search Topics... + Hľadať témy... + + + + Copyright + Autorské práva + + + + Search Copyright... + Hľadať autorské práva... + + + + CCLI number + CCLI číslo + + + + Search CCLI number... + Hľadať CCLI číslo... + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Nie je možné otvoriť databázu MediaShout. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + Nie je možné napojiť sa na OPS Pro datbázu. + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. Neplatná databáza piesní OpenLP 2. @@ -9213,9 +9434,9 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exportovanie "%s"... + + Exporting "{title}"... + @@ -9223,7 +9444,7 @@ Prosím vložte verše oddelené medzerou. Invalid OpenSong song file. Missing song tag. - Nesprávny OpenSong súbor. Chýbajúce značky. + Neplatný OpenSong súbor. Chýbajúce značky. @@ -9234,29 +9455,37 @@ Prosím vložte verše oddelené medzerou. Žiadne piesne nie sú na vloženie. - + Verses not found. Missing "PART" header. Verše neboli nájdené. Chýba "ČASŤ" hlavička. - No %s files found. - Nenájdené žiadne súbory %s + No {text} files found. + - Invalid %s file. Unexpected byte value. - Neplatný súbor %s. Neočakávaná hodnota bajtu. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Neplatný súbor %s. Chýbajúca hlavička "TITLE" + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Neplatný súbor %s. Chýbajúca hlavička "COPYRIGHTLINE". + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9285,19 +9514,19 @@ 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 + + Your song export failed because this error occurred: {error} + @@ -9313,17 +9542,17 @@ Prosím vložte verše oddelené medzerou. Nasledujúce piesne nemôžu byť importované: - + Cannot access OpenOffice or LibreOffice Žiadny prístup k aplikáciám OpenOffice alebo LibreOffice - + Unable to open file Nejde otvoríť súbor - + File not found Súbor nebol nájdený @@ -9331,109 +9560,109 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.SongMaintenanceForm - + Could not add your author. Nie je možné pridať autora. - + This author already exists. Tento autor už existuje. - + Could not add your topic. Nie je možné pridať tému. - + This topic already exists. Táto téma už existuje - + Could not add your book. Nie je možné pridať knihu. - + This book already exists. Táto kniha už existuje. - + Could not save your changes. Nie je možné uložiť zmeny. - + Could not save your modified author, because the author already exists. Nie je možné uložiť upraveného autora, pretože tento autor už existuje. - + Could not save your modified topic, because it already exists. Nie je možné uložiť upravenú tému, pretože už existuje. - + Delete Author Zmazať autora - + Are you sure you want to delete the selected author? Ste si istý, že chcete zmazať vybraného autora? - + This author cannot be deleted, they are currently assigned to at least one song. Tento autor nemôže byť zmazaný, pretože je v súčastnosti priradený najmenej k jednej piesni. - + Delete Topic Zmazať tému - + Are you sure you want to delete the selected topic? Ste si istý, že chcete zmazať vybranú tému? - + This topic cannot be deleted, it is currently assigned to at least one song. Táto téma nemôže byť zmazaná, pretože je v súčastnosti priradená najmenej k jednej piesni. - + Delete Book Zmazať spevník - + Are you sure you want to delete the selected book? Ste si istý, že chcete zmazať vybranú knihu? - + This book cannot be deleted, it is currently assigned to at least one song. Táto kniha nemôže byť zmazaná, pretože je v súčastnosti priradená najmenej k jednej piesni. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Autor %s už existuje. Prajete si vytvoriť piesne s autorom %s a použiť už existujúceho autora %s ? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Téma %s už existuje. Prajete si vytvoriť piesne s témou %s a použiť už existujúcu tému %s ? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Kniha %s už existuje. Prajete si vytvoriť piesne s knihou %s a použiť už existujúcu knihu %s ? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9479,52 +9708,47 @@ Prosím vložte verše oddelené medzerou. Hľadať - - Found %s song(s) - Najdené %s piesní - - - + Logout Odhlásiť - + View Zobraziť - + Title: Nadpis: - + Author(s): Autor(y): - + Copyright: Autorské práva: - + CCLI Number: CCLI čislo: - + Lyrics: Text piesne: - + Back Naspäť - + Import Import @@ -9564,7 +9788,7 @@ Prosím vložte verše oddelené medzerou. Nastal problém s prihlásením. Možno ste zadali nesprávne meno alebo heslo. - + Song Imported Pieseň naimportovaná @@ -9579,7 +9803,7 @@ Prosím vložte verše oddelené medzerou. Pri tejto piesni chýbajú niektoré informácie, ako napríklad text, a preto nie je možné importovať. - + Your song has been imported, would you like to import more songs? Pieseň bola naimportovaná, chcete importovať ďalšie pesničky? @@ -9588,6 +9812,11 @@ Prosím vložte verše oddelené medzerou. Stop Zastaviť + + + Found {count:d} song(s) + + SongsPlugin.SongsTab @@ -9596,30 +9825,30 @@ Prosím vložte verše oddelené medzerou. Songs Mode Réžim piesne - - - Display verses on live tool bar - Zobraziť slohy v nástrojovej lište naživo - Update service from song edit Aktualizovať službu pri úprave piesne. - - - Import missing songs from service files - Import chýbajúcich piesní zo služby súborov. - Display songbook in footer Zobraziť názov spevníku v zápätí + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Zobraziť symbol "%s" pred informáciami o autorských právach + Display "{symbol}" symbol before copyright info + @@ -9643,37 +9872,37 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.VerseType - + Verse Sloha - + Chorus Refrén - + Bridge Prechod - + Pre-Chorus Predrefrén - + Intro - Intro + Predohra - + Ending Zakončenie - + Other Ďalšie @@ -9681,22 +9910,22 @@ Prosím vložte verše oddelené medzerou. SongsPlugin.VideoPsalmImport - - Error: %s - Chyba: %s + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - Neplatný súbor Word of Worship. Chýbajúca hlavička "%s". WoW súbor\nSlová piesne + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - Chybný súbor Words of Worship. Chýba reťazec "%s". CSongDoc::CBlock + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9707,30 +9936,30 @@ Prosím vložte verše oddelené medzerou. Chyba pri čítaní CSV súboru. - - Line %d: %s - Riadok %d: %s - - - - Decoding error: %s - Chyba dekódovania: %s - - - + File not valid WorshipAssistant CSV format. Nesprávny CSV formát súboru WorshipAssistant. - - Record %d - Záznam %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Nie je možné napojiť sa na WorshipCenter Pro databázu. @@ -9743,25 +9972,30 @@ Prosím vložte verše oddelené medzerou. Chyba pri čítaní CSV súboru. - + File not valid ZionWorx CSV format. Súbor nemá správny CSV formát programu ZionWorx. - - Line %d: %s - Riadok %d: %s - - - - Decoding error: %s - Chyba dekódovania: %s - - - + Record %d Záznam %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9771,39 +10005,960 @@ Prosím vložte verše oddelené medzerou. Sprievodca - + 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. Tento sprievodca vám pomôže s výmazom duplicitných piesní z databázy. Budete mať možnosť prezrieť si každú dvojicu piesní pred ich vymazaním. Takže žiadna pesnička nebude vymazaná bez vášho súhlasu. - + Searching for duplicate songs. Vyhľadávanie duplicitných piesní. - + Please wait while your songs database is analyzed. Čakajte prosím, kým budú vaše piesne zanalyzované. - + Here you can decide which songs to remove and which ones to keep. Tu možete vybrať ktoré piesne budú vymazané a ktoré budú ponechané. - - Review duplicate songs (%s/%s) - Prezrieť duplicitné piesne (%s/%s) - - - + Information Informácie - + No duplicate songs have been found in the database. Žiadne duplicitné piesne neboli nájdené. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Slovenčina + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/sv.ts b/resources/i18n/sv.ts index 7be8537a0..26e6b2787 100644 --- a/resources/i18n/sv.ts +++ b/resources/i18n/sv.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Vill du fortsätta ändå? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? Meddelandet innehåller inte '<>'. Vill du fortsätta ändå? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. Du har inte angivit någon text för ditt meddelande. Skriv in din text innan du klickar på Nytt. @@ -120,32 +121,27 @@ Skriv in din text innan du klickar på Nytt. AlertsPlugin.AlertsTab - + Font Teckensnitt - + Font name: Teckensnitt: - + Font color: Teckenfärg: - - Background color: - Bakgrundsfärg: - - - + Font size: Teckenstorlek: - + Alert timeout: Visningstid: @@ -153,88 +149,78 @@ 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. - Genesis @@ -739,161 +725,121 @@ Skriv in din text innan du klickar på Nytt. Bibeln finns redan. Importera en annan bibel eller ta först bort den existerande. - - You need to specify a book name for "%s". - Du måste ange ett boknamn för "%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. - Boknamnet "%s" är inte korrekt. -Siffror kan bara användas i början och måste -följas av ett eller flera ickenumeriska tecken. - - - + Duplicate Book Name Dublettnamn på bok - - The Book Name "%s" has been entered more than once. - Boknamnet "%s" har angivits flera gånger. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error Felaktig bibelreferens - - Web Bible cannot be used - Webb-bibel kan inte användas + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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. - Antingen stöds bibelreferensen inte av OpenLP, eller så är den ogiltig. Kontrollera att bibelreferensen överensstämmer med något av följande mönster, eller läs om funktionen i manualen: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Bok Kapitel -Bok Kapitel%(range)sKapitel -Bok Kapitel%(verse)sVers%(range)sVers -Bok Kapitel%(verse)sVers%(range)sVers%(list)sVers%(range)sVers -Bok Kapitel%(verse)sVers%(range)sVers%(list)sKapitel%(verse)sVers%(range)sVers -Bok Kapitel%(verse)sVers%(range)sKapitel%(verse)sVers +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + BiblesPlugin.BiblesTab - + Verse Display Visning av bibeltext - + Only show new chapter numbers Visa bara nummer för nya kapitel - + Bible theme: Bibeltema: - + No Brackets Inga parenteser - + ( And ) ( och ) - + { And } { och } - + [ And ] [ och ] - - Note: -Changes do not affect verses already in the service. - Observera: -Ändringar kommer inte att påverka verser som redan finns i körschemat. - - - + Display second Bible verses Visa andra bibelns verser - + Custom Scripture References Anpassade bibelreferenser - - Verse Separator: - Versavskiljare: - - - - Range Separator: - Intervallavskiljare: - - - - List Separator: - Listavskiljare: - - - - End Mark: - Slutmärke: - - - + 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. @@ -902,37 +848,83 @@ De måste separeras med ett lodrätt streck "|". Lämna fältet tomt för att använda standardvärdet. - + English Svenska - + Default Bible Language Förvalt bibelspråk - + Book name language in search field, search results and on display: Språk på boknamn i sökfält, sökresultat och vid visning: - + Bible Language Bibelspråk - + Application Language Programmets språk - + Show verse numbers Visa versnummer + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +980,71 @@ sökresultat och vid visning: BiblesPlugin.CSVBible - - Importing books... %s - Importerar böcker... %s + + Importing books... {book} + - - Importing verses... done. - Importerar verser... klart. + + Importing verses from {book}... + Importing verses from <book name>... + BiblesPlugin.EditBibleForm - + Bible Editor Bibelredigering - + License Details Licensdetaljer - + Version name: Namn på översättningen: - + Copyright: Copyright: - + Permissions: Tillstånd: - + Default Bible Language Förvalt bibelspråk - + Book name language in search field, search results and on display: Språk på boknamn i sökfält, sökresultat och vid visning: - + Global Settings Globala inställningar - + Bible Language Bibelspråk - + Application Language Programmets språk - + English Svenska @@ -1071,224 +1064,259 @@ 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. + + + Importing {book}... + Importing <book name>... + + 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. + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1319,292 +1347,155 @@ Det går inte att anpassa boknamnen. BiblesPlugin.MediaItem - - Quick - Enkelt - - - + Find: Sök efter: - + Book: Bok: - + Chapter: Kapitel: - + Verse: Vers: - + From: Från: - + To: Till: - + Text Search Textsökning - + Second: Alternativ: - + Scripture Reference Bibelreferens - + Toggle to keep or clear the previous results. Växla mellan att behålla eller rensa föregående sökresultat. - + 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 inte kombinera resultat från sökning i en bibel med resultat från sökning i två biblar. Vill du ta bort dina sökresultat och starta en ny sökning? - + Bible not fully loaded. Bibeln är inte helt laddad. - + Information 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. - Den alternativa bibelöversättningen innehåller inte alla verser som finns i huvudöversättningen. Endast verser som finns i båda översättningar kommer att visas. %d verser har utelämnats. - - - + Search Scripture Reference... Sök bibelvers... - + Search Text... Sök text... - - Are you sure you want to completely delete "%s" Bible from OpenLP? + + Search + Sök + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - Är du säker på att du vill ta bort bibeln "%s" helt från OpenLP? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -För att bibeln ska gå att använda igen måste den importeras på nytt. - - - - Advanced - Avancerat - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - Ogiltig filtyp på den valda bibeln. OpenSong-biblar kan vara komprimerade. Du måste packa upp dem före import. - - - - 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... +{count:d} verses have not been included in the results. + 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... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - Välj en mapp för säkerhetskopiering + + Importing {name}... + + + + BiblesPlugin.SwordImport - - Bible Upgrade Wizard - Bibeluppgraderingsguiden - - - - 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. - Den här guiden hjälper dig att uppgradera dina befintliga biblar från en tidigare version av OpenLP 2. Klicka på Nästa för att starta uppgraderingsprocessen. - - - - Select Backup Directory - Välj mapp för säkerhetskopiering - - - - Please select a backup directory for your Bibles - 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 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 säkerhetskopiering av dina biblar. - - - - Backup Directory: - Mapp för säkerhetskopiering: - - - - There is no need to backup my Bibles - Det är inte nödvändigt med säkerhetskopiering av mina biblar - - - - Select Bibles - Välj biblar - - - - Please select the Bibles to upgrade - Välj biblar att uppgradera - - - - Upgrading - Uppgraderar - - - - Please wait while your Bibles are upgraded. - Vänta medan biblarna uppgraderas. - - - - The backup was not successful. -To backup your Bibles you need permission to write to the given directory. - Säkerhetskopieringen lyckades inte. -För att kunna göra en säkerhetskopia av dina biblar krävs skrivrättigheter i den givna mappen. - - - - Upgrading Bible %s of %s: "%s" -Failed - Uppgraderar bibel %s av %s: "%s" -Misslyckades - - - - Upgrading Bible %s of %s: "%s" -Upgrading ... - Uppgraderar bibel %s av %s: "%s" -Uppgraderar ... - - - - Download Error - Fel vid nedladdning - - - - To upgrade your Web Bibles an Internet connection is required. - För att uppgradera dina webb-biblar krävs en Internetanslutning. - - - - Upgrading Bible %s of %s: "%s" -Upgrading %s ... - Uppgraderar bibel %s av %s: "%s" -Uppgraderar %s ... - - - - Upgrading Bible %s of %s: "%s" -Complete - Uppgraderar bibel %s av %s: "%s" -Färdig - - - - , %s failed - , %s misslyckades - - - - Upgrading Bible(s): %s successful%s - Uppgradering av biblar: %s lyckades%s - - - - Upgrade failed. - Uppgradering misslyckades. - - - - You need to specify a backup directory for your Bibles. - Du måste välja en mapp för säkerhetskopiering av dina biblar. - - - - Starting upgrade... - Startar uppgradering... - - - - There are no Bibles that need to be upgraded. - Det finns inga biblar som behöver uppgraderas. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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. @@ -1612,9 +1503,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - Importerar %(bookname)s %(chapter)s... + + Importing {book} {chapter}... + @@ -1729,7 +1620,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Redigera alla diabilder på en gång. - + Split a slide into two by inserting a slide splitter. Dela diabilden i två genom att lägga till en diabild delare. @@ -1744,7 +1635,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Erkännande: - + You need to type in a title. Du måste ange en titel. @@ -1754,12 +1645,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Red&igera alla - + Insert Slide Infoga sida - + You need to add at least one slide. Du måste lägga till åtminstone en sida. @@ -1767,7 +1658,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide Redigera bild @@ -1775,9 +1666,9 @@ 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 "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1805,11 +1696,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title Bilder - - - Load a new image. - Ladda en ny bild. - Add a new image. @@ -1840,6 +1726,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. Lägg till den valda bilden i körschemat. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1864,12 +1760,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. @@ -1905,7 +1801,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Välj bilaga @@ -1913,39 +1809,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) 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. @@ -1955,25 +1834,41 @@ 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? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. Synlig bakgrund för bilder med annat bildformat än skärmen. @@ -1981,88 +1876,88 @@ Vill du lägga till dom andra bilderna ändå? Media.player - + 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. - + This media player uses your operating system to provide media capabilities. - + 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. @@ -2178,47 +2073,47 @@ Vill du lägga till dom andra bilderna ändå? 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 ":" @@ -2226,90 +2121,100 @@ Vill du lägga till dom andra bilderna ändå? MediaPlugin.MediaItem - + Select Media 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. - + Unsupported File 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 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2320,94 +2225,93 @@ Vill du lägga till dom andra bilderna ändå? - Start Live items automatically - Starta liveposter automatiskt - - - - OPenLP.MainWindow - - - &Projector Manager - &Projektorhantering + Start new Live media automatically + OpenLP - + Image Files Bildfiler - - Information - Information - - - - Bible format has changed. -You have to upgrade your existing Bibles. -Should OpenLP upgrade now? - Bibelformatet har ändrats. -Du måste uppgradera dina existerande biblar. -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 + + + Video Files + + + + + Data Directory Error + Datakatalogfel + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + OpenLP.AboutForm - + Credits Lista över medverkande - + License Licens - - 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. Det här programmet är fri mjukvara; du får sprida den vidare och/eller ändra i den under villkoren i GNU General Public License så som publicerade av Free Software Foundation; version 2 av licensen. - + 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. Det här programmet ges ut i hopp om att det kan vara användbart, men UTAN NÅGON GARANTI; inte ens någon underförstådd garanti vid köp eller lämplighet för ett särskilt ändamål. Se nedan för mer detaljer. - + 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. @@ -2424,168 +2328,157 @@ Läs mer om OpenLP: http://openlp.org/ OpenLP utvecklas och underhålls av frivilliga. Om du vill se mer fri kristen mjukvara utvecklad, klicka gärna på knappen nedan för att se hur du kan bidra. - + Volunteer Bidra - - - Project Lead - - - - - Developers - - - - - Contributors - - - - - Packagers - - - - - Testers - - - Translators - + Project Lead + - Afrikaans (af) - + Developers + - Czech (cs) - + Contributors + - Danish (da) - + Packagers + - German (de) - + Testers + - Greek (el) - + Translators + - English, United Kingdom (en_GB) - + Afrikaans (af) + - English, South Africa (en_ZA) - + Czech (cs) + - Spanish (es) - + Danish (da) + - Estonian (et) - + German (de) + - Finnish (fi) - + Greek (el) + - French (fr) - + English, United Kingdom (en_GB) + - Hungarian (hu) - + English, South Africa (en_ZA) + - Indonesian (id) - + Spanish (es) + - Japanese (ja) - + Estonian (et) + - Norwegian Bokmål (nb) - + Finnish (fi) + - Dutch (nl) - + French (fr) + - Polish (pl) - + Hungarian (hu) + - Portuguese, Brazil (pt_BR) - + Indonesian (id) + - Russian (ru) - + Japanese (ja) + - Swedish (sv) - + Norwegian Bokmål (nb) + - Tamil(Sri-Lanka) (ta_LK) - + Dutch (nl) + - Chinese(China) (zh_CN) - + Polish (pl) + - Documentation - + Portuguese, Brazil (pt_BR) + - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - + Russian (ru) + - + + Swedish (sv) + + + + + Tamil(Sri-Lanka) (ta_LK) + + + + + Chinese(China) (zh_CN) + + + + + Documentation + + + + Final Credit "For God so loved the world that He gave His one and only Son, so that whoever @@ -2597,335 +2490,247 @@ OpenLP utvecklas och underhålls av frivilliga. Om du vill se mer fri kristen mj on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + OpenLP.AdvancedTab - + UI Settings Inställningar för användargränssnitt - - - Number of recent files to display: - Antal tidigare körscheman att visa: - - Remember active media manager tab on startup - Kom ihåg aktiv mediaflik vid start - - - - Double-click to send items straight to live - Dubbelklicka för att visa poster live - - - Expand new service items on creation Expandera nya poster i körschemat vid skapandet - + Enable application exit confirmation Bekräfta för att avsluta programmet - + Mouse Cursor Muspekare - + Hide mouse cursor when over display window Dölj muspekaren över visningsfönstret - - Default Image - Standardbild - - - - Background color: - Bakgrundsfärg: - - - - Image file: - Bildfil: - - - + Open File Öppna fil - + Advanced Avancerat - - - Preview items when clicked in Media Manager - Förhandsgranska poster vid klick i mediahanteringen - - Browse for an image file to display. - Välj en bildfil att visa. - - - - Revert to the default OpenLP logo. - Återställ till OpenLP:s standardlogotyp. - - - Default Service Name Förvalt namn på körschema - + Enable default service name Aktivera förvalt namn på körschema - + Date and Time: Datum och tid: - + Monday Måndag - + Tuesday Tisdag - + Wednesday Onsdag - + Friday Fredag - + Saturday Lördag - + Sunday Söndag - + Now Nu - + Time when usual service starts. Tid när schemat vanligen börjar. - + Name: Namn: - + Consult the OpenLP manual for usage. Läs i OpenLP-manualen för information om funktionen. - - Revert to the default service name "%s". - Återställ till körschemats standardnamn "%s". - - - + Example: Exempel: - + Bypass X11 Window Manager Kringgå X11:s fönsterhanterare - + Syntax error. Syntaxfel. - + Data Location Datalagring - + Current path: Nuvarande sökväg: - + Custom path: Anpassad sökväg: - + Browse for new data file location. Bläddra efter ny plats för datalagring. - + Set the data location to the default. Återställ plats för datalagring till standardinställningen. - + Cancel Avbryt - + Cancel OpenLP data directory location change. Avbryt ändring av plats för OpenLP:s datalagring. - + Copy data to new location. Kopiera data till ny plats. - + Copy the OpenLP data files to the new location. Kopiera OpenLP:s data till den nya platsen. - + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. <strong>VARNING:</strong> Den nya datakatalogen innehåller OpenLP-datafiler. Dessa filer kommer att ersättas vid kopieringen. - - Data Directory Error - Datakatalogfel - - - + Select Data Directory Location Välj plats för datakatalog - + Confirm Data Directory Change Bekräfta ändring av datakatalog - + Reset Data Directory Återställ datakatalog - + Overwrite Existing Data Skriv över befintlig 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 datakatalog hittades inte - -%s - -Datakatalogen har tidigare ändrats från OpenLP:s förvalda plats. Om den nya platsen var på ett portabelt lagringsmedium måste det finnas tillgängligt. - -Klicka "Nej" för att avbryta starten av OpenLP så att du kan lösa problemet. - -Klicka "Ja" för att återställa datakatalogen till förvald plats. - - - - 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. - Är du säker på att du vill ändra plats för OpenLP:s datakatalog till: - -%s - -Datakatalogen kommer att ändras när OpenLP avslutas. - - - + Thursday Torsdag - + Display Workarounds Grafikfixar - + Use alternating row colours in lists Varva radfärger i listor - - 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? - VARNING: - -Platsen du har valt - -%s - -verkar innehålla OpenLP-data. Är du säker på att du vill ersätta de filerna med nuvarande data? - - - + Restart Required Omstart krävs - + This change will only take effect once OpenLP has been restarted. Den här ändringen börjar gälla när OpenLP har startats om. - + 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. @@ -2933,11 +2738,142 @@ This location will be used after OpenLP is closed. Den nya platsen kommer att användas efter att OpenLP har avslutats. + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + Automatiskt + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. Klicka för att välja en färg. @@ -2945,252 +2881,252 @@ Den nya platsen kommer att användas efter att OpenLP har avslutats. OpenLP.DB - + RGB RGB - + Video Video - + 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 @@ -3198,61 +3134,74 @@ Den nya platsen kommer att användas efter att OpenLP har avslutats. OpenLP.ExceptionDialog - + Error Occurred Fel uppstod - + Send E-Mail Skicka e-post - + Save to File Spara till fil - + Attach File Lägg till fil - - - Description characters to enter : %s - Beskrivningstecken att ange: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - - 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. Also attach any files that triggered the problem. - + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - Plattform: %s - - - - + Save Crash Report Spara kraschrapport - + Text files (*.txt *.log *.text) Textfiler (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3293,268 +3242,259 @@ Den nya platsen kommer att användas efter att OpenLP har avslutats. 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 - - 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. - - - + 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 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 + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3597,44 +3537,49 @@ För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på kna OpenLP.FormattingTagForm - + <HTML here> <HTML här> - + Validation Error Valideringsfel - + Description is missing Beskrivning saknas - + Tag is missing Tagg saknas - Tag %s already defined. - Taggen %s finns redan. + Tag {tag} already defined. + - Description %s already defined. - Beskrivningen %s är redan definierad. + Description {tag} already defined. + - - Start tag %s is not valid HTML - Starttaggen %s är inte giltig HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3723,170 +3668,200 @@ För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på kna OpenLP.GeneralTab - + General Allmänt - + Monitors Skärmar - + Select monitor for output display: Välj skärm för bildvisning: - + Display if a single screen Visa även på ensam skärm - + Application Startup Programstart - + Show blank screen warning Visa varning vid tom skärm - - Automatically open the last service - Öppna det senaste körschemat automatiskt - - - + Show the splash screen Visa startbilden - + Application Settings Programinställningar - + Prompt to save before starting a new service Fråga om att spara innan ett nytt körschema skapas - - Automatically preview next item in service - Förhandsgranska nästa post i körschemat automatiskt - - - + sec sekunder - + CCLI Details CCLI-detaljer - + SongSelect username: SongSelect användarnamn: - + SongSelect password: SongSelect lösenord: - + X X - + Y Y - + Height Höjd - + Width Bredd - + Check for updates to OpenLP Sök efter uppdateringar till OpenLP - - Unblank display when adding new live item - Lägg ut bilden direkt när en ny live-bild läggs till - - - + Timed slide interval: Tidsstyrd bildväxling: - + Background Audio Bakgrundsljud - + Start background audio paused Starta bakgrundsljud pausat - + Service Item Slide Limits Bildväxlingsgräns - + Override display position: Manuell skärmposition: - + Repeat track list Repetera spellistan - + Behavior of next/previous on the last/first slide: Inställning för nästa/föregående vid sista/första bilden: - + &Remain on Slide &Stanna på bilden - + &Wrap around Börja &om - + &Move to next/previous service item &Gå till nästa/föregående post i körschemat + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + Välj en bildfil att visa. + + + + Revert to the default OpenLP logo. + Återställ till OpenLP:s standardlogotyp. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language Språk - + Please restart OpenLP to use your new language setting. Vänligen starta om OpenLP för att aktivera dina nya språkinställningar. @@ -3894,7 +3869,7 @@ För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på kna OpenLP.MainDisplay - + OpenLP Display OpenLP-visning @@ -3902,352 +3877,188 @@ För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på kna OpenLP.MainWindow - + &File &Arkiv - + &Import &Importera - + &Export &Exportera - + &View &Visa - - M&ode - &Läge - - - + &Tools &Verktyg - + &Settings &Inställningar - + &Language &Språk - + &Help &Hjälp - - Service Manager - Körschema - - - - Theme Manager - Temahantering - - - + Open an existing service. Öppna ett befintligt körschema. - + Save the current service to disk. Spara det nuvarande körschemat till disk. - + Save Service As Spara körschema som - + Save the current service under a new name. Spara det nuvarande körschemat under ett nytt namn. - + E&xit A&vsluta - - Quit OpenLP - Avsluta OpenLP - - - + &Theme &Tema - + &Configure OpenLP... &Konfigurera OpenLP... - - &Media Manager - &Mediahantering - - - - Toggle Media Manager - Växla mediahantering - - - - Toggle the visibility of the media manager. - Växla visning av mediahanteringen. - - - - &Theme Manager - &Temahantering - - - - Toggle Theme Manager - Växla temahanteringen - - - - Toggle the visibility of the theme manager. - Växla visning av temahanteringen. - - - - &Service Manager - &Körschema - - - - Toggle Service Manager - Växla körschema - - - - Toggle the visibility of the service manager. - Växla visning av körschemat. - - - - &Preview Panel - &Förhandsgranskningpanel - - - - Toggle Preview Panel - Växla förhandsgranskning - - - - Toggle the visibility of the preview panel. - Växla visning av förhandsgranskning. - - - - &Live Panel - Li&ve - - - - Toggle Live Panel - Växla live-rutan - - - - Toggle the visibility of the live panel. - Växla visning av live-rutan. - - - - List the Plugins - Lista modulerna - - - - &User Guide - &Bruksanvisning - - - + &About &Om - - More information about OpenLP - Mer information om OpenLP - - - - &Online Help - &Hjälp online - - - + &Web Site &Webbplats - + Use the system language, if available. Använd systemspråket om möjligt. - - Set the interface language to %s - Sätt användargränssnittets språk till %s - - - + Add &Tool... Lägg till &verktyg... - + Add an application to the list of tools. Lägg till en applikation i verktygslistan. - - &Default - &Standard - - - - Set the view mode back to the default. - Återställ visningslayouten till standardinställningen. - - - + &Setup &Förberedelse - - Set the view mode to Setup. - Ställ in visningslayouten förberedelseläge. - - - + &Live &Live - - Set the view mode to Live. - Ställ in visningslayouten till live-läge. - - - - 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/. - Version %s av OpenLP är nu tillgänglig för hämtning (du kör för närvarande version %s). - -Du kan ladda ner den senaste versionen från http://openlp.org/. - - - + OpenLP Version Updated Ny version av OpenLP - + OpenLP Main Display Blanked OpenLPs huvudbild släckt - + The Main Display has been blanked out Huvudbilden har släckts - - Default Theme: %s - Standardtema: %s - - - + English Please add the name of your language here Svenska - + Configure &Shortcuts... Konfigurera &genvägar... - + Open &Data Folder... Öppna &datakatalog... - + Open the folder where songs, bibles and other data resides. Öppna mappen där sånger, biblar och annan data lagras. - + &Autodetect Detektera &automatiskt - + Update Theme Images Uppdatera temabilder - + Update the preview images for all themes. Uppdatera förhandsgranskningsbilder för alla teman. - + Print the current service. Skriv ut den nuvarande körschemat. - - L&ock Panels - L&ås paneler - - - - Prevent the panels being moved. - Förhindra att panelerna flyttas. - - - + Re-run First Time Wizard 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. - + Re-run First Time Wizard? 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. @@ -4256,107 +4067,68 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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. - + Configure &Formatting Tags... Konfigurera &format-taggar... - - Export OpenLP settings to a specified *.config file - Exportera OpenLP-inställningar till en given *.config-fil - - - + Settings Inställningar - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - Importera OpenLP-inställningar från en given *.config-fil som tidigare har exporterats på den här datorn eller någon annan - - - + Import settings? Importera inställningar? - - Open File - Öppna fil - - - - OpenLP Export Settings Files (*.conf) - OpenLP-inställningsfiler (*.conf) - - - + Import settings Importera inställningar - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP kommer nu att avslutas. Importerade inställningar kommer att tillämpas nästa gång du startar OpenLP. - + Export Settings File Exportera inställningsfil - - OpenLP Export Settings File (*.conf) - 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 - Kopiering av OpenLP:s datakatalog misslyckades - -%s - - - + General Allmänt - + Library Bibliotek - + Jump to the search box of the current active plugin. Hoppa till sökrutan för den aktiva modulen. - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -4369,7 +4141,7 @@ Om du kör den här guiden kan din nuvarande konfiguration av OpenLP komma att Att importera inställningar kan leda till oväntade beteenden eller att OpenLP avslutas onormalt. - + The file you have selected does not appear to be a valid OpenLP settings file. Processing has terminated and no changes have been made. @@ -4378,191 +4150,370 @@ Processing has terminated and no changes have been made. 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. + + &Recent Services + - - An error occurred while exporting the settings: %s - Ett fel inträffade när inställningarna exporterades: %s + + &New Service + + + + + &Open Service + - &Recent Services - - - - - &New Service - - - - - &Open Service - - - - &Save Service - + - + Save Service &As... - + - + &Manage Plugins - + - + Exit OpenLP - + - + Are you sure you want to exit OpenLP? - + - + &Exit OpenLP - + + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + Körschema + + + + Themes + Teman + + + + Projectors + Projektorer + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + 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 - Databasen som skulle laddas är skapad i en nyare version av OpenLP. Databasen har version %d, och OpenLP kräver version %d. Databasen kommer inte att laddas. - -Databas: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP kan inte ladda databasen. +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -Databas: %s +Database: {db_name} + OpenLP.MediaManagerItem - + No Items Selected Inga poster valda - + &Add to selected Service Item &Lägg till i vald post i körschemat - + You must select one or more items to preview. Du måste välja en eller flera poster att förhandsgranska. - + You must select one or more items to send live. Du måste välja en eller flera poster att visa live. - + You must select one or more items. Du måste välja en eller flera poster. - + You must select an existing service item to add to. Du måste välja en befintlig post i körschemat att lägga till i. - + Invalid Service Item Ogiltig körschemapost - - You must select a %s service item. - Du måste välja en post av typen %s i körschemat. - - - + You must select one or more items to add. Du måste välja en eller flera poster att lägga till. - - No Search Results - Inga sökresultat - - - + Invalid File Type Ogiltig filtyp - - Invalid File %s. -Suffix not supported - Ogiltig fil %s. -Filändelsen stöds ej - - - + &Clone &Klona - + Duplicate files were found on import and were ignored. Dubblettfiler hittades vid importen och ignorerades. + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics>-tagg saknas. - + <verse> tag is missing. <verse>-tagg saknas. @@ -4570,22 +4521,22 @@ Filändelsen stöds ej OpenLP.PJLink1 - + 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: @@ -4593,89 +4544,84 @@ Filändelsen stöds ej OpenLP.PlayerTab - + Players Spelare - + Available Media Players Tillgängliga mediaspelare - + Player Search Order Sökordning för spelare - + Visible background for videos with aspect ratio different to screen. Bakgrund till videor med annat bildförhållande än skärmen. - + %s (unavailable) %s (ej tillgänglig) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + OpenLP.PluginForm - + Plugin Details Moduldetaljer - + Status: Status: - + Active Aktiv - - Inactive - Inaktiv - - - - %s (Inactive) - %s (Inaktiv) - - - - %s (Active) - %s (Aktiv) + + Manage Plugins + - %s (Disabled) - %s (Ej valbar) + {name} (Disabled) + - - Manage Plugins - + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page Passa sidan - + Fit Width Passa bredden @@ -4683,77 +4629,77 @@ Filändelsen stöds ej OpenLP.PrintServiceForm - + Options Alternativ - + Copy Kopiera - + Copy as HTML Kopiera som HTML - + Zoom In Zooma in - + Zoom Out Zooma ut - + Zoom Original Återställ zoom - + Other Options Övriga alternativ - + Include slide text if available Inkludera sidtext om tillgänglig - + Include service item notes Inkludera anteckningar - + Include play length of media items Inkludera spellängd för mediaposter - + Add page break before each text item Lägg till sidbrytning före varje textpost - + Service Sheet Körschema - + Print Skriv ut - + Title: Titel: - + Custom Footer Text: Anpassad sidfot: @@ -4761,257 +4707,257 @@ Filändelsen stöds ej OpenLP.ProjectorConstants - + 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 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 @@ -5019,17 +4965,17 @@ Filändelsen stöds ej OpenLP.ProjectorEdit - + 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 @@ -5037,52 +4983,52 @@ Filändelsen stöds ej OpenLP.ProjectorEditForm - + 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 - + Notes Anteckningar - + Database Error Databasfel - + 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 @@ -5090,305 +5036,360 @@ Filändelsen stöds ej OpenLP.ProjectorManager - + 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 - + Port Port - + Notes Anteckningar - + 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 - - Delete projector (%s) %s? - Ta bort projektor (%s) %s? - - - + Are you sure you want to delete this projector? Är du säker på att du vill ta bort den här projektorn? + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + Autentiseringsfel + + + + No Authentication Error + + OpenLP.ProjectorPJLink - + Fan Fläkt - + Lamp Lampa - + Temperature Temperatur - + Cover Hölje - + Filter Filter - + Other Övrigt @@ -5434,17 +5435,17 @@ Filändelsen stöds ej OpenLP.ProjectorWizard - + Duplicate IP Address Dublett-IP-adress - + Invalid IP Address Ogiltig IP-adress - + Invalid Port Number Ogiltigt portnummer @@ -5457,27 +5458,27 @@ Filändelsen stöds ej Skärm - + primary primär OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>Start</strong>: %s - - - - <strong>Length</strong>: %s - <strong>Längd</strong>: %s - - [slide %d] - [bild %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5541,52 +5542,52 @@ Filändelsen stöds ej Ta bort den valda posten från körschemat. - + &Add New Item &Lägg till ny post - + &Add to Selected Item Lägg till i &vald post - + &Edit Item &Redigera post - + &Reorder Item Arrangera &om post - + &Notes &Anteckningar - + &Change Item Theme &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 @@ -5611,7 +5612,7 @@ Filändelsen stöds ej Fäll ihop alla poster i körschemat. - + Open File Öppna fil @@ -5641,22 +5642,22 @@ Filändelsen stöds ej Visa den valda posten live. - + &Start Time &Starttid - + Show &Preview &Förhandsgranska - + Modified Service Körschemat ändrat - + The current service has been modified. Would you like to save this service? Det nuvarande körschemat har ändrats. Vill du spara körschemat? @@ -5676,27 +5677,27 @@ Filändelsen stöds ej Speltid: - + Untitled Service 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 @@ -5716,147 +5717,145 @@ 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. - + Service File(s) Missing Fil(er) i körschemat saknas - + &Rename... &Byt namn... - + Create New &Custom Slide Skapa ny an&passad sida - + &Auto play slides &Växla sidor automatiskt - + Auto play slides &Loop Växla sidor automatiskt i &loop - + Auto play slides &Once Växla sidor automatiskt &en gång - + &Delay between slides &Tid mellan växling - + OpenLP Service Files (*.osz *.oszl) 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 + + The following file(s) in the service are missing: {name} 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. + + + + + An error occurred while writing the service file: {error} + @@ -5888,15 +5887,10 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar.Genväg - + Duplicate Shortcut Dubblett - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - Genvägen "%s" är redan kopplad till en annan åtgärd; välj en annan genväg. - Alternate @@ -5942,219 +5936,235 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar.Configure Shortcuts Konfigurera genvägar + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + OpenLP.SlideController - + Hide Dölj - + Go To Gå till - - - Blank Screen - Släck skärm - - Blank to Theme - Släck till tema - - - Show Desktop Visa skrivbord - + Previous Service Föregående post - + Next Service Nästa post - - Escape Item - Avbryt post - - - + Move to previous. Flytta till föregående. - + Move to next. Flytta till nästa. - + Play Slides Sidvisning - + Delay between slides in seconds. Tid i sekunder mellan sidorna. - + Move to live. Visa live. - + Add to Service. Lägg till i körschema. - + Edit and reload song preview. Redigera och uppdatera förhandsvisning. - + Start playing media. Starta uppspelning. - + Pause audio. Pausa ljud. - + Pause playing media. Pausa spelande media. - + Stop playing media. Stoppa spelande media. - + Video position. Videoposition. - + Audio Volume. Ljudvolym. - + Go to "Verse" Gå till "Vers" - + Go to "Chorus" Gå till "Refräng" - + Go to "Bridge" Gå till "Stick" - + Go to "Pre-Chorus" Gå till "Brygga" - + Go to "Intro" Gå till "Intro" - + Go to "Ending" Gå till "Avslut" - + Go to "Other" Gå till "Övrigt" - + Previous Slide Föregående bild - + Next Slide Nästa bild - + Pause Audio Pausa ljud - + Background Audio Bakgrundsljud - + Go to next audio track. Gå till nästa ljudspår - + Tracks Spår + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + 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 - + 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? @@ -6162,17 +6172,17 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar. OpenLP.SpellTextEdit - + Spelling Suggestions Stavningsförslag - + Formatting Tags Format-taggar - + Language: Språk: @@ -6251,7 +6261,7 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar. OpenLP.ThemeForm - + (approximately %d lines per slide) (ungefär %d rader per sida) @@ -6259,521 +6269,531 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar. OpenLP.ThemeManager - + Create a new theme. Skapa ett nytt tema. - + Edit Theme Redigera tema - + Edit a theme. Redigera tema. - + Delete Theme Ta bort tema - + Delete a theme. Ta bort tema. - + Import Theme Importera tema - + Import a theme. Importera tema. - + Export Theme Exportera tema - + Export a theme. Exportera tema. - + &Edit Theme &Redigera tema - + &Delete Theme &Ta bort tema - + Set As &Global Default Ange som &globalt tema - - %s (default) - %s (standard) - - - + You must select a theme to edit. Du måste välja ett tema att redigera. - + You are unable to delete the default theme. Du kan inte ta bort standardtemat. - + 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 - + Select Theme Import File Välj temafil - + File is not a valid theme. Filen är inte ett giltigt tema. - + &Copy Theme &Kopiera tema - + &Rename Theme &Byt namn på tema - + &Export Theme &Exportera tema - + You must select a theme to rename. Du måste välja ett tema att byta namn på. - + Rename Confirmation Bekräftelse av namnbyte - + Rename %s theme? Byt namn på temat %s? - + You must select a theme to delete. Du måste välja ett tema att ta bort. - + Delete Confirmation Borttagningsbekräftelse - + Delete %s theme? Ta bort temat %s? - + Validation Error Valideringsfel - + A theme with this name already exists. Ett tema med det här namnet finns redan. - - Copy of %s - Copy of <theme name> - 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) - - %s time(s) by %s - - - - + Unable to delete theme - + + + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - +{text} + OpenLP.ThemeWizard - + Theme Wizard Temaguiden - + Welcome to the Theme Wizard Välkommen till temaguiden - + Set Up Background Ställ in bakgrund - + Set up your theme's background according to the parameters below. Ställ in temats bakgrund enligt parametrarna nedan. - + Background type: Bakgrundstyp: - + Gradient Gradient - + Gradient: Gradient: - + Horizontal Horisontell - + Vertical Vertikal - + Circular Cirkulär - + Top Left - Bottom Right Uppe vänster - nere höger - + Bottom Left - Top Right Nere vänster - uppe höger - + Main Area Font Details Huvudytans tecken - + Define the font and display characteristics for the Display text Definiera font och egenskaper för visningstexten - + Font: Teckensnitt: - + Size: Storlek: - + Line Spacing: Radavstånd: - + &Outline: &Kant: - + &Shadow: Sk&ugga: - + Bold Fetstil - + Italic Kursiv - + Footer Area Font Details Sidfotens tecken - + Define the font and display characteristics for the Footer text Definiera font och egenskaper för sidfotstexten - + Text Formatting Details Textformatering - + Allows additional display formatting information to be defined Ytterligare inställningsmöjligheter för visningsformatet - + Horizontal Align: Horisontell justering: - + Left Vänster - + Right Höger - + Center Centrera - + Output Area Locations Visningsytornas positioner - + &Main Area &Huvudyta - + &Use default location Använd &standardposition - + X position: X-position: - + px px - + Y position: Y-position: - + Width: Bredd: - + Height: Höjd: - + Use default location Använd standardposition - + Theme name: Temanamn: - - Edit Theme - %s - Redigera tema - %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. Den här guiden hjälper dig att skapa och redigera dina teman. Klicka på Nästa för att börja processen med att ställa in bakgrund. - + Transitions: Övergångar: - + &Footer Area &Sidfotsyta - + Starting color: Startfärg: - + Ending color: Slutfärg: - + Background color: Bakgrundsfärg: - + Justify Marginaljustera - + Layout Preview Förhandsgranskning av layout - + Transparent Transparent - + Preview and Save Förhandsgranska och spara - + Preview the theme and save it. Förhanskgranska temat och spara det. - + Background Image Empty Bakgrundsbild tom - + Select Image Välj bild - + Theme Name Missing Temanamn saknas - + There is no name for this theme. Please enter one. Temat saknar namn. Välj ett namn för temat. - + Theme Name Invalid Temanamn ogiltigt - + Invalid theme name. Please enter one. Ogiltigt namn på temat. Välj ett nytt. - + Solid color Enfärgad - + color: Färg: - + Allows you to change and move the Main and Footer areas. Låter dig ändra och flytta huvudytan och sidfotsytan. - + You have not selected a background image. Please select one before continuing. Du har inte valt bakgrundsbild. Välj en innan du fortsätter. + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6856,73 +6876,73 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar.&Vertikal justering: - + Finished import. Importen är slutförd. - + Format: Format: - + Importing Importerar - + Importing "%s"... Importerar "%s"... - + Select Import Source Välj importkälla - + Select the import format and the location to import from. Välj importformat och plats att importera från. - + Open %s File Öppna %s-fil - + %p% %p % - + Ready. Klar. - + Starting import... Startar import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Du måste ange åtminstone en %s-fil att importera från. - + Welcome to the Bible Import Wizard Välkommen till bibelimportguiden - + Welcome to the Song Export Wizard Välkommen till sångexportguiden - + Welcome to the Song Import Wizard Välkommen till sångimportguiden @@ -6940,7 +6960,7 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar. - © + © Copyright symbol. © @@ -6972,39 +6992,34 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar.XML-syntaxfel - - Welcome to the Bible Upgrade Wizard - Välkommen till bibeluppgraderingsguiden - - - + Open %s Folder Öppna %s-katalog - + You need to specify one %s file to import from. A file type e.g. OpenSong Du måste ange en %s-fil att importera från. - + You need to specify one %s folder to import from. A song format e.g. PowerSong Du måste ange en %s-katalog att importera från. - + Importing Songs Importerar sånger - + Welcome to the Duplicate Song Removal Wizard Välkommen till guiden för borttagning av sångdubletter - + Written by Skriven av @@ -7014,543 +7029,598 @@ Filerna kommer att tas bort från körschemat om du går vidare och sparar.Okänd författare - + About Om - + &Add &Lägg till - + Add group Lägg till grupp - + Advanced Avancerat - + All Files Alla filer - + Automatic Automatiskt - + Background Color Bakgrundsfärg - + Bottom Botten - + Browse... Bläddra... - + Cancel Avbryt - + CCLI number: CCLI-nummer: - + Create a new service. Skapa ett nytt körschema. - + Confirm Delete Bekräfta borttagning - + Continuous Kontinuerlig - + Default Standard - + Default Color: Standardfärg: - + 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. Körschema %Y-%m-%d %H-%M - + &Delete &Ta bort - + Display style: Visningsstil: - + Duplicate Error Dubblettfel - + &Edit &Redigera - + Empty Field Tomt fält - + Error Fel - + Export Exportera - + File Fil - + File Not Found Hittar inte fil - - File %s not found. -Please try selecting it individually. - Filen %s hittas inte. -Försök att välja den separat. - - - + pt Abbreviated font pointsize unit pt - + Help Hjälp - + h The abbreviated unit for hours h - + Invalid Folder Selected Singular Felaktig katalog vald - + Invalid File Selected Singular Felaktig fil vald - + Invalid Files Selected Plural Felaktiga filer valda - + Image Bild - + Import Importera - + Layout style: Layout: - + Live Live - + Live Background Error Live-bakgrundsproblem - + Live Toolbar Live-verktygsrad - + Load Ladda - + Manufacturer Singular Tillverkare - + Manufacturers Plural Tillverkare - + Model Singular Modell - + Models Plural Modeller - + m The abbreviated unit for minutes min - + Middle Mitten - + New Nytt - + New Service Nytt körschema - + New Theme Nytt tema - + Next Track Nästa spår - + No Folder Selected Singular Ingen katalog vald - + No File Selected Singular Ingen fil vald - + No Files Selected Plural Inga filer valda - + No Item Selected Singular Ingen post vald - + No Items Selected Plural Inga poster valda - + OpenLP is already running. Do you wish to continue? OpenLP körs redan. Vill du fortsätta? - + Open service. Öppna körschema. - + Play Slides in Loop Kör visning i slinga - + Play Slides to End Kör visning till slutet - + Preview Förhandsgranskning - + Print Service Skriv ut körschema - + Projector Singular 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: - + Preview Toolbar Förhandsgranskningsverktygsrad - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + Bakgrundsfärg: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + Video + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + Inga biblar tillgängliga + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Vers + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + Inga sökresultat + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s och %s + + {one} and {two} + - - %s, and %s - Locale list separator: end - %s, och %s - - - - %s, %s - Locale list separator: middle - %s, %s - - - - %s, %s - Locale list separator: start - %s, %s + + {first} and {last} + @@ -7630,47 +7700,47 @@ Försök att välja den separat. Presentera med: - + File Exists Fil finns redan - + A presentation with that filename already exists. En presentation med det namnet finns redan. - + This type of presentation is not supported. Den här presentationstypen stöds inte. - - Presentations (%s) - 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. + + Presentations ({text}) + - - The presentation %s no longer exists. - Presentationen %s finns inte längre. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7680,11 +7750,6 @@ Försök att välja den separat. Available Controllers Tillgängliga presentationsprogram - - - %s (unavailable) - %s (ej tillgänglig) - Allow presentation application to be overridden @@ -7701,12 +7766,12 @@ Försök att välja den separat. 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. @@ -7717,13 +7782,19 @@ Försök att välja den separat. - Clicking on a selected slide in the slidecontroller advances to next effect. - Klick på en vald bild i bildkontrollen tar fram nästa effekt. + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - Låt PowerPoint kontrollera storlek och position på presentationsfönstret (tillfällig lösning på skalningsproblem i Windows 8). + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7765,127 +7836,127 @@ Försök att välja den separat. RemotePlugin.Mobile - + Service Manager Körschema - + Slide Controller 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 - + Remote Fjärrstyrning - + Stage View Scenbild - + Live View Live-bild @@ -7893,79 +7964,140 @@ Försök att välja den separat. RemotePlugin.RemoteTab - + Serve on IP address: Kör på IP-adress: - + Port number: Portnummer: - + Server Settings Serverinställningar - + Remote URL: Fjärrstyrningsadress: - + Stage view URL: Scenbildsadress: - + Display stage time in 12h format Visa scentiden i 12-timmarsformat - + Android App Android-app - + Live view URL: URL till livebild: - + 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. Kunde inte hitta ett SSL-certifikat. HTTPS-servern kommer inte att vara tillgänglig om inte ett SSL-certifikat hittas. Läs i manualen för mer information. - + User Authentication Användarautentisering - + User id: Användar-ID: - + Password: Lösenord: - + Show thumbnails of non-text slides in remote and stage view. Visa miniatyrer av icketextbilder i fjärrstyrning och scenbild. - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - Skanna QR-koden eller klicka <a href="%s">ladda ner</a> för att installera Android-appen från Google Play. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + Målmapp inte vald + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + Rapportskapande + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8006,50 +8138,50 @@ Försök att välja den separat. 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 @@ -8117,24 +8249,10 @@ All data sparad före detta datum kommer att tas bort permanent. Lagringssökväg - - usage_detail_%s_%s.txt - användning_%s_%s.txt - - - + Report Creation Rapportskapande - - - Report -%s -has been successfully created. - Rapport -%s -skapades utan problem. - Output Path Not Selected @@ -8148,14 +8266,26 @@ Please select an existing path on your computer. 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 + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8171,102 +8301,102 @@ Välj en sökväg till en befintlig mapp på din dator. 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... - + Arabic (CP-1256) Arabiska (CP-1256) - + Baltic (CP-1257) Baltiska (CP-1257) - + Central European (CP-1250) Centraleuropeisk (CP-1250) - + Cyrillic (CP-1251) Kyrilliska (CP-1251) - + Greek (CP-1253) Grekiska (CP-1253) - + Hebrew (CP-1255) Hebreiska (CP-1255) - + Japanese (CP-932) Japanska (CP-932) - + Korean (CP-949) Koreanska (CP-949) - + Simplified Chinese (CP-936) Förenklad kinesiska (CP-936) - + Thai (CP-874) Thai (CP-874) - + Traditional Chinese (CP-950) Traditionell kinesiska (CP-950) - + Turkish (CP-1254) Turkiska (CP-1254) - + Vietnam (CP-1258) Vietnamesiska (CP-1258) - + Western European (CP-1252) Västeuropeisk (CP-1252) - + Character Encoding Teckenkodning - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -8275,26 +8405,26 @@ rätt teckenrepresentation. Vanligtvis fungerar den förvalda inställningen bra. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Välj teckenkodning. Teckenkodningen ansvarar för rätt teckenrepresentation. - + Song name singular Sång - + Songs name plural Sånger - + Songs container title Sånger @@ -8305,37 +8435,37 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. 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 @@ -8350,15 +8480,30 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. 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. + + + Songs + Sånger + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8444,62 +8589,67 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. SongsPlugin.EasyWorshipSongImport - - Administered by %s - Administrerad av %s - - - - "%s" could not be imported. %s - "%s" kunde inte importeras. %s - - - + Unexpected data formatting. Okänt dataformat. - + No song text found. Ingen sångtext hittades. - + [above are Song Tags with notes imported from EasyWorship] [här ovan är sångtaggar med anteckningar importerade från EasyWorship] - + 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. + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data Metadata - + Custom Book Names Anpassade boknamn @@ -8582,57 +8732,57 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Tema, copyrightinfo && kommentarer - + Add Author Lägg till författare - + This author does not exist, do you want to add them? Författaren finns inte; vill du lägga till den? - + This author is already in the list. Författaren finns redan i listan. - + 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. Du har inte valt en giltig författare. Välj antingen en författare från listan, eller skriv in en ny författare och klicka "Lägg till för sång" för att lägga till den nya författaren. - + Add Topic Lägg till ämne - + This topic does not exist, do you want to add it? Ämnet finns inte; vill du skapa det? - + This topic is already in the list. Ämnet finns redan i listan. - + 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 inte valt ett giltigt ämne. Välj antingen ett ämne från listan, eller skriv in ett nytt ämne och klicka "Lägg till för sång" för att lägga till det nya ämnet. - + You need to type in a song title. Du måste ange en sångtitel. - + You need to type in at least one verse. Du måste ange åtminstone en vers. - + You need to have an author for this song. Du måste ange en författare för sången. @@ -8657,7 +8807,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. &Ta bort alla - + Open File(s) Öppna fil(er) @@ -8672,14 +8822,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. <strong>Varning:</strong> Du har inte angivit någon versordning. - - There is no verse corresponding to "%(invalid)s".Valid entries are %(valid)s. -Please enter the verses separated by spaces. - Det finns ingen vers som svarar mot "%(invalid)s". Giltiga poster är %(valid)s. -Ange verserna separerade med blanksteg. - - - + Invalid Verse Order Ogiltig versordning @@ -8689,81 +8832,101 @@ Ange verserna separerade med blanksteg. Redigera &författartyp - + Edit Author Type Redigera författartyp - + Choose type for this author Välj typ för den här författaren - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks - + Add &to Song - + Re&move - + Authors, Topics && Songbooks - + - + Add Songbook - + - + This Songbook does not exist, do you want to add it? - + - + This Songbook is already in the list. - + - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse Redigera vers - + &Verse type: &Verstyp: - + &Insert &Infoga - + Split a slide into two by inserting a verse splitter. Dela en sida i två genom att infoga en versdelare. @@ -8776,77 +8939,77 @@ Please enter the verses separated by spaces. Sångexportguiden - + Select Songs Välj sånger - + Check the songs you want to export. Kryssa för sångerna du vill exportera. - + Uncheck All Kryssa ingen - + Check All Kryssa alla - + Select Directory Välj mapp - + Directory: Mapp: - + Exporting Exporterar - + Please wait while your songs are exported. Vänta medan sångerna exporteras. - + You need to add at least one Song to export. Du måste lägga till minst en sång att exportera. - + No Save Location specified Ingen målmapp angiven - + Starting export... Startar export... - + You need to specify a directory. Du måste ange en mapp. - + Select Destination Folder Välj målmapp - + Select the directory where you want the songs to be saved. Välj mappen där du vill att sångerna sparas. - + This wizard will help to export your songs to the open and free <strong>OpenLyrics </strong> worship song format. Den här guiden hjälper dig att exportera dina sånger till det öppna och fria <strong>OpenLyrics</strong>-formatet för sånger. @@ -8854,7 +9017,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. Ogiltig Foilpresenter-sångfil. Inga verser hittades. @@ -8862,7 +9025,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type Sök när du skriver @@ -8870,7 +9033,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Välj dokument/presentation @@ -8880,237 +9043,252 @@ Please enter the verses separated by spaces. Sångimportguiden - + 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. Den här guiden hjälper dig att importera sånger från en mängd olika format. Klicka på Nästa för att börja processen med att välja ett format att importera från. - + Generic Document/Presentation Vanligt dokument/presentation - + Add Files... Lägg till filer... - + Remove File(s) Ta bort fil(er) - + Please wait while your songs are imported. Vänta medan sångerna importeras. - + Words Of Worship Song Files Words of Worship-sångfiler - + Songs Of Fellowship Song Files Songs of Fellowship-sångfiler - + SongBeamer Files SongBeamer-filer - + SongShow Plus Song Files SongShow Plus-sångfiler - + Foilpresenter Song Files Foilpresenter-sångfiler - + Copy Kopiera - + Save to File Spara till fil - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import av Songs of Fellowship har inaktiverats eftersom OpenLP inte kan hitta OpenOffice eller LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import av vanliga dokument/presentationer har inaktiverats eftersom OpenLP inte hittar OpenOffice eller LibreOffice. - + OpenLyrics Files OpenLyrics-filer - + CCLI SongSelect Files CCLI SongSelect-filer - + EasySlides XML File EasySlides XML-fil - + EasyWorship Song Database EasyWorship sångdatabas - + DreamBeam Song Files DreamBeam sångfiler - + You need to specify a valid PowerSong 1.0 database folder. Du måste ange en giltig PowerSong 1.0-databaskatalog. - + 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>. Konvertera först din ZionWorx-databas till en CSV-textfil, som beskrivs i <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Användarmanualen</a>. - + SundayPlus Song Files SundayPlus-sångfiler - + This importer has been disabled. Den här importfunktionen har inaktiverats. - + MediaShout Database MediaShout-databas - + 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. Importfunktionen för MediaShout stöds bara på Windows. Den har inaktiverats på grund av en saknad Python-modul. Om du vill använda den här importfunktionen måste du installera modulen "pyodbc". - + SongPro Text Files SongPro-textfiler - + SongPro (Export File) SongPro (exporterad fil) - + In SongPro, export your songs using the File -> Export menu I SongPro exporterar du sånger via menyn Arkiv -> Exportera - + EasyWorship Service File EasyWorship-körschemafil - + WorshipCenter Pro Song Files WorshipCenter Pro Song-filer - + 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. Importverktyget för WorshipCenter Pro stöds endast på Windows. Det har inaktiverats på grund av en saknad Python-modul. Om du vill använda det här importverktyget måste du installera modulen "pyodbc". - + 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. - + OpenLyrics or OpenLP 2 Exported Song - + - + OpenLP 2 Databases - + - + LyriX Files - + - + LyriX (Exported TXT-files) - + - + VideoPsalm Files - + - + VideoPsalm - + - - The VideoPsalm songbooks are normally located in %s - + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - + File {name} + + + + + Error: {error} + @@ -9129,89 +9307,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles Titel - + Lyrics Sångtext - + CCLI License: CCLI-licens: - + Entire Song Allt sånginnehåll - + Maintain the lists of authors, topics and books. Underhåll listan över författare, ämnen och böcker. - + copy For song cloning kopia - + Search Titles... Sök titel... - + Search Entire Song... Sök i allt sånginnehåll... - + Search Lyrics... Sök i sångtexter... - + Search Authors... Sök författare... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + - - Search Songbooks... - + + Search Topics... + + + + + Copyright + Copyright + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. Kan inte öppna MediaShout-databasen. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + SongsPlugin.OpenLyricsExport - - Exporting "%s"... - Exporterar "%s"... + + Exporting "{title}"... + @@ -9230,29 +9446,37 @@ Please enter the verses separated by spaces. Inga sånger att importera. - + Verses not found. Missing "PART" header. Inga verser hittade. "PART"-huvud saknas. - No %s files found. - Inga %s-filer hittades. + No {text} files found. + - Invalid %s file. Unexpected byte value. - Ogiltig %s-fil. Oväntat byte-värde. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - Ogiltig %s-fil. "TITLE"-huvud saknas. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - Ogiltig %s-fil. "COPYRIGHTLINE"-huvud saknas. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9275,25 +9499,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + 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 + + Your song export failed because this error occurred: {error} + @@ -9309,17 +9533,17 @@ Please enter the verses separated by spaces. De följande sångerna kunde inte importeras: - + Cannot access OpenOffice or LibreOffice Kan inte hitta OpenOffice eller LibreOffice - + Unable to open file Kan inte öppna fil - + File not found Fil hittas inte @@ -9327,109 +9551,109 @@ Please enter the verses separated by spaces. SongsPlugin.SongMaintenanceForm - + Could not add your author. Kunde inte lägga till författaren. - + This author already exists. Författaren finns redan. - + Could not add your topic. Kunde inte lägga till ämnet. - + This topic already exists. Ämnet finns redan. - + Could not add your book. Kunde inte lägga till boken. - + This book already exists. Boken finns redan. - + Could not save your changes. Kunde inte spara ändringarna. - + Could not save your modified author, because the author already exists. Kunde inte spara den ändrade författaren eftersom den redan finns. - + Could not save your modified topic, because it already exists. Kunde inte spara det ändrade ämnet eftersom det redan finns. - + Delete Author Ta bort författare - + Are you sure you want to delete the selected author? Är du säker på att du vill ta bort den valda författaren? - + This author cannot be deleted, they are currently assigned to at least one song. Författaren kan inte tas bort; den används för närvarande av minst en sång. - + Delete Topic Ta bort ämne - + Are you sure you want to delete the selected topic? Är du säker på att du vill ta bort det valda ämnet? - + This topic cannot be deleted, it is currently assigned to at least one song. Ämnet kan inte tas bort; det används för närvarande av minst en sång. - + Delete Book Ta bort bok - + Are you sure you want to delete the selected book? Är du säker på att du vill ta bort den valda boken? - + This book cannot be deleted, it is currently assigned to at least one song. Boken kan inte tas bort; den används för närvarande av minst en sång. - - The author %s already exists. Would you like to make songs with author %s use the existing author %s? - Författaren %s finns redan. Vill du låta sånger med författaren %s använda den befintliga författaren %s? + + The author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - Ämnet %s finns redan. Vill du låta sånger med ämnet %s använda det befintliga ämnet %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Boken %s finns redan. Vill du låta sånger med boken %s använda den befintliga boken %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9475,52 +9699,47 @@ Please enter the verses separated by spaces. Sök - - Found %s song(s) - Hittade %s sång(er) - - - + Logout Logga ut - + View Visa - + Title: Titel: - + Author(s): Författare: - + Copyright: Copyright: - + CCLI Number: CCLI-nummer: - + Lyrics: Text: - + Back Tillbaka - + Import Importera @@ -9560,7 +9779,7 @@ Please enter the verses separated by spaces. Det uppstod ett problem vid inloggningen. Kanske är ditt användarnamn eller lösenord felaktigt? - + Song Imported Sång importerad @@ -9575,14 +9794,19 @@ Please enter the verses separated by spaces. Den här sången saknar viss information, som t.ex. texten, och kan inte importeras. - + Your song has been imported, would you like to import more songs? Sången har importerats. Vill du importera fler sånger? Stop - + + + + + Found {count:d} song(s) + @@ -9592,30 +9816,30 @@ Please enter the verses separated by spaces. Songs Mode Sångläge - - - Display verses on live tool bar - Visa verser i live-verktygsraden - Update service from song edit Uppdatera körschemat från sångredigeringen - - - Import missing songs from service files - Importera saknade sånger från körschemafiler - Display songbook in footer Visa sångbok i sidfot + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - Visa %s-symbol framför copyright-info + Display "{symbol}" symbol before copyright info + @@ -9639,37 +9863,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Vers - + Chorus Refräng - + Bridge Stick - + Pre-Chorus Brygga - + Intro Intro - + Ending Avslut - + Other Övrigt @@ -9677,22 +9901,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9703,30 +9927,30 @@ Please enter the verses separated by spaces. Fel vid läsning från CSV-fil. - - Line %d: %s - Rad %d: %s - - - - Decoding error: %s - Avkodningsfel: %s - - - + File not valid WorshipAssistant CSV format. Filen är inte i ett giltigt WorshipAssistant-CSV-format. - - Record %d - Post %d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. Kunde inte ansluta till WorshipCenterPro-databasen. @@ -9739,25 +9963,30 @@ Please enter the verses separated by spaces. Fel vid läsning från CSV-fil. - + File not valid ZionWorx CSV format. Filen är inte i giltigt ZionWorx CSV-format. - - Line %d: %s - Rad %d: %s - - - - Decoding error: %s - Avkodningsfel: %s - - - + Record %d Post %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9767,39 +9996,960 @@ Please enter the verses separated by spaces. Guide - + 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. Den här guiden hjälper dig att ta bort dubletter av sånger från sångdatabasen. Du kommer att få möjlighet att titta igenom varje potentiell sångdublett innan den tas bort. Inga sånger kommer alltså att tas bort utan ditt direkta godkännande. - + Searching for duplicate songs. Sökning efter sångdubletter. - + Please wait while your songs database is analyzed. Vänta medan sångdatabasen analyseras. - + Here you can decide which songs to remove and which ones to keep. Här kan du bestämma vilka sånger som ska tas bort och vilka som ska behållas. - - Review duplicate songs (%s/%s) - Visa sångdubletter (%s/%s) - - - + Information Information - + No duplicate songs have been found in the database. Inga sångdubletter hittades i databasen. + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + Svenska + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/ta_LK.ts b/resources/i18n/ta_LK.ts index 68d50ce60..930f36d18 100644 --- a/resources/i18n/ta_LK.ts +++ b/resources/i18n/ta_LK.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -32,7 +33,7 @@ <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. - + @@ -95,15 +96,15 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? விழிப்பூட்டல் உரை இல்லை '<>'. ⏎ தொடர விரும்புகிறீர்களா? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. - + @@ -117,32 +118,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font எழுத்து - + Font name: எழுத்து பெயர் - + Font color: எழுத்து வண்ணம் - - Background color: - பின்னணி நிறம்: - - - + Font size: எழுத்து அளவு - + Alert timeout: முடிதல் எச்சரிக்கை: @@ -150,88 +146,78 @@ 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. - சமீபத்திய வடிவம் பரிசுத்த வேதாகமம் தரவுத்தளங்கள் மேம்படுத்த. - Genesis @@ -656,37 +642,37 @@ 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 - + @@ -698,19 +684,19 @@ Please type in some text before clicking New. , 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 - + @@ -736,159 +722,121 @@ Please type in some text before clicking New. இந்த வேதாகமம் முன்பே இருக்கிறது. வேறு வேதாகமம் இறக்குமதி அல்லது முதல் இருக்கும் ஒரு நீக்கவும். - - 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" க்கும் மேற்பட்ட ஒருமுறை நுழைந்தது. + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error நூல் குறிப்பு பிழை - - Web Bible cannot be used - இண்டர்நெட் பரிசுத்த வேதாகமம் பயன்படுத்த முடியாது + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 ஆதரவு அல்லது தவறானது அல்ல. உங்கள் குறிப்பு பின்வரும் முறைகளில் ஒன்று ரத்து போகிறது என்பதை உறுதி அல்லது கைமுறை கலந்தாலோசிக்கவும்: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -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 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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. @@ -896,36 +844,82 @@ 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 - + + + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + @@ -982,70 +976,71 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - இறக்குமதி புத்தகங்கள்... %s + + Importing books... {book} + - - Importing verses... done. - வசனங்கள் இறக்குமதி ... முடித்து + + Importing verses from {book}... + Importing verses from <book name>... + 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 ஆங்கிலம் @@ -1065,223 +1060,258 @@ 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. உங்கள் வசனம் தேர்வு பிரித்தெடுப்பதில் சிக்கல் ஏற்பட்டது. இந்த பிழை ஏற்படலாம் தொடர்ந்து ஒரு பிழை அறிக்கை முயற்சியுங்கள். + + + Importing {book}... + Importing <book name>... + + 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. - + + + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + @@ -1313,302 +1343,165 @@ It is not possible to customize the Book Names. 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? + + Search + தேடல் + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - நீங்கள் முற்றிலும் நீக்க வேண்டுமா "%s" பைபிள் OpenLP இருந்து? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -நீங்கள் இந்த பைபிள் மீண்டும் பயன்படுத்த மீண்டும் இறக்குமதி செய்ய வேண்டும். - - - - Advanced - முன்னேறிய - - - - BiblesPlugin.OpenSongImport - - - Incorrect Bible file type supplied. OpenSong Bibles may be compressed. You must decompress them before import. - தவறான பைபிள் கோப்பு வகை வழங்கப்படும். OpenSong விவிலியங்களும் சுருக்கப்படவில்லை. நீங்கள் இறக்குமதி முன் அவர்கள் decompress வேண்டும். - - - - 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... - +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - + - - Importing %(bookname)s %(chapter)s... - + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - ஒரு காப்பு அடைவை தேர்ந்தெடு + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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. - உங்கள் விவிலியங்களும் மேம்படுத்தப்படும் போது UpgradingPlease காத்திருக்க. - - - - 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 - தரத்தை உயர்த்துதல் வேதாகமம் (கள்): %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. - ஒரு விவிலியங்களும் மேம்படுத்தப்பட வேண்டும் என்று இல்லை. - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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... - + + Importing {book} {chapter}... + @@ -1674,7 +1567,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an 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. - + @@ -1692,7 +1585,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Import missing custom slides from service files - + @@ -1723,7 +1616,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ஒரே நேரத்தில் அனைத்து ஸ்லைடுகளையும் திருத்த. - + Split a slide into two by inserting a slide splitter. ஒரு ஸ்லைடு பிரிப்பி சேர்த்துக்கொள்வதன் மூலம் இரண்டு ஒரு ஸ்லைடு பிரிந்தது. @@ -1738,7 +1631,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &வரவுகளை: - + You need to type in a title. நீங்கள் ஒரு தலைப்பை தட்டச்சு செய்ய வேண்டும். @@ -1748,20 +1641,20 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I அனைத்து தொ&கு - + Insert Slide படவில்லையை சேர்க்க - + You need to add at least one slide. - + CustomPlugin.EditVerseForm - + Edit Slide படவில்லை பதிப்பி @@ -1769,9 +1662,9 @@ 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 "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1800,11 +1693,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title படிமங்கள் - - - Load a new image. - ஒரு புதிய படத்தை ஏற்ற. - Add a new image. @@ -1835,38 +1723,48 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. சேவைக்கு தேர்ந்தெடுத்த படத்தை சேர்க்க. + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm Add group - + Parent group: - + Group name: - + You need to type in a group name. - - - - - Could not add the new group. - + + Could not add the new group. + + + + This group already exists. - + @@ -1874,33 +1772,33 @@ 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 - + Existing group - + New group - + ImagePlugin.ExceptionDialog - + Select Attachment இணைப்பு தேர்ந்தெடுக்கவும @@ -1908,67 +1806,66 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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? - + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. திரையில் பல்வேறு அம்சம் விகிதம் படங்களை பார்க்க பின்னணி. @@ -1976,88 +1873,88 @@ Do you want to add the other images anyway? Media.player - + 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. - + - + This media player uses your operating system to provide media capabilities. - + 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. சேவைக்கு தேர்ந்தெடுத்த ஊடக சேர்க்கவும் @@ -2067,32 +1964,32 @@ Do you want to add the other images anyway? Select Media Clip - + Source - + Media path: - + Select drive from list - + Load disc - + Track Details - + @@ -2102,52 +1999,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 - + @@ -2155,155 +2052,165 @@ 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 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 - + + + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + @@ -2315,94 +2222,93 @@ Do you want to add the other images anyway? - Start Live items automatically - - - - - OPenLP.MainWindow - - - &Projector Manager - + Start new Live media automatically + 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 - + + + + + Video Files + + + + + Data Directory Error + தரவு இடத்தில் பிழை + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + 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; 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. @@ -2419,168 +2325,157 @@ OpenLP பற்றி மேலும் அறிய.: http://openlp.org/ OpenLP தொண்டர்கள் எழுதி பராமரிக்கப்படுகிறது. மேலும் இலவச கிரிஸ்துவர் மென்பொருள் எழுதி பார்க்க விரும்பினால், கீழே உள்ள பொத்தானை பயன்படுத்தி தன்னார்வ முயற்சியுங்கள். - + Volunteer மேற்கொள் - - - Project Lead - - - - - Developers - - - - - Contributors - - - - - Packagers - - - - - Testers - - - Translators - + Project Lead + - Afrikaans (af) - + Developers + - Czech (cs) - + Contributors + - Danish (da) - + Packagers + - German (de) - + Testers + - Greek (el) - + Translators + - English, United Kingdom (en_GB) - + Afrikaans (af) + - English, South Africa (en_ZA) - + Czech (cs) + - Spanish (es) - + Danish (da) + - Estonian (et) - + German (de) + - Finnish (fi) - + Greek (el) + - French (fr) - + English, United Kingdom (en_GB) + - Hungarian (hu) - + English, South Africa (en_ZA) + - Indonesian (id) - + Spanish (es) + - Japanese (ja) - + Estonian (et) + - Norwegian Bokmål (nb) - + Finnish (fi) + - Dutch (nl) - + French (fr) + - Polish (pl) - + Hungarian (hu) + - Portuguese, Brazil (pt_BR) - + Indonesian (id) + - Russian (ru) - + Japanese (ja) + - Swedish (sv) - + Norwegian Bokmål (nb) + - Tamil(Sri-Lanka) (ta_LK) - + Dutch (nl) + - Chinese(China) (zh_CN) - + Polish (pl) + - Documentation - + Portuguese, Brazil (pt_BR) + - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - + Russian (ru) + - + + Swedish (sv) + + + + + Tamil(Sri-Lanka) (ta_LK) + + + + + Chinese(China) (zh_CN) + + + + + Documentation + + + + Final Credit "For God so loved the world that He gave His one and only Son, so that whoever @@ -2592,330 +2487,247 @@ OpenLP தொண்டர்கள் எழுதி பராமரிக on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + 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 - + 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 - + - - 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. - + - + 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. @@ -2923,326 +2735,470 @@ This location will be used after OpenLP is closed. OpenLP மூடிய பிறகு இந்த இடம் பயன்படுத்தப்படும். + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + தானாக + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + 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 - + RGB + - Video 5 - + Video + - Video 6 - + Digital + - Video 7 - + Storage + - Video 8 - - - - - Video 9 - - - - - Digital 1 - - - - - Digital 2 - + Network + - Digital 3 - + RGB 1 + - Digital 4 - + RGB 2 + - Digital 5 - + RGB 3 + - Digital 6 - + RGB 4 + - Digital 7 - + RGB 5 + - Digital 8 - + RGB 6 + - Digital 9 - + RGB 7 + - Storage 1 - + RGB 8 + - Storage 2 - + RGB 9 + - Storage 3 - + Video 1 + - Storage 4 - + Video 2 + - Storage 5 - + Video 3 + - Storage 6 - + Video 4 + - Storage 7 - + Video 5 + - Storage 8 - + Video 6 + - Storage 9 - + Video 7 + - Network 1 - + Video 8 + - Network 2 - + Video 9 + - Network 3 - + Digital 1 + - Network 4 - + Digital 2 + - Network 5 - + Digital 3 + - Network 6 - + Digital 4 + - Network 7 - + Digital 5 + - Network 8 - + 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 பிழை ஏற்பட்டது - + Send E-Mail மின்னஞ்சல் அனுப்ப - + Save to File கோப்பு சேமிக்க - + Attach File கோப்பை இணை - - - Description characters to enter : %s - விளக்கம் எழுத்துகள் நுழைய: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - - 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. Also attach any files that triggered the problem. - + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - தளம்: %s - - - - + Save Crash Report க்ராஷ் அறிக்கையை சேமிக்க - + Text files (*.txt *.log *.text) உரை கோப்புகள (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3283,265 +3239,258 @@ OpenLP மூடிய பிறகு இந்த இடம் பயன்ப 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. - இணைய இணைப்பு கிடைத்தது இல்லை. மாதிரி பாடல்கள், விவிலியங்களும் மற்றும் தீம்களை பதிவிறக்க முடியும் பொருட்டு முதல் நேரம் வழிகாட்டி இணைய இணைப்பு தேவை. ஆரம்ப அமைப்புகள் மற்றும் மாதிரி தரவு 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. - + + 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 + + + + + Unable to download some files + + + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + -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 - +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + @@ -3574,55 +3523,60 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Default Formatting - + Custom Formatting - + OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error செல்லத்தக்கதாக்குதலும் பிழை ஏற்பட்டது - + Description is missing - + - + Tag is missing - + - Tag %s already defined. - Tag %s ஏற்கனவே இருக்கிறது. + Tag {tag} already defined. + - Description %s already defined. - + Description {tag} already defined. + - - Start tag %s is not valid HTML - + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3711,170 +3665,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 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 &முந்தைய / அடுத்த சேவை உருப்படியை வைக்க + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + காண்பிக்க ஒரு படத்தை கோப்பு உலவ. + + + + Revert to the default OpenLP logo. + முன்னிருப்பு OpenLP லோகோ மீட்டெடு. + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language மொழி - + Please restart OpenLP to use your new language setting. உங்கள் புதிய மொழி அமைப்பு பயன்படுத்த OpenLP மறுதொடக்கம் செய்க. @@ -3882,7 +3866,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP காட்சி @@ -3890,352 +3874,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainWindow - + &File &கோப்பு - + &Import &இறக்குமதி - + &Export &ஏற்றுமதி - + &View &பார்க்க - - M&ode - ப&யன்முறை - - - + &Tools &கருவிகள் - + &Settings &அமைப்புகள் - + &Language &மொழி - + &Help &உதவி - - Service Manager - சேவையை மேலாளர் - - - - Theme Manager - தீம் மேலாளர் - - - + Open an existing service. ஏற்கனவே சேவை திறக்க. - + Save the current service to disk. வட்டு தற்போதைய சேவை சேமி. - + 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. - நேரடி குழுவின் தன்மை மாறுவதற்கு. - - - - List the Plugins - Plugin காண்பி - - - - &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... உள்ளமைக்கவும் &குறுக்குவழிகளை... - + 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. தற்போதைய சேவையை அச்சிட்டு. - - 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. @@ -4244,309 +4064,447 @@ 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. சமீபத்திய கோப்புகளை அழிக்கவும். - + Configure &Formatting Tags... உள்ளமைக்கவும் &நீக்கு Tags... - - Export OpenLP settings to a specified *.config file - ஒரு குறிப்பிட்ட வகையில் OpenLP ஏற்றுமதி அமைப்புகள் *.config file - - - + Settings அமைப்புகள் - - Import OpenLP settings from a specified *.config file previously exported on this or another machine - ஒரு குறிப்பிட்ட இருந்து OpenLP இறக்குமதி அமைப்புகள் *.config file -தாக்கல் முன்னர் இந்த அல்லது மற்றொரு கணினியில் ஏற்றுமதி - - - + 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. - + + &Recent Services + - - An error occurred while exporting the settings: %s - + + &New Service + + + + + &Open Service + - &Recent Services - - - - - &New Service - - - - - &Open Service - - - - &Save Service - + - + Save Service &As... - + - + &Manage Plugins - + - + Exit OpenLP - + - + Are you sure you want to exit OpenLP? - + - + &Exit OpenLP - + + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + சேவையை + + + + Themes + தீம்கள் + + + + Projectors + + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + 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. -The database will not be loaded. - -Database: %s - - - + OpenLP cannot load your database. -Database: %s - OpenLP உங்கள் தரவுத்தள +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -தரவுத்தளம் ஏற்ற முடியாது: %s +Database: {db_name} + 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. நகல் கோப்புகளை இறக்குமதி காணப்படும் மற்றும் புறக்கணிக்கப்பட்டனர். + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag இல்லை. - + <verse> tag is missing. <verse> tag இல்லை. @@ -4554,112 +4512,107 @@ Suffix not supported 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 (இல்லை) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + OpenLP.PluginForm - + Plugin Details Plugin விவரம் - + Status: இப்போது தகுதி: - + Active செயலில் - - Inactive - ஜடமான - - - - %s (Inactive) - %s (ஜடமான) - - - - %s (Active) - %s (செயலில்) + + Manage Plugins + - %s (Disabled) - %s (முடக்கப்பட்டது) + {name} (Disabled) + - - Manage Plugins - + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page சரியா பக்க செய்வது - + Fit Width சரியா அகலம் செய்வது @@ -4667,712 +4620,767 @@ Suffix not supported 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 சேவையை 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 - + OK + - Undefined Command - + General projector error + - Invalid Parameter - + Not connected error + - Projector Busy - + Lamp error + - Projector/Display Error - + Fan error + - Invalid packet received - + High temperature detected + - Warning condition detected - + Cover open detected + - Error condition detected - + Check filter + - PJLink class not supported - + Authentication Error + - Invalid prefix character - + Undefined Command + - The connection was refused by the peer (or timed out) - + Invalid Parameter + + + + + Projector Busy + - The remote host closed the connection - + Projector/Display Error + + + + + Invalid packet received + - The host address was not found - + Warning condition detected + - The socket operation failed because the application lacked the required privileges - + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + - The local system ran out of resources (e.g., too many sockets) - + The connection was refused by the peer (or timed out) + - The socket operation timed out - + The remote host closed the connection + - The datagram was larger than the operating system's limit - + The host address was not found + - - An error occurred with the network (Possibly someone pulled the plug?) - + + The socket operation failed because the application lacked the required privileges + - The address specified with socket.bind() is already in use and was set to be exclusive - + The local system ran out of resources (e.g., too many sockets) + - - The address specified to socket.bind() does not belong to the host - + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + - The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) - + An error occurred with the network (Possibly someone pulled the plug?) + - - The socket is using a proxy, and the proxy requires authentication - + + The address specified with socket.bind() is already in use and was set to be exclusive + - - The SSL/TLS handshake failed - + + The address specified to socket.bind() does not belong to the host + - The last operation attempted has not finished yet (still in progress in the background) - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + - Could not contact the proxy server because the connection to that server was denied - + The socket is using a proxy, and the proxy requires authentication + - The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) - + The SSL/TLS handshake failed + - - The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. - + + The last operation attempted has not finished yet (still in progress in the background) + - - 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 - + + 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 + - Edit Projector - + IP Address + - - IP Address - + + Port Number + - Port Number - + PIN + - PIN - + Name + - Name - + Location + - 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 - + + Name + + + + + IP + + + + Port துறைமுகம் - + Notes குறிப்புகள் - + Projector information not available at this time. - + - + Projector Name - - - - - Manufacturer - - - - - Model - + - Other info - + Manufacturer + - Power status - + Model + - Shutter is - - - - - Closed - + 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 - + - - Delete projector (%s) %s? - - - - + Are you sure you want to delete this projector? - + + + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + + + + + No Authentication Error + OpenLP.ProjectorPJLink - + Fan - + - + Lamp - + - + Temperature - + - + Cover - + - + Filter - + - + Other வேறு @@ -5382,55 +5390,55 @@ Suffix not supported 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 - + @@ -5441,27 +5449,27 @@ Suffix not supported திரை - + primary முதன்மையான OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>ஆரம்பி</strong>: %s - - - - <strong>Length</strong>: %s - <strong>நீளம்</strong>: %s - - [slide %d] - + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5525,52 +5533,52 @@ Suffix not supported சேவையை இருந்து தேர்ந்தெடுக்கப்பட்ட உருப்படியை நீக்கு. - + &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 உங்கள் உருப்படியை அதை காணவில்லை அல்லது செயலற்று காட்ட வேண்டும் நீட்சியாக காண்பிக்க முடியாது @@ -5595,7 +5603,7 @@ Suffix not supported அனைத்து சேவையை பொருட்கள் உடைந்து. - + Open File திற கோப்பு @@ -5625,22 +5633,22 @@ Suffix not supported தற்சமயம் தேர்ந்தெடுத்த உருப்படியை அனுப்ப - + &Start Time &தொடங்கு நேரம் - + Show &Preview காண்பி &முன்னோட்டம் - + Modified Service மாற்றப்பட்ட சேவையை - + The current service has been modified. Would you like to save this service? தற்போதைய சேவை மாற்றப்பட்டுள்ளது. இந்த சேவை சேமிக்க விரும்புகிறீர்களா? @@ -5660,27 +5668,27 @@ Suffix not supported தொடங்கி நேரம்: - + Untitled Service தலைப்பிடாத சேவையை - + File could not be opened because it is corrupt. இது ஊழல் ஏனெனில் கோப்பு திறக்க முடியவில்லை. - + Empty File காலியாக கோப்பு - + This service file does not contain any data. இந்த சேவையை கோப்பில் தரவு ஏதும் இல்லை. - + Corrupt File ஊழல் மிகுந்த கோப்பு @@ -5700,143 +5708,143 @@ Suffix not supported சேவையை ஒரு தீம் தேர்வு. - + 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - + + + + + An error occurred while writing the service file: {error} + @@ -5868,15 +5876,10 @@ These files will be removed if you continue to save. குறுக்கு வழி - + Duplicate Shortcut குறுக்குவழி நகல் - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - குறுக்கு வழி "%s" ஏற்கனவே மற்றொரு நடவடிக்கை ஒதுக்கப்படும், வேறு குறுக்குவழி பயன்படுத்தவும். - Alternate @@ -5922,237 +5925,253 @@ These files will be removed if you continue to save. Configure Shortcuts குறுக்குவழிகள் உள்ளமைக்கவும் + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + 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" "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 தடங்கள் + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source - + - + 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 - + - + 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 Tags அழிக்க - + Language: மொழி: @@ -6231,7 +6250,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (தோராயமாக %d ஸ்லைடு ஒவ்வொரு வரிகளும்) @@ -6239,521 +6258,531 @@ These files will be removed if you continue to save. 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. நீங்கள் முன்னிருப்பு தீம் நீக்க முடியவில்லை. - + 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) - + - - %s time(s) by %s - - - - + Unable to delete theme - + + + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - +{text} + 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. நீங்கள் ஒரு பின்னணி படத்தை தேர்ந்தெடுக்கவில்லை. தொடர்வதற்கு முன், ஒரு தேர்ந்தெடுக்கவும். + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6770,7 +6799,7 @@ These files will be removed if you continue to save. S&ong Level - + பா%டல் மட்டம் @@ -6805,12 +6834,12 @@ These files will be removed if you continue to save. Universal Settings - + &Wrap footer text - + @@ -6836,73 +6865,73 @@ These files will be removed if you continue to save. &செங்குத்து சீரமை: - + 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 பாடல் இறக்குமதி வழிகாட்டி வரவேற்கிறோம் @@ -6920,7 +6949,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6952,584 +6981,635 @@ These files will be removed if you continue to save. XML syntax பிழை - - 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 காலியாக 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 h - + Invalid Folder Selected Singular தவறான கோப்புறையை தெரிவு - + Invalid File Selected Singular தேர்ந்தெடுத்ததை தவறான கோப்பு - + Invalid Files Selected Plural தேர்ந்தெடுத்ததை தவறான கோப்புகள் - + Image படம் - + Import இறக்குமதி - + Layout style: அமைப்பு பாணி: - + Live தற்போது - + Live Background Error தற்போது பின்னணி பிழை - + Live Toolbar தற்போது கருவிப்பட்டை - + Load Load - + Manufacturer Singular - + - + Manufacturers Plural - + - + Model Singular - + - + Models Plural - + - + m The abbreviated unit for minutes m - + 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 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 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 பார்க்க முறை - + CCLI song number: - + - + Preview Toolbar - + - + OpenLP OpenLp - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + பின்னணி நிறம்: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + எந்த பரிசுத்த வேதாகமம் கிடைக்கும் இல்லை + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + வசனம் + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + தேடல் முடிவுகள் இல்லை + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - + + {one} and {two} + - - %s, and %s - Locale list separator: end - - - - - %s, %s - Locale list separator: middle - - - - - %s, %s - Locale list separator: start - + + {first} and {last} + @@ -7537,7 +7617,7 @@ Please try selecting it individually. Source select dialog interface - + @@ -7610,47 +7690,47 @@ Please try selecting it individually. பயன்படுத்தி முன்வைக்க: - + 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 முழுமையானதாக இல்லை, மீண்டும் ஏற்றுக. + + Presentations ({text}) + - - The presentation %s no longer exists. - விளக்கக்காட்சி %s இல்லை. + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + @@ -7660,11 +7740,6 @@ Please try selecting it individually. Available Controllers கிடைக்கும் கட்டுப்படுத்திகளின - - - %s (unavailable) - %s (இல்லை) - Allow presentation application to be overridden @@ -7673,37 +7748,43 @@ Please try selecting it individually. 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. - + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7734,218 +7815,279 @@ Please try selecting it individually. 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 அமைப்புகள் - + Remote தொலை - + Stage View - + - + 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 12h வடிவில் மேடை நேரம் காட்ட - + Android App Android பயன்பாடு - + 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. - + - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + வெளியீடு பாதை தேர்வாகவில்லை + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + அறிக்கை உருவாக்கம் + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -7986,50 +8128,50 @@ Please try selecting it individually. பாடல் பயன்பாட்டு டிராக்கிங் நிலைமாற்று. - + <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 அச்சிடப்பட்ட @@ -8060,12 +8202,12 @@ Please try selecting it individually. 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. - + @@ -8096,24 +8238,10 @@ All data recorded before this date will be permanently deleted. வெளியீடு கோப்பு இடம் - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation அறிக்கை உருவாக்கம் - - - Report -%s -has been successfully created. - அறிக்கை -%s -உருவாக்கிய முடிந்தது. - Output Path Not Selected @@ -8123,17 +8251,29 @@ has been successfully created. 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 - + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8149,102 +8289,102 @@ Please select an existing path on your computer. இறக்குமதி வழிகாட்டியை பயன்படுத்தி இசை இறக்குமதி. - + <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... ட்டவணையிடுதல் இசை மீண்டும் ... - + 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. @@ -8253,26 +8393,26 @@ Usually you are fine with the preselected choice. பொதுவாக நீங்கள் preselected தேர்வு நன்றாக இருக்கும். - + Please choose the character encoding. The encoding is responsible for the correct character representation. எழுத்துரு குறியீட்டு முறையை தேர்வு செய்யவும். குறியீட்டு சரியான தன்மை பிரதிநிதித்துவம் பொறுப்பு. - + Song name singular பாட்டு - + Songs name plural பாடல்கள் - + Songs container title பாடல்கள் @@ -8283,59 +8423,74 @@ The encoding is responsible for the correct character representation. ஏற்றுமதி ஏற்றுமதி வழிகாட்டியை பயன்படுத்தி பாடல்கள். - + 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. - + + + + + Songs + பாடல்கள் + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + @@ -8344,25 +8499,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 - + @@ -8416,67 +8571,72 @@ The encoding is responsible for the correct character representation. 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. - + + 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. - + + + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + SongsPlugin.EditBibleForm - + Meta Data Meta Data - + Custom Book Names தனிபயன் புத்தக பெயர்கள @@ -8559,57 +8719,57 @@ The encoding is responsible for the correct character representation. தீம், பதிப்புரிமை தகவல் && கருத்துரைகள் - + 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. நீங்கள் குறைந்தது ஒரு வசனம் தட்டச்சு செய்ய வேண்டும். - + You need to have an author for this song. இந்த பாடல் ஒரு நூலாசிரியர் இருக்க வேண்டும். @@ -8634,7 +8794,7 @@ The encoding is responsible for the correct character representation. அனைத்து &நீக்க - + Open File(s) கோப்பு (கள்) திற @@ -8647,100 +8807,114 @@ The encoding is responsible for the correct character representation. <strong>Warning:</strong> You have not entered a verse order. - + - - 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 - - - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - + &Manage Authors, Topics, Songbooks - + Add &to Song - + Re&move - + Authors, Topics && Songbooks - + - + Add Songbook - + - + This Songbook does not exist, do you want to add it? - + - + This Songbook is already in the list. - + - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse பதிப்பி வசனம் - + &Verse type: &வசனம் அமைப்பு: - + &Insert &செருகு - + Split a slide into two by inserting a verse splitter. ஒரு வசனம் பிரிப்பி சேர்த்துக்கொள்வதன் மூலம் இரண்டு ஒரு ஸ்லைடு பிரிந்தது. @@ -8753,93 +8927,93 @@ Please enter the verses separated by spaces. பாடல் ஏற்றுமதி செய்யும் விசார்ட் - + 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.GeneralTab - + Enable search as you type நீங்கள் தட்டச்சு தேடல் செயல்படுத்த @@ -8847,7 +9021,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files ஆவண / வழங்கல் கோப்புகள் தேர்வு @@ -8857,237 +9031,252 @@ Please enter the verses separated by spaces. பாடல் இறக்குமதி வழிகாட்டி - + 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. உங்கள் இசை இறக்குமதி காத்திருங்கள். - + Words Of Worship Song Files வழிபாடு பாடல் கோப்புகளை வார்த்தைகள் - + 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. Fellowship importer பாடல்கள் முடக்கப்பட்டுள்ளதால், OpenLP ஏனெனில் OpenOffice அல்லது LibreOffice திறக்க முடியாது. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. OpenLP இப்பொழுது OpenOffice அல்லது LibreOffice திறக்க முடியாது, ஏனெனில் generic ஆவணம் / விளக்கக்காட்சி இறக்குமதியாளர் முடக்கப்பட்டுள்ளது. - + OpenLyrics Files OpenLyrics கோப்ப - + CCLI SongSelect Files CCLI SongSelect கோப்புகள் - + EasySlides XML File EasySlides XML கோப்புகள் - + EasyWorship Song Database பாடல் தரவுத்தளம் - + DreamBeam Song Files DreamBeam பாடல் கோப்புகள் - + You need to specify a valid PowerSong 1.0 database folder. நீங்கள் சரியான குறிப்பிட வேண்டும் PowerSong 1.0 database அடைவை. - + 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">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 இறக்குமதியாளர் இது விண்டோஸ் இல் மட்டுமே துணைபுரிகிறது. அது ஒரு விடுபட்ட Python தொகுதி காரணமாக முடக்கப்பட்டுள்ளது. இந்த இறக்குமதியாளர் பயன்படுத்த விரும்பினால், நீங்கள் "pyodbc" தொகுதி நிறுவ வேண்டும். - + SongPro Text Files SongPro உரை கோப்புகள் - + SongPro (Export File) SongPro (ஏற்றுமதி கோப்பு) - + In SongPro, export your songs using the File -> Export menu SongPro உள்ள, கோப்பு பயன்படுத்தி உங்கள் பாடல்கள் ஏற்றுமதி -> ஏற்றுமதி பட்டி - + 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 + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + OpenLyrics or OpenLP 2 Exported Song + + + + + OpenLP 2 Databases + + + + + LyriX Files + + + + + LyriX (Exported TXT-files) + + + + + VideoPsalm Files + + + + + VideoPsalm + + + + + OPS Pro database + - PresentationManager Song Files - + The OPS 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. + - - ProPresenter 4 Song Files - + + ProPresenter Song Files + - - Worship Assistant Files - - - - - Worship Assistant (CSV) - - - - - In Worship Assistant, export your Database to a CSV file. - - - - - OpenLyrics or OpenLP 2 Exported Song - - - - - OpenLP 2 Databases - - - - - LyriX Files - - - - - LyriX (Exported TXT-files) - - - - - VideoPsalm Files - - - - - VideoPsalm - - - - - The VideoPsalm songbooks are normally located in %s - + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - + File {name} + + + + + Error: {error} + @@ -9106,89 +9295,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles தலைப்புகள் - + Lyrics பாடல்வரிகளை - + CCLI License: CCLI உரிமம்: - + Entire Song முழு பாடல் - + Maintain the lists of authors, topics and books. ஆசிரியர்கள், தலைப்புகள் மற்றும் புத்தகங்கள் பட்டியலை பராமரிக்க. - + copy For song cloning நகலெடுக்க - + Search Titles... தேடல் தலைப்புகள் ... - + Search Entire Song... முழு பாடல் தேட ... - + Search Lyrics... தேடல் பாடல்வரிகளை ... - + Search Authors... தேடல் ஆசிரியர்களையும் ... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + - - Search Songbooks... - + + Search Topics... + + + + + Copyright + பதிப்புரிமை + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. MediaShout database திறக்க முடியவில்லை. + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + SongsPlugin.OpenLyricsExport - - Exporting "%s"... - ஏற்றுமதி %s"... + + Exporting "{title}"... + @@ -9196,7 +9423,7 @@ Please enter the verses separated by spaces. Invalid OpenSong song file. Missing song tag. - + @@ -9207,29 +9434,37 @@ Please enter the verses separated by spaces. இறக்குமதி பாடல்கள் இல்லை. - + Verses not found. Missing "PART" header. செய்யுள்கள் இல்லை. "பாகம்" மேற்குறிப்பு இல்லை. - No %s files found. - எந்த %s கோப்புகளும் இல்லை. + No {text} files found. + - Invalid %s file. Unexpected byte value. - தவறான %s கோப்பு. எதிர்பாராத பைட் மதிப்பு. + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - தவறான %s கோப்பு. "TITLE" header இல்லை. + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - தவறான %s கோப்பு. "COPYRIGHTLINE" header இல்லை. + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9252,26 +9487,26 @@ Please enter the verses separated by spaces. Songbook Maintenance - + 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 - + + Your song export failed because this error occurred: {error} + @@ -9287,17 +9522,17 @@ Please enter the verses separated by spaces. இந்த இசை இறக்குமதி செய்ய முடியாது: - + Cannot access OpenOffice or LibreOffice OpenOffice அல்லது LibreOffice அணுக முடியாது - + Unable to open file கோப்பை திறக்க முடியவில்லை - + File not found கோப்பு காணவில்லை @@ -9305,109 +9540,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - இந்த தலைப்பை %s முன்பே இருக்கிறது. நீங்கள் தலைப்பை கொண்ட இசை செய்ய விரும்புகிறேன் %s ஏற்கனவே தலைப்பை பயன்படுத்த %s? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - இந்த புத்தகம் %s ஏற்கனவே உள்ளது. நீங்கள் புத்தகம் இசை செய்ய விரும்புகிறேன் %s ஏற்கனவே புத்தகத்தில் பயன்படுத்த %s? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9415,12 +9650,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + @@ -9435,132 +9670,132 @@ Please enter the verses separated by spaces. Save username and password - + Login - + Search Text: - + Search தேடல் - - - Found %s song(s) - - - - - Logout - - + Logout + + + + View பார்க்க - + Title: தலைப்பு: - + Author(s): - + - + Copyright: காப்புரிமை: - - - CCLI Number: - - - Lyrics: - + CCLI Number: + - Back - + 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? - + Stop - + + + + + Found {count:d} song(s) + @@ -9570,30 +9805,30 @@ Please enter the verses separated by spaces. Songs Mode பாடல்கள் முறை - - - Display verses on live tool bar - நேரடி கருவி பட்டியில் வசனங்கள் காண்பிக்க - Update service from song edit பாடல் தொகு இருந்து சேவையை மேம்படுத்த - - - Import missing songs from service files - சேவை கோப்புகளை காணவில்லை பாடல்கள் இறக்குமதி - Display songbook in footer - + + + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + - Display "%s" symbol before copyright info - + Display "{symbol}" symbol before copyright info + @@ -9617,37 +9852,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse வசனம் - + Chorus கோரஸ் - + Bridge Bridge - + Pre-Chorus முன் கோரஸ் - + Intro அறிமுகமே - + Ending முடிவுக்கு - + Other வேறு @@ -9655,22 +9890,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9680,33 +9915,33 @@ Please enter the verses separated by spaces. Error reading CSV file. படிப்பதில் பிழை CSV கோப்பு. + + + File not valid WorshipAssistant CSV format. + + - Line %d: %s - வரிசை %d: %s + Line {number:d}: {error} + + + + + Record {count:d} + - Decoding error: %s - நீக்கத்திற்கு பிழை: %s - - - - File not valid WorshipAssistant CSV format. - - - - - Record %d - சாதனையை %d + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. - + @@ -9717,67 +9952,993 @@ Please enter the verses separated by spaces. படிப்பதில் பிழை CSV கோப்பு. - + File not valid ZionWorx CSV format. செல்லாத ZionWorx CSV வடிவத்தில் தாக்கல். - - Line %d: %s - வரிசை %d: %s - - - - Decoding error: %s - நீக்கத்திற்கு பிழை: %s - - - + Record %d சாதனையை %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + 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. - + + 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. - + + + + + Review duplicate songs ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + ஆங்கிலம் + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/th_TH.ts b/resources/i18n/th_TH.ts index c2b9a72dc..66a3e25eb 100644 --- a/resources/i18n/th_TH.ts +++ b/resources/i18n/th_TH.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -96,14 +97,14 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? ข้อความแจ้งเตือนไม่มี '<>' คุณต้องการดำเนินการต่อไปหรือไม่? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. คุณไม่ได้ป้อนข้อความแจ้งเตือนใด ๆ โปรดป้อนข้อความก่อนคลิกใหม่ @@ -120,32 +121,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font ตัวอักษร - + Font name: ชื่อตัวอักษร: - + Font color: สีตัวอักษร: - - Background color: - สีพื้นหลัง: - - - + Font size: ขนาดตัวอักษร: - + Alert timeout: ระยะเวลาแจ้งเตือน: @@ -153,88 +149,78 @@ 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. - ปรับปรุงฐานข้อมูลรูปแบบใหม่ล่าสุดสำหรับพระคัมภีร์ - Genesis @@ -739,160 +725,121 @@ Please type in some text before clicking New. พระคัมภีร์ฉบับนี้มีอยู่แล้ว โปรดนำเข้าพระคัมภีร์ฉบับที่แตกต่างกัน หรือลบพระคัมภีร์ฉบับที่มีอยู่แล้วออกก่อน - - 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" ได้รับการป้อนมากกว่าหนึ่งครั้ง + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error เกิดข้อผิดพลาดในการอ้างอิงพระคัมภีร์ - - Web Bible cannot be used - พระคัมภีร์ที่ดาวน์โหลดจากเว็บไซต์ไม่สามารถใช้ได้ + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 หรือการอ้างอิงไม่ถูกต้อง โปรดตรวจสอบให้แน่ใจว่าการอ้างอิงของคุณ สอดคล้องกับรูปแบบต่อไปนี้ หรือดูรายละเอียดเพิ่มเติมที่คู่มือแนะนำการใช้งาน: +This means that the currently used Bible +or Second Bible is installed as Web Bible. -หนังสือ บทที่ -หนังสือ บทที่%(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ข้อที่ +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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. @@ -901,37 +848,83 @@ 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 แสดงไม้เลขของข้อ + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -987,70 +980,71 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - กำลังนำเข้าหนังสือ... %s + + Importing books... {book} + - - Importing verses... done. - นำเข้าข้อพระคัมภีร์... เสร็จเรียบร้อยแล้ว + + Importing verses from {book}... + Importing verses from <book name>... + 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 ภาษาไทย @@ -1070,224 +1064,259 @@ 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. เกิดปัญหาส่วนที่คัดลอกของข้อความที่คุณเลือก ถ้าข้อผิดพลาดยังปรากฏขึ้น โปรดพิจารณารายงานจุดบกพร่องนี้ + + + Importing {book}... + Importing <book name>... + + 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. เกิดการผิดพลาดขึ้นเมื่อดาวน์โลดรายการพระคัมภีร์จาก %s + + + Bibles: + พระคัมภีร์: + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1318,292 +1347,155 @@ It is not possible to customize the Book Names. 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? + + Search + ค้นหา + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - คุณแน่ใจหรือว่า ต้องการลบพระคัมภีร์ "%s" จากโปรแกรม OpenLP? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -ถ้าคุณต้องการใช้งาน คุณต้องนำเข้าพระคัมภีร์ฉบับนี้อีกครั้ง - - - - Advanced - ขั้นสูง - - - - 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. - ประเภทของไฟล์ของพระคัมภีร์ไม่ถูกต้อง นี้ดูเหมือนพระคัมภีร์ XML Zefania กรุณาใช้ตัวเลือกนำเข้า Zefania - - - - BiblesPlugin.Opensong - - - Importing %(bookname)s %(chapter)s... - นำเข้า %(bookname) %(chapter)... +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... ลบแท็กที่ไม่ได้ใช้ (อาจจะใช้เวลาไม่กี่นาที)... - - Importing %(bookname)s %(chapter)s... - นำเข้า %(bookname) %(chapter)... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - เลือกไดเรกทอรีสำหรับการสำรองข้อมูล + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 - การปรับปรุงพระคัมภีร์(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. - ไม่มีพระคัมภีร์ที่ต้องการปรับปรุง - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. ประเภทของไฟล์ของพระคัมภีร์ไม่ถูกต้อง บางครั้งพระคัมภีร์ Zefania ถูกบีบอัด มันต้องถูกขยายก่อนที่นำเข้าได้ @@ -1611,9 +1503,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - นำเข้า %(bookname) %(chapter)... + + Importing {book} {chapter}... + @@ -1728,7 +1620,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I แก้ไขข้อความทั้งหมดในครั้งเดียว - + Split a slide into two by inserting a slide splitter. แยกข้อความออกเป็นส่วนๆโดยแทรกตัวแยกข้อความ @@ -1743,7 +1635,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &ขอขอบคุณ: - + You need to type in a title. คุณต้องใส่หัวข้อ @@ -1753,12 +1645,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &แก้ไขทั้งหมด - + Insert Slide แทรกภาพนิ่ง - + You need to add at least one slide. คุณต้องเพิ่มภาพนิ่งอันหนึ่งอย่างน้อย @@ -1766,7 +1658,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide แก้ไขข้อความ @@ -1774,9 +1666,9 @@ 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 "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1804,11 +1696,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title รูปภาพ - - - Load a new image. - เพิ่มรูปภาพใหม่ - Add a new image. @@ -1839,6 +1726,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. เพิ่มรูปภาพที่เลือกไปที่การจัดทำรายการ + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1863,12 +1760,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. กลุ่มนี้มีอยู่แล้ว @@ -1904,7 +1801,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment เลือกสิ่งที่แนบมา @@ -1912,39 +1809,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. มีรายการที่ไม่แสดงผลต้องทำการแก้ไข @@ -1954,25 +1834,41 @@ 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" กันทุกสิ่งที่อยู่ข้างในไหม + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. ภาพพื้นหลังที่มองเห็น มีอัตราส่วนความละเอียดแตกต่างจากที่มองเห็นบนจอภาพ @@ -1980,88 +1876,88 @@ Do you want to add the other images anyway? Media.player - + 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. - + - + This media player uses your operating system to provide media capabilities. - + 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. เพิ่มสื่อภาพและเสียงที่เลือกไปที่การจัดทำรายการ @@ -2071,32 +1967,32 @@ Do you want to add the other images anyway? Select Media Clip - + Source - + Media path: - + Select drive from list - + Load disc - + Track Details - + @@ -2106,12 +2002,12 @@ Do you want to add the other images anyway? Audio track: - + Subtitle track: - + @@ -2121,37 +2017,37 @@ Do you want to add the other images anyway? Clip Range - + Start point: - + Set start point - + Jump to start point - + End point: - + Set end point - + Jump to end point - + @@ -2159,155 +2055,165 @@ 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 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 - + + + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + @@ -2319,94 +2225,93 @@ Do you want to add the other images anyway? - Start Live items automatically - - - - - OPenLP.MainWindow - - - &Projector Manager - + Start new Live media automatically + 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 - + + + + + Video Files + + + + + Data Directory Error + เกิดข้อผิดพลาดไดเรกทอรีข้อมูล + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + 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. @@ -2423,168 +2328,157 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr โปรแกรม OpenLP ถูกเขียนและดูแลโดยอาสาสมัคร หากคุณต้องการเห็นซอฟแวร์เสรี ที่เขียนสำหรับคริสเตียนมากขึ้น โปรดพิจารณาร่วมเป็นอาสาสมัคร โดยใช้ปุ่มด้านล่าง - + Volunteer อาสาสมัคร - - - Project Lead - - - - - Developers - - - - - Contributors - - - - - Packagers - - - - - Testers - - - Translators - + Project Lead + - Afrikaans (af) - + Developers + - Czech (cs) - + Contributors + - Danish (da) - + Packagers + - German (de) - + Testers + - Greek (el) - + Translators + - English, United Kingdom (en_GB) - + Afrikaans (af) + - English, South Africa (en_ZA) - + Czech (cs) + - Spanish (es) - + Danish (da) + - Estonian (et) - + German (de) + - Finnish (fi) - + Greek (el) + - French (fr) - + English, United Kingdom (en_GB) + - Hungarian (hu) - + English, South Africa (en_ZA) + - Indonesian (id) - + Spanish (es) + - Japanese (ja) - + Estonian (et) + - Norwegian Bokmål (nb) - + Finnish (fi) + - Dutch (nl) - + French (fr) + - Polish (pl) - + Hungarian (hu) + - Portuguese, Brazil (pt_BR) - + Indonesian (id) + - Russian (ru) - + Japanese (ja) + - Swedish (sv) - + Norwegian Bokmål (nb) + - Tamil(Sri-Lanka) (ta_LK) - + Dutch (nl) + - Chinese(China) (zh_CN) - + Polish (pl) + - Documentation - + Portuguese, Brazil (pt_BR) + - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - + Russian (ru) + - + + Swedish (sv) + + + + + Tamil(Sri-Lanka) (ta_LK) + + + + + Chinese(China) (zh_CN) + + + + + Documentation + + + + Final Credit "For God so loved the world that He gave His one and only Son, so that whoever @@ -2596,329 +2490,247 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + 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 - + - - 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. - + - + 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. @@ -2926,11 +2738,142 @@ This location will be used after OpenLP is closed. ตำแหน่งที่ตั้งนี้จะถูกใช้หลังจากปิดโปรแกรม OpenLP + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + อัตโนมัติ + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + OpenLP.ColorButton - + Click to select a color. คลิกเพื่อเลือกสี @@ -2938,314 +2881,327 @@ This location will be used after OpenLP is closed. 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 - + Digital + - Video 7 - + Storage + - Video 8 - - - - - Video 9 - - - - - Digital 1 - - - - - Digital 2 - + Network + - Digital 3 - + RGB 1 + - Digital 4 - + RGB 2 + - Digital 5 - + RGB 3 + - Digital 6 - + RGB 4 + - Digital 7 - + RGB 5 + - Digital 8 - + RGB 6 + - Digital 9 - + RGB 7 + - Storage 1 - + RGB 8 + - Storage 2 - + RGB 9 + - Storage 3 - + Video 1 + - Storage 4 - + Video 2 + - Storage 5 - + Video 3 + - Storage 6 - + Video 4 + - Storage 7 - + Video 5 + - Storage 8 - + Video 6 + - Storage 9 - + Video 7 + - Network 1 - + Video 8 + - Network 2 - + Video 9 + - Network 3 - + Digital 1 + - Network 4 - + Digital 2 + - Network 5 - + Digital 3 + - Network 6 - + Digital 4 + - Network 7 - + Digital 5 + - Network 8 - + 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 เกิดเหตุการณ์ผิดพลาดขึ้น - + Send E-Mail ส่ง E-Mail - + Save to File บันทึกไฟล์ - + Attach File ไฟล์แนบ - - - Description characters to enter : %s - ป้อนคำอธิบาย : %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - - 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. Also attach any files that triggered the problem. - + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - คำอธิบาย: %s - - - - + Save Crash Report บันทึกรายงานความผิดพลาด - + Text files (*.txt *.log *.text) ไฟล์ข้อความ(*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3286,265 +3242,258 @@ This location will be used after OpenLP is closed. 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. - + + 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 + + + + + Unable to download some files + + + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + -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 - +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + @@ -3577,55 +3526,60 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Default Formatting - + Custom Formatting - + OpenLP.FormattingTagForm - + <HTML here> <HTML ที่นี่> - + Validation Error การตรวจสอบเกิดข้อผิดพลาด - + Description is missing - + - + Tag is missing - + - Tag %s already defined. - แท็ก %s กำหนดไว้แล้ว + Tag {tag} already defined. + - Description %s already defined. - + Description {tag} already defined. + - - Start tag %s is not valid HTML - + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3714,170 +3668,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 &เลื่อนต่อไปที่รายการถัดไป / รายการก่อนหน้า + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + เรียกดูไฟล์รูปภาพที่ต้องการแสดง + + + + Revert to the default OpenLP logo. + กลับไปใช้โลโก้เริ่มต้นของโปรแกรม OpenLP + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language ภาษา - + Please restart OpenLP to use your new language setting. โปรดเริ่มต้นโปรแกรม OpenLP อีกครั้ง เมื่อคุณตั้งค่าภาษาใหม่ @@ -3885,7 +3869,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display แสดงโปรแกรมOpenLP @@ -3893,352 +3877,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainWindow - + &File &ไฟล์ - + &Import &นำเข้าไฟล์ - + &Export &ส่งออกไฟล์ - + &View &มุมมอง - - M&ode - &รูปแบบโปรแกรม - - - + &Tools &เครื่องมือ - + &Settings &ตั้งค่าโปรแกรม - + &Language &ภาษา - + &Help &ช่วยเหลือ - - Service Manager - การจัดทำรายการ - - - - Theme Manager - จัดการรูปแบบธีม - - - + Open an existing service. เปิดใช้ไฟล์การจัดทำรายการที่มีอยู่แล้ว - + Save the current service to disk. บันทึกรายการไปที่จัดเก็บ - + 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. - ล็อคการมองเห็นของกรอบแสดงผลบนจอภาพ - - - - 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... &ปรับแต่งทางลัด... - + 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. พิมพ์รายการปัจจุบัน - - 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. @@ -4247,307 +4067,447 @@ 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. ล้างรายการไฟล์ล่าสุด - + 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. - + + &Recent Services + - - An error occurred while exporting the settings: %s - + + &New Service + + + + + &Open Service + - &Recent Services - - - - - &New Service - - - - - &Open Service - - - - &Save Service - + - + Save Service &As... - + - + &Manage Plugins - + - + Exit OpenLP - + - + Are you sure you want to exit OpenLP? - + - + &Exit OpenLP - + + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + บริการ + + + + Themes + ธีม + + + + Projectors + + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + 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 ไม่สามารถบันทึกฐานข้อมูลของคุณ +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -ฐานข้อมูล: %s +Database: {db_name} + 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. พบว่ามีการนำเข้าไฟล์ที่ซ้ำกันและถูกมองข้าม + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <เนื้อเพลง> แท็กหายไป - + <verse> tag is missing. <ข้อความ> แท็กหายไป @@ -4555,112 +4515,107 @@ Suffix not supported 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 (ไม่สามารถใช้งานได้) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + OpenLP.PluginForm - + Plugin Details รายละเอียดโปรแกรมเสริม - + Status: สถานะ: - + Active เปิดใช้งาน - - Inactive - ไม่ได้เปิดใช้งาน - - - - %s (Inactive) - %s (ไม่ได้เปิดใช้งาน) - - - - %s (Active) - %s (เปิดใช้งาน) + + Manage Plugins + - %s (Disabled) - %s (ปิดใช้งาน) + {name} (Disabled) + - - Manage Plugins - + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page พอดีหน้า - + Fit Width พอดีความกว้าง @@ -4668,712 +4623,767 @@ Suffix not supported 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 - + OK + - Undefined Command - + General projector error + - Invalid Parameter - + Not connected error + - Projector Busy - + Lamp error + - Projector/Display Error - + Fan error + - Invalid packet received - + High temperature detected + - Warning condition detected - + Cover open detected + - Error condition detected - + Check filter + - PJLink class not supported - + Authentication Error + - Invalid prefix character - + Undefined Command + - The connection was refused by the peer (or timed out) - + Invalid Parameter + + + + + Projector Busy + - The remote host closed the connection - + Projector/Display Error + + + + + Invalid packet received + - The host address was not found - + Warning condition detected + - The socket operation failed because the application lacked the required privileges - + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + - The local system ran out of resources (e.g., too many sockets) - + The connection was refused by the peer (or timed out) + - The socket operation timed out - + The remote host closed the connection + - The datagram was larger than the operating system's limit - + The host address was not found + - - An error occurred with the network (Possibly someone pulled the plug?) - + + The socket operation failed because the application lacked the required privileges + - The address specified with socket.bind() is already in use and was set to be exclusive - + The local system ran out of resources (e.g., too many sockets) + - - The address specified to socket.bind() does not belong to the host - + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + - The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) - + An error occurred with the network (Possibly someone pulled the plug?) + - - The socket is using a proxy, and the proxy requires authentication - + + The address specified with socket.bind() is already in use and was set to be exclusive + - - The SSL/TLS handshake failed - + + The address specified to socket.bind() does not belong to the host + - The last operation attempted has not finished yet (still in progress in the background) - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + - Could not contact the proxy server because the connection to that server was denied - + The socket is using a proxy, and the proxy requires authentication + - The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) - + The SSL/TLS handshake failed + - - The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. - + + The last operation attempted has not finished yet (still in progress in the background) + - - 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 - + + 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 + - Edit Projector - + IP Address + - - IP Address - + + Port Number + - Port Number - + PIN + - PIN - + Name + - Name - + Location + - 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 - + + Name + + + + + IP + + + + Port Port - + Notes หมายเหตุ - + Projector information not available at this time. - + - + Projector Name - - - - - Manufacturer - - - - - Model - + - Other info - + Manufacturer + - Power status - + Model + - Shutter is - - - - - Closed - + 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 - + - - Delete projector (%s) %s? - - - - + Are you sure you want to delete this projector? - + + + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + + + + + No Authentication Error + OpenLP.ProjectorPJLink - + Fan - + - + Lamp - + - + Temperature - + - + Cover - + - + Filter - + - + Other Other อื่นๆ @@ -5383,55 +5393,55 @@ Suffix not supported 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 - + @@ -5442,27 +5452,27 @@ Suffix not supported แสดงจอภาพที่ว่างเปล่า - + primary ตัวหลัก OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>เริ่มต้น</strong>: %s - - - - <strong>Length</strong>: %s - <strong>ระยะเวลา</strong>: %s - - [slide %d] - + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5526,52 +5536,52 @@ Suffix not supported ลบรายการที่เลือกออกจากการจัดทำรายการ - + &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 รายการของคุณไม่สามารถแสดงผลได้ เนื่องจากโปรแกรมเสริมที่จำเป็นในการแสดงผลหายไป หรือไม่ได้เปิดใช้งาน @@ -5596,7 +5606,7 @@ Suffix not supported ยุบรายการในการจัดทำรายการทั้งหมด - + Open File เปิดไฟล์ @@ -5626,22 +5636,22 @@ Suffix not supported ส่งรายการที่เลือกไปแสดงบนจอภาพ - + &Start Time &เล่นสื่อภาพและเสียงในเวลาที่กำหนด - + Show &Preview &แสดงตัวอย่าง - + Modified Service ปรับเปลี่ยนแก้ไขรายการ - + The current service has been modified. Would you like to save this service? การจัดทำรายการมีการปรับเปลี่ยนแก้ไข คุณต้องการบันทึกการจัดทำรายการนี้หรือไม่? @@ -5661,27 +5671,27 @@ Suffix not supported เวลาเริ่มเล่น: - + Untitled Service ไม่ได้ตั้งชื่อการจัดทำรายการ - + File could not be opened because it is corrupt. ไฟล์เสียหายไม่สามารถเปิดได้ - + Empty File ไฟล์ว่างเปล่า - + This service file does not contain any data. ไฟล์การจัดทำรายการนี้ไม่มีข้อมูลใดๆ - + Corrupt File ไฟล์เสียหาย @@ -5701,143 +5711,143 @@ Suffix not supported เลือกธีมสำหรับการจัดทำรายการ - + 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - + + + + + An error occurred while writing the service file: {error} + @@ -5869,15 +5879,10 @@ These files will be removed if you continue to save. ทางลัด - + Duplicate Shortcut ทางลัดซ้ำกัน - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - ทางลัด "%s" ถูกกำหนดให้กับการกระทำอื่นแล้ว โปรดใช้ทางลัดที่ไม่เหมือนกัน - Alternate @@ -5923,237 +5928,253 @@ These files will be removed if you continue to save. Configure Shortcuts ปรับแต่งทางลัด + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + 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 แทร็ค + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source - + - + 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 - + - + 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: ภาษา: @@ -6232,7 +6253,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (ประมาณ %d บรรทัดต่อการเลื่อน) @@ -6240,521 +6261,531 @@ These files will be removed if you continue to save. 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. คุณไม่สามารถลบธีมเริ่มต้นได้ - + 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) - + - - %s time(s) by %s - - - - + Unable to delete theme - + + + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - +{text} + 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. คุณไม่ได้เลือกภาพพื้นหลัง โปรดเลือกหนึ่งภาพสำหรับดำเนินการต่อไป + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6806,12 +6837,12 @@ These files will be removed if you continue to save. Universal Settings - + &Wrap footer text - + @@ -6837,73 +6868,73 @@ These files will be removed if you continue to save. &ตําแหน่งในแนวตั้ง: - + 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 ยินดีต้อนรับสู่ตัวช่วยสร้างการนำเข้าเพลง @@ -6921,7 +6952,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6953,584 +6984,635 @@ These files will be removed if you continue to save. 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 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: - + - + Preview Toolbar - + - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + สีพื้นหลัง: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + หนัง + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + พระคัมภีร์ไม่พร้อมใช้งาน + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + Verse ท่อนร้อง + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + ไม่พบผลลัพธ์จากการค้นหา + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - + + {one} and {two} + - - %s, and %s - Locale list separator: end - - - - - %s, %s - Locale list separator: middle - - - - - %s, %s - Locale list separator: start - + + {first} and {last} + @@ -7538,7 +7620,7 @@ Please try selecting it individually. Source select dialog interface - + @@ -7610,47 +7692,47 @@ Please try selecting it individually. นำเสนอโดยใช้: - + 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 ไม่สมบูรณ์ โปรดเพิ่มเข้ามาใหม่ + + Presentations ({text}) + - - The presentation %s no longer exists. - งานนำเสนอ %s ไม่มีอีกต่อไป + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + @@ -7660,11 +7742,6 @@ Please try selecting it individually. Available Controllers ตัวควบคุมที่ใช้งานได้ - - - %s (unavailable) - %s (ไม่สามารถใช้งานได้) - Allow presentation application to be overridden @@ -7673,37 +7750,43 @@ Please try selecting it individually. 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. - + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7734,218 +7817,279 @@ Please try selecting it individually. 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 ตั้งค่า - + Remote การควบคุมระยะไกล - + Stage View - + - + 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 - + 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. - + - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + ไม่ได้เลือกเส้นทางการส่งออกข้อมูล + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + การสร้างรายงาน + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -7986,50 +8130,50 @@ Please try selecting it individually. ล็อคการติดตามการใช้งานเพลง - + <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 สั่งพิมพ์ @@ -8060,12 +8204,12 @@ Please try selecting it individually. 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. - + @@ -8096,24 +8240,10 @@ All data recorded before this date will be permanently deleted. ตำแหน่งที่ตั้งของไฟล์ที่ส่งออกข้อมูล - - usage_detail_%s_%s.txt - usage_detail_%s_%s.txt - - - + Report Creation การสร้างรายงาน - - - Report -%s -has been successfully created. - รายงาน -%s -สร้างเสร็จเรียบร้อยแล้ว - Output Path Not Selected @@ -8123,17 +8253,29 @@ has been successfully created. 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 - + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8149,102 +8291,102 @@ Please select an existing path on your computer. นำเข้าเพลงโดยใช้ตัวช่วยสร้างการนำเข้า - + <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. @@ -8253,26 +8395,26 @@ 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 เพลง @@ -8283,59 +8425,74 @@ The encoding is responsible for the correct character representation. ส่งออกเพลงโดยใช้ตัวช่วยสร้างการส่งออก - + 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. - + + + + + Songs + เพลง + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + @@ -8344,25 +8501,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 - + @@ -8416,67 +8573,72 @@ The encoding is responsible for the correct character representation. 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. - + + 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. - + + + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + SongsPlugin.EditBibleForm - + Meta Data นิยามข้อมูล - + Custom Book Names ชื่อหนังสือที่กำหนดเอง @@ -8559,57 +8721,57 @@ The encoding is responsible for the correct character representation. ธีม, ข้อมูลลิขสิทธิ์ && ความคิดเห็น - + 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. คุณต้องพิมพ์อย่างน้อยหนึ่งท่อน - + You need to have an author for this song. คุณต้องใส่ชื่อผู้แต่งเพลงนี้ @@ -8634,7 +8796,7 @@ The encoding is responsible for the correct character representation. &ลบออกทั้งหมด - + Open File(s) เปิดไฟล์(s) @@ -8646,100 +8808,114 @@ The encoding is responsible for the correct character representation. <strong>Warning:</strong> You have not entered a verse order. - + - - 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 - - - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - + &Manage Authors, Topics, Songbooks - + Add &to Song - + Re&move - + Authors, Topics && Songbooks - + - + Add Songbook - + - + This Songbook does not exist, do you want to add it? - + - + This Songbook is already in the list. - + - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse แก้ไขท่อนเพลง - + &Verse type: &ประเภทเพลง: - + &Insert &แทรก - + Split a slide into two by inserting a verse splitter. แยกการเลื่อนออกเป็นสองโดยการแทรกตัวแยกท่อน @@ -8752,93 +8928,93 @@ Please enter the verses separated by spaces. ตัวช่วยสร้างการส่งออกเพลง - + 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.GeneralTab - + Enable search as you type เปิดใช้การค้นหาในขณะที่คุณพิมพ์ @@ -8846,7 +9022,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files เลือกไฟล์เอกสาร/ไฟล์การนำเสนอ @@ -8856,237 +9032,252 @@ Please enter the verses separated by spaces. ตัวช่วยสร้างการนำเข้าเพลง - + 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. โปรดรอสักครู่ในขณะที่เพลงของคุณถูกนำเข้า - + 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 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 + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + OpenLyrics or OpenLP 2 Exported Song + + + + + OpenLP 2 Databases + + + + + LyriX Files + + + + + LyriX (Exported TXT-files) + + + + + VideoPsalm Files + + + + + VideoPsalm + + + + + OPS Pro database + - PresentationManager Song Files - + The OPS 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. + - - ProPresenter 4 Song Files - + + ProPresenter Song Files + - - Worship Assistant Files - - - - - Worship Assistant (CSV) - - - - - In Worship Assistant, export your Database to a CSV file. - - - - - OpenLyrics or OpenLP 2 Exported Song - - - - - OpenLP 2 Databases - - - - - LyriX Files - - - - - LyriX (Exported TXT-files) - - - - - VideoPsalm Files - - - - - VideoPsalm - - - - - The VideoPsalm songbooks are normally located in %s - + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - + File {name} + + + + + Error: {error} + @@ -9105,89 +9296,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles ชื่อเพลง - + Lyrics เนื้อเพลง - + CCLI License: สัญญาอนุญาต CCLI: - + Entire Song เพลงทั้งหมด - + Maintain the lists of authors, topics and books. เก็บรักษารายชื่อของผู้แต่ง, หัวข้อและหนังสือ - + copy For song cloning คัดลอก - + Search Titles... ค้นหาชื่อเพลง... - + Search Entire Song... ค้นหาเพลงทั้งหมด... - + Search Lyrics... ค้นหาเนื้อเพลง.. - + Search Authors... ค้นหาผู้แต่ง... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + - - Search Songbooks... - + + Search Topics... + + + + + Copyright + สงวนลิขสิทธิ์ + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. ไม่สามารถเปิดฐานข้อมูลของ MediaShout + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + SongsPlugin.OpenLyricsExport - - Exporting "%s"... - กำลังส่งออก "%s"... + + Exporting "{title}"... + @@ -9195,7 +9424,7 @@ Please enter the verses separated by spaces. Invalid OpenSong song file. Missing song tag. - + @@ -9206,29 +9435,37 @@ Please enter the verses separated by spaces. ไม่มีเพลงที่นำเข้า - + Verses not found. Missing "PART" header. ไม่พบท่อนเพลง "PART" ส่วนหัวหายไป - No %s files found. - ไม่พบไฟล์ %s + No {text} files found. + - Invalid %s file. Unexpected byte value. - ไฟล์ %s ไม่สามารถใช้งานได้ เกิดจากค่าไบต์ที่ไม่คาดคิด + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - ไฟล์ %s ไม่สามารถใช้งานได้ "TITLE" ส่วนหัวหายไป + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - ไฟล์ %s ไม่สามารถใช้งานได้ "COPYRIGHTLINE" ส่วนหัวหายไป + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9251,25 +9488,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + 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 - + + Your song export failed because this error occurred: {error} + @@ -9285,17 +9522,17 @@ Please enter the verses separated by spaces. เพลงต่อไปนี้ไม่สามารถนำเข้า: - + Cannot access OpenOffice or LibreOffice ไม่สามารถเข้าถึงโปรแกรม OpenOffice หรือ LibreOffice - + Unable to open file ไม่สามารถเปิดไฟล์ได้ - + File not found ไม่พบไฟล์ @@ -9303,109 +9540,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - หัวข้อ %s มีอยู่แล้ว คุณต้องการจะกำหนดใช้หัวข้อ %s ให้กับเพลง ใช้หัวข้อ %s ที่มีอยู่? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - ชื่อหนังสือ %s มีอยู่แล้ว คุณต้องการจะกำหนดใช้ชื่อหนังสือ %s ให้กับเพลง ใช้ชื่อหนังสือ %s ที่มีอยู่? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9413,12 +9650,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + @@ -9433,132 +9670,132 @@ Please enter the verses separated by spaces. Save username and password - + Login - + Search Text: - + Search ค้นหา - - - Found %s song(s) - - - - - Logout - - + Logout + + + + View แสดง - + Title: หัวข้อ: - + Author(s): - + - + Copyright: ลิขสิทธิ์: - - - CCLI Number: - - - Lyrics: - + CCLI Number: + - Back - + 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? - + Stop - + + + + + Found {count:d} song(s) + @@ -9568,30 +9805,30 @@ Please enter the verses separated by spaces. Songs Mode รูปแบบเพลง - - - Display verses on live tool bar - แสดงข้อความบนแถบเครื่องมือแสดงบนจอภาพ - Update service from song edit ปรับปรุงการจัดทำรายการ จากการแก้ไขเพลง - - - Import missing songs from service files - นำเข้าเพลงที่หายไปจากไฟล์การจัดทำรายการ - Display songbook in footer - + + + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + - Display "%s" symbol before copyright info - + Display "{symbol}" symbol before copyright info + @@ -9615,37 +9852,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse Verse ท่อนร้อง - + Chorus Chorus ร้องรับ - + Bridge Bridge ท่อนที่ทำนองแตกต่างไป - + Pre-Chorus Pre-Chorus ท่อนก่อนร้องรับ - + Intro Intro ดนตรีก่อนเริ่มร้อง - + Ending Ending ท่อนจบ - + Other Other อื่นๆ @@ -9653,22 +9890,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9678,33 +9915,33 @@ Please enter the verses separated by spaces. Error reading CSV file. เกิดข้อผิดพลาดในการอ่านไฟล์ CSV + + + File not valid WorshipAssistant CSV format. + + - Line %d: %s - บรรทัด %d: %s + Line {number:d}: {error} + + + + + Record {count:d} + - Decoding error: %s - การถอดรหัสเกิดข้อผิดพลาด: %s - - - - File not valid WorshipAssistant CSV format. - - - - - Record %d - บันทึก %d + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. - + @@ -9715,67 +9952,993 @@ Please enter the verses separated by spaces. เกิดข้อผิดพลาดในการอ่านไฟล์ CSV - + File not valid ZionWorx CSV format. รูปแบบไฟล์ CSV ของ ZionWorx ไม่ถูกต้อง - - Line %d: %s - บรรทัด %d: %s - - - - Decoding error: %s - การถอดรหัสเกิดข้อผิดพลาด: %s - - - + Record %d บันทึก %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + 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. - + + 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. - + + + + + Review duplicate songs ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + ภาษาไทย + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/zh_CN.ts b/resources/i18n/zh_CN.ts index 75518a74f..7efd868ac 100644 --- a/resources/i18n/zh_CN.ts +++ b/resources/i18n/zh_CN.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -32,7 +33,7 @@ <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of alerts on the display screen. - + @@ -95,16 +96,16 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? 警告文字并不包含'<>'。 您依然希望继续吗? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. - + @@ -118,32 +119,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font 字体 - + Font name: 字体名称: - + Font color: 字体颜色: - - Background color: - 背景颜色: - - - + Font size: 字号: - + Alert timeout: 警告时长: @@ -151,88 +147,78 @@ 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. - 升级圣经数据库到最新的格式 - Genesis @@ -657,37 +643,37 @@ 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 - + @@ -699,19 +685,19 @@ Please type in some text before clicking New. , 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 - + @@ -737,159 +723,121 @@ Please type in some text before clicking New. 该版本圣经已存在。请导入一个不同版本的圣经或是先删除已存在的那个。 - - 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"已被输入过一次 + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error 经文标识错误 - - Web Bible cannot be used - 无法使用网络圣经 + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 +This means that the currently used Bible +or Second Bible is installed as Web Bible. + +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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. @@ -898,36 +846,82 @@ 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 - + + + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + @@ -984,70 +978,71 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - 正在导入书卷... %s + + Importing books... {book} + - - Importing verses... done. - 正在导入经节... 完成。 + + Importing verses from {book}... + Importing verses from <book name>... + 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 中文 @@ -1067,223 +1062,258 @@ 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. 在解包您选择的经节时出现问题。如果此错误继续出现请考虑报告软件缺陷。 + + + Importing {book}... + Importing <book name>... + + 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. - + + + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + @@ -1315,302 +1345,165 @@ It is not possible to customize the Book Names. 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? + + Search + 搜索 + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - 您确认要从OpenLP彻底删除 "%s" 圣经? - -要再次使用,您需要重新导入。 + - - Advanced - 高级 - - - - 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... - + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. + +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... - + - - Importing %(bookname)s %(chapter)s... - + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - 选择一个备份目录 + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 - 升级圣经: %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. - 没有任何圣经版本需要升级。 - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + 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... - + + Importing {book} {chapter}... + @@ -1676,7 +1569,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an 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. - + @@ -1694,7 +1587,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Import missing custom slides from service files - + @@ -1725,7 +1618,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 同时编辑所有幻灯片 - + Split a slide into two by inserting a slide splitter. 插入一个幻灯片分隔符来将一张幻灯片拆分为两张 @@ -1740,7 +1633,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 制作名单(C): - + You need to type in a title. 您需要输入一个标题 @@ -1750,20 +1643,20 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 编辑所有(I) - + Insert Slide 插入幻灯片 - + You need to add at least one slide. - + CustomPlugin.EditVerseForm - + Edit Slide 编辑幻灯片 @@ -1771,9 +1664,9 @@ 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 "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1801,11 +1694,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title 图片 - - - Load a new image. - 载入一张新图片 - Add a new image. @@ -1836,38 +1724,48 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. 将选中的图片添加到敬拜仪式里。 + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm Add group - + Parent group: - + Group name: - + You need to type in a group name. - - - - - Could not add the new group. - + + Could not add the new group. + + + + This group already exists. - + @@ -1875,33 +1773,33 @@ 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 - + Existing group - + New group - + ImagePlugin.ExceptionDialog - + Select Attachment 选择附件 @@ -1909,67 +1807,66 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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? - + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. 长宽比例与屏幕不同的图片的可见背景 @@ -1977,88 +1874,88 @@ Do you want to add the other images anyway? Media.player - + 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. - + - + This media player uses your operating system to provide media capabilities. - + 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. 将选中的媒体添加到敬拜仪式 @@ -2068,32 +1965,32 @@ Do you want to add the other images anyway? Select Media Clip - + Source - + Media path: - + Select drive from list - + Load disc - + Track Details - + @@ -2103,52 +2000,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 - + @@ -2156,155 +2053,165 @@ 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 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 - + + + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + @@ -2316,94 +2223,93 @@ Do you want to add the other images anyway? - Start Live items automatically - - - - - OPenLP.MainWindow - - - &Projector Manager - + Start new Live media automatically + 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 - + + + + + Video Files + + + + + Data Directory Error + 数据目录错误 + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + 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通用公共许可证的条款,第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. @@ -2420,168 +2326,157 @@ OpenLP是一个免费的教会演示软件,或歌词演示软件,被用在 OpenLP是由志愿者编写和维护的。如果您想看到更多基督教的软件被编写出来,请考虑点击下面的按钮来志愿加入。 - + Volunteer 志愿者 - - - Project Lead - - - - - Developers - - - - - Contributors - - - - - Packagers - - - - - Testers - - - Translators - + Project Lead + - Afrikaans (af) - + Developers + - Czech (cs) - + Contributors + - Danish (da) - + Packagers + - German (de) - + Testers + - Greek (el) - + Translators + - English, United Kingdom (en_GB) - + Afrikaans (af) + - English, South Africa (en_ZA) - + Czech (cs) + - Spanish (es) - + Danish (da) + - Estonian (et) - + German (de) + - Finnish (fi) - + Greek (el) + - French (fr) - + English, United Kingdom (en_GB) + - Hungarian (hu) - + English, South Africa (en_ZA) + - Indonesian (id) - + Spanish (es) + - Japanese (ja) - + Estonian (et) + - Norwegian Bokmål (nb) - + Finnish (fi) + - Dutch (nl) - + French (fr) + - Polish (pl) - + Hungarian (hu) + - Portuguese, Brazil (pt_BR) - + Indonesian (id) + - Russian (ru) - + Japanese (ja) + - Swedish (sv) - + Norwegian Bokmål (nb) + - Tamil(Sri-Lanka) (ta_LK) - + Dutch (nl) + - Chinese(China) (zh_CN) - + Polish (pl) + - Documentation - + Portuguese, Brazil (pt_BR) + - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro - Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ - MuPDF: http://www.mupdf.com/ - - + Russian (ru) + - + + Swedish (sv) + + + + + Tamil(Sri-Lanka) (ta_LK) + + + + + Chinese(China) (zh_CN) + + + + + Documentation + + + + Final Credit "For God so loved the world that He gave His one and only Son, so that whoever @@ -2593,330 +2488,247 @@ OpenLP是由志愿者编写和维护的。如果您想看到更多基督教的 on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + 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窗口管理器 - + 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 - + - - 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. - + - + 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. @@ -2924,325 +2736,470 @@ This location will be used after OpenLP is closed. 该位置将会在OpenLP关闭时被使用。 + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + 自动 + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + + 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 - + RGB + - Video 5 - + Video + - Video 6 - + Digital + - Video 7 - + Storage + - Video 8 - - - - - Video 9 - - - - - Digital 1 - - - - - Digital 2 - + Network + - Digital 3 - + RGB 1 + - Digital 4 - + RGB 2 + - Digital 5 - + RGB 3 + - Digital 6 - + RGB 4 + - Digital 7 - + RGB 5 + - Digital 8 - + RGB 6 + - Digital 9 - + RGB 7 + - Storage 1 - + RGB 8 + - Storage 2 - + RGB 9 + - Storage 3 - + Video 1 + - Storage 4 - + Video 2 + - Storage 5 - + Video 3 + - Storage 6 - + Video 4 + - Storage 7 - + Video 5 + - Storage 8 - + Video 6 + - Storage 9 - + Video 7 + - Network 1 - + Video 8 + - Network 2 - + Video 9 + - Network 3 - + Digital 1 + - Network 4 - + Digital 2 + - Network 5 - + Digital 3 + - Network 6 - + Digital 4 + - Network 7 - + Digital 5 + - Network 8 - + 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 发生错误 - + Send E-Mail 发送邮件 - + Save to File 保存到文件 - + Attach File 附加文件 - - - Description characters to enter : %s - 输入描述文字: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - - 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. Also attach any files that triggered the problem. - + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - 平台:%s - - - + Save Crash Report 保存崩溃报告 - + Text files (*.txt *.log *.text) 文本文件(*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3283,265 +3240,258 @@ This location will be used after OpenLP is closed. 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. - 没有发现Internet网络连接。首次运行向导需要一个网络连接才可以下载歌曲,圣经和主题样本。现在点击结束按钮来以初始设定和无样本数据的状态下启动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. - + + 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 + + + + + Unable to download some files + + + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + -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 - +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + @@ -3574,55 +3524,60 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s Default Formatting - + Custom Formatting - + OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error 校验错误 - + Description is missing - + - + Tag is missing - + - Tag %s already defined. - 标签 %s 已被定义。 + Tag {tag} already defined. + - Description %s already defined. - + Description {tag} already defined. + - - Start tag %s is not valid HTML - + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3711,170 +3666,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 停留在当前幻灯片(R) - + &Wrap around 绕回开头(W) - + &Move to next/previous service item 移至下一个/上一个敬拜仪式项目(M) + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + 浏览一个图片文件来显示 + + + + Revert to the default OpenLP logo. + 恢复为默认的OpenLP标志 + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language 语言 - + Please restart OpenLP to use your new language setting. 请重新启动OpenLP来使用您新的语言设置。 @@ -3882,7 +3867,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP 显示 @@ -3890,352 +3875,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 - 主题管理器 - - - + Open an existing service. 打开一个存在的敬拜仪式。 - + Save the current service to disk. 将当前的敬拜仪式保存到磁盘。 - + Save Service As 敬拜仪式另存为 - + Save the current service under a new name. 以新名称保存当前的敬拜仪式。 - + E&xit 退出(X) - - 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 - 现场面板(L) - - - - Toggle Live Panel - 切换现场面板 - - - - Toggle the visibility of the live panel. - 切换现场面板可见度。 - - - - 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 现场(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/. - 版本为 %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... 配置快捷键(S) - + 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. 打印当前敬拜仪式 - - L&ock Panels - 锁定面板(O) - - - - 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. @@ -4244,305 +4065,447 @@ 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. 清空最近使用的文件列表 - + 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. - + - + 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. - + + &Recent Services + - - An error occurred while exporting the settings: %s - + + &New Service + + + + + &Open Service + - &Recent Services - - - - - &New Service - - - - - &Open Service - - - - &Save Service - + - + Save Service &As... - + - + &Manage Plugins - + - + Exit OpenLP - + - + Are you sure you want to exit OpenLP? - + - + &Exit OpenLP - + + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + 敬拜仪式 + + + + Themes + 主题 + + + + Projectors + + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + 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无法加载您的数据库。 - -数据库: %s +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. + +Database: {db_name} + 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. 您必须选择一个或多个项目来发送到现场 - + 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. 在导入时发现并忽略了重复的文件 + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> 标签丢失。 - + <verse> tag is missing. <verse> 标签丢失。 @@ -4550,112 +4513,107 @@ Suffix not supported 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 (不可用) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + OpenLP.PluginForm - + Plugin Details 插件详情 - + Status: 状态: - + Active 已启用 - - Inactive - 未启用 - - - - %s (Inactive) - %s (未启用) - - - - %s (Active) - %s (已启用) + + Manage Plugins + - %s (Disabled) - %s (禁用) + {name} (Disabled) + - - Manage Plugins - + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page 适合页面 - + Fit Width 适合宽度 @@ -4663,712 +4621,767 @@ Suffix not supported 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 - + OK + - Undefined Command - + General projector error + - Invalid Parameter - + Not connected error + - Projector Busy - + Lamp error + - Projector/Display Error - + Fan error + - Invalid packet received - + High temperature detected + - Warning condition detected - + Cover open detected + - Error condition detected - + Check filter + - PJLink class not supported - + Authentication Error + - Invalid prefix character - + Undefined Command + - The connection was refused by the peer (or timed out) - + Invalid Parameter + + + + + Projector Busy + - The remote host closed the connection - + Projector/Display Error + + + + + Invalid packet received + - The host address was not found - + Warning condition detected + - The socket operation failed because the application lacked the required privileges - + Error condition detected + + + + + PJLink class not supported + + + + + Invalid prefix character + - The local system ran out of resources (e.g., too many sockets) - + The connection was refused by the peer (or timed out) + - The socket operation timed out - + The remote host closed the connection + - The datagram was larger than the operating system's limit - + The host address was not found + - - An error occurred with the network (Possibly someone pulled the plug?) - + + The socket operation failed because the application lacked the required privileges + - The address specified with socket.bind() is already in use and was set to be exclusive - + The local system ran out of resources (e.g., too many sockets) + - - The address specified to socket.bind() does not belong to the host - + + The socket operation timed out + + + + + The datagram was larger than the operating system's limit + - The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) - + An error occurred with the network (Possibly someone pulled the plug?) + - - The socket is using a proxy, and the proxy requires authentication - + + The address specified with socket.bind() is already in use and was set to be exclusive + - - The SSL/TLS handshake failed - + + The address specified to socket.bind() does not belong to the host + - The last operation attempted has not finished yet (still in progress in the background) - + The requested socket operation is not supported by the local operating system (e.g., lack of IPv6 support) + - Could not contact the proxy server because the connection to that server was denied - + The socket is using a proxy, and the proxy requires authentication + - The connection to the proxy server was closed unexpectedly (before the connection to the final peer was established) - + The SSL/TLS handshake failed + - - The connection to the proxy server timed out or the proxy server stopped responding in the authentication phase. - + + The last operation attempted has not finished yet (still in progress in the background) + - - 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 - + + 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 + - Edit Projector - + IP Address + - - IP Address - + + Port Number + - Port Number - + PIN + - PIN - + Name + - Name - + Location + - 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 - + + Name + + + + + IP + + + + Port 端口 - + Notes 注意 - + Projector information not available at this time. - + - + Projector Name - - - - - Manufacturer - - - - - Model - + - Other info - + Manufacturer + - Power status - + Model + - Shutter is - - - - - Closed - + 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 - + - - Delete projector (%s) %s? - - - - + Are you sure you want to delete this projector? - + + + + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + + + + + No Authentication Error + OpenLP.ProjectorPJLink - + Fan - + - + Lamp - + - + Temperature - + - + Cover - + - + Filter - + - + Other 其它 @@ -5378,55 +5391,55 @@ Suffix not supported 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 - + @@ -5437,27 +5450,27 @@ Suffix not supported 屏幕 - + primary 主要 OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>开始</strong>:%s - - - - <strong>Length</strong>: %s - <strong>长度</strong>:%s - - [slide %d] - + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5521,52 +5534,52 @@ Suffix not supported 从敬拜仪式中删除选中的项目 - + &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 由于缺少或未启用显示该项目的插件,你的项目无法显示。 @@ -5591,7 +5604,7 @@ Suffix not supported 收起所有敬拜仪式项目。 - + Open File 打开文件 @@ -5621,22 +5634,22 @@ Suffix not supported 将选中的项目发送至现场 - + &Start Time 开始时间(S) - + Show &Preview 显示预览(P) - + Modified Service 已修改的敬拜仪式 - + The current service has been modified. Would you like to save this service? 当前敬拜仪式已被修改。您想保存这个敬拜仪式吗? @@ -5656,27 +5669,27 @@ Suffix not supported 播放时间: - + Untitled Service 未命名敬拜仪式 - + File could not be opened because it is corrupt. 文件已损坏,无法打开。 - + Empty File 空文件 - + This service file does not contain any data. 这个敬拜仪式文件不包含任何数据。 - + Corrupt File 损坏的文件 @@ -5696,143 +5709,143 @@ Suffix not supported 选择该敬拜仪式的主题。 - + 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - + + + + + An error occurred while writing the service file: {error} + @@ -5864,15 +5877,10 @@ These files will be removed if you continue to save. 快捷方式 - + Duplicate Shortcut 重复的快捷键 - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - 快捷键 "%s" 已被指派给另一个动作,请使用一个不同的快捷键。 - Alternate @@ -5918,237 +5926,253 @@ These files will be removed if you continue to save. Configure Shortcuts 配置快捷键 + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + 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 音轨 + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + OpenLP.SourceSelectForm - + Select Projector Source - + - + 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 - + - + 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: 语言: @@ -6227,7 +6251,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (大约每张幻灯片%d行) @@ -6235,521 +6259,531 @@ These files will be removed if you continue to save. 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. 您不能删除默认主题 - + 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 - - - - + OpenLP Themes (*.otz) - + - - %s time(s) by %s - - - - + Unable to delete theme - + + + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - +{text} + 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 像素 - + 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. 您尚未选择一张背景图片。请在继续前选择一张。 + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6801,12 +6835,12 @@ These files will be removed if you continue to save. Universal Settings - + &Wrap footer text - + @@ -6832,73 +6866,73 @@ These files will be removed if you continue to save. 垂直对齐(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 欢迎来到歌曲导入向导 @@ -6916,7 +6950,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6948,584 +6982,635 @@ These files will be removed if you continue to save. 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. - - - - + 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 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 可选分隔(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: - + - + Preview Toolbar - + - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + 背景颜色: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + 无任何圣经可用 + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + 主歌 + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + 无搜索结果 + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - + + {one} and {two} + - - %s, and %s - Locale list separator: end - - - - - %s, %s - Locale list separator: middle - - - - - %s, %s - Locale list separator: start - + + {first} and {last} + @@ -7533,7 +7618,7 @@ Please try selecting it individually. Source select dialog interface - + @@ -7605,47 +7690,47 @@ Please try selecting it individually. 演示使用: - + 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不完整,请重新载入。 + + Presentations ({text}) + - - The presentation %s no longer exists. - 演示文件%s已不存在。 + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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. + @@ -7655,11 +7740,6 @@ Please try selecting it individually. Available Controllers 可用控制器 - - - %s (unavailable) - %s (不可用) - Allow presentation application to be overridden @@ -7668,37 +7748,43 @@ Please try selecting it individually. 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. - + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7729,218 +7815,279 @@ Please try selecting it individually. 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 设定 - + Remote 遥控 - + Stage View - + - + 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 Android应用 - + 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. - + - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + 未选择输出路径 + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + 创建报告 + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -7981,50 +8128,50 @@ Please try selecting it individually. 切换歌曲使用跟踪。 - + <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 已打印 @@ -8055,12 +8202,12 @@ Please try selecting it individually. 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. - + @@ -8091,25 +8238,10 @@ All data recorded before this date will be permanently deleted. 输出文件位置 - - usage_detail_%s_%s.txt - 使用细节_%s_%s.txt - - - + Report Creation 创建报告 - - - Report -%s -has been successfully created. - 报告 - -%s -已成功创建。 - Output Path Not Selected @@ -8119,17 +8251,29 @@ has been successfully created. 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 - + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8145,102 +8289,102 @@ Please select an existing path on your computer. 使用导入向导来导入歌曲。 - + <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-1225) - + 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. @@ -8248,26 +8392,26 @@ 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 歌曲 @@ -8278,59 +8422,74 @@ The encoding is responsible for the correct character representation. 使用导出向导来导出歌曲。 - + 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. - + + + + + Songs + 歌曲 + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + @@ -8339,25 +8498,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 - + @@ -8411,67 +8570,72 @@ The encoding is responsible for the correct character representation. 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. - + + 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. - + + + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + SongsPlugin.EditBibleForm - + Meta Data Meta数据 - + Custom Book Names 自定义书卷名 @@ -8554,57 +8718,57 @@ The encoding is responsible for the correct character representation. 主题,版权信息 评论 - + 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. 您需要输入至少一段歌词。 - + You need to have an author for this song. 您需要给这首歌曲一个作者。 @@ -8629,7 +8793,7 @@ The encoding is responsible for the correct character representation. 移除所有(A) - + Open File(s) 打开文件 @@ -8641,100 +8805,114 @@ The encoding is responsible for the correct character representation. <strong>Warning:</strong> You have not entered a verse order. - + - - 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 - - - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - + &Manage Authors, Topics, Songbooks - + Add &to Song - + Re&move - + Authors, Topics && Songbooks - + - + Add Songbook - + - + This Songbook does not exist, do you want to add it? - + - + This Songbook is already in the list. - + - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse 编辑段落 - + &Verse type: 段落类型(V): - + &Insert 插入(I) - + Split a slide into two by inserting a verse splitter. 添加一个歌词分隔符来拆分一张幻灯片。 @@ -8747,93 +8925,93 @@ Please enter the verses separated by spaces. 歌曲导出向导 - + 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.GeneralTab - + Enable search as you type 启用即敲即搜 @@ -8841,7 +9019,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files 选择文档/演示文件 @@ -8851,237 +9029,252 @@ Please enter the verses separated by spaces. 歌曲导入向导 - + 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. 请等待,您的歌曲正在被导入。 - + Words Of Worship Song Files Word 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. 由于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 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">用户指南</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。由于缺少Python模块它已被禁用。如果您想使用这个导入器,您需要安装"pyodbc"模块。 - + SongPro Text Files SongPro 文本文件 - + SongPro (Export File) SongPro (导出文件) - + In SongPro, export your songs using the File -> Export menu 在SongPro里, 使用 文件->导出 菜单来导出您的歌曲 - + 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 + + + + + Worship Assistant Files + + + + + Worship Assistant (CSV) + + + + + In Worship Assistant, export your Database to a CSV file. + + + + + OpenLyrics or OpenLP 2 Exported Song + + + + + OpenLP 2 Databases + + + + + LyriX Files + + + + + LyriX (Exported TXT-files) + + + + + VideoPsalm Files + + + + + VideoPsalm + + + + + OPS Pro database + - PresentationManager Song Files - + The OPS 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. + - - ProPresenter 4 Song Files - + + ProPresenter Song Files + - - Worship Assistant Files - - - - - Worship Assistant (CSV) - - - - - In Worship Assistant, export your Database to a CSV file. - - - - - OpenLyrics or OpenLP 2 Exported Song - - - - - OpenLP 2 Databases - - - - - LyriX Files - - - - - LyriX (Exported TXT-files) - - - - - VideoPsalm Files - - - - - VideoPsalm - - - - - The VideoPsalm songbooks are normally located in %s - + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - + File {name} + + + + + Error: {error} + @@ -9100,89 +9293,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles 标题 - + Lyrics 歌词 - + CCLI License: CCLI许可: - + Entire Song 整首歌曲 - + Maintain the lists of authors, topics and books. 维护作者,题目和曲集列表 - + copy For song cloning 建立歌曲副本 - + Search Titles... 搜索标题... - + Search Entire Song... 搜索整首歌曲... - + Search Lyrics... 搜索歌词... - + Search Authors... 搜索作者 - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + - - Search Songbooks... - + + Search Topics... + + + + + Copyright + 版权 + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. 无法打开MediaShout数据库。 + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + SongsPlugin.OpenLyricsExport - - Exporting "%s"... - 正在导出"%s"... + + Exporting "{title}"... + @@ -9190,7 +9421,7 @@ Please enter the verses separated by spaces. Invalid OpenSong song file. Missing song tag. - + @@ -9201,29 +9432,37 @@ Please enter the verses separated by spaces. 没有歌曲可以导入。 - + Verses not found. Missing "PART" header. 未找到歌词。缺少 "PART" 标头。 - No %s files found. - 未找到%s文件 + No {text} files found. + - Invalid %s file. Unexpected byte value. - 无效的%s文件。非预期的编码值。 + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - 无效的%s文件。缺少 "TITLE" 标头。 + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - 无效的%s文件。缺少 "COPYRIGHTLINE" 标头。 + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9246,25 +9485,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + 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 - + + Your song export failed because this error occurred: {error} + @@ -9280,17 +9519,17 @@ Please enter the verses separated by spaces. 无法导入以下歌曲: - + Cannot access OpenOffice or LibreOffice 无法访问OpenOffice或LibreOffice - + Unable to open file 无法打开文件 - + File not found 找不到文件 @@ -9298,109 +9537,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - 题目%s已存在。您想取消创建题目%s,并用已存在的题目%s制作歌曲吗? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - 曲集%s已存在。您想取消创建曲集%s,并用已存在的曲集%s制作歌曲吗? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9408,12 +9647,12 @@ Please enter the verses separated by spaces. CCLI SongSelect Importer - + <strong>Note:</strong> An Internet connection is required in order to import songs from CCLI SongSelect. - + @@ -9428,132 +9667,132 @@ Please enter the verses separated by spaces. Save username and password - + Login - + Search Text: - + Search 搜索 - - - Found %s song(s) - - - - - Logout - - + Logout + + + + View 查看 - + Title: 标题: - + Author(s): - + - + Copyright: 版权: - - - CCLI Number: - - - Lyrics: - + CCLI Number: + - Back - + 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? - + Stop - + + + + + Found {count:d} song(s) + @@ -9563,30 +9802,30 @@ Please enter the verses separated by spaces. Songs Mode 歌曲模式 - - - Display verses on live tool bar - 在现场工具栏中显示歌词 - Update service from song edit 从音乐编辑中更新敬拜仪式 - - - Import missing songs from service files - 从敬拜仪式文件中导入丢失的歌曲 - Display songbook in footer - + + + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + - Display "%s" symbol before copyright info - + Display "{symbol}" symbol before copyright info + @@ -9610,37 +9849,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse 主歌 - + Chorus 副歌 - + Bridge 桥段 - + Pre-Chorus 导歌 - + Intro 前奏 - + Ending 结束 - + Other 其它 @@ -9648,22 +9887,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9673,33 +9912,33 @@ Please enter the verses separated by spaces. Error reading CSV file. 读取CSV文件发生错误。 + + + File not valid WorshipAssistant CSV format. + + - Line %d: %s - 行 %d: %s + Line {number:d}: {error} + + + + + Record {count:d} + - Decoding error: %s - 解码错误: %s - - - - File not valid WorshipAssistant CSV format. - - - - - Record %d - 录制 %d + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. - + @@ -9710,67 +9949,993 @@ Please enter the verses separated by spaces. 读取CSV文件发生错误。 - + File not valid ZionWorx CSV format. 文件不为有效的ZionWorx CSV格式。 - - Line %d: %s - 行 %d: %s - - - - Decoding error: %s - 解码错误: %s - - - + Record %d 录制 %d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + 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. - + + 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. - + + + + + Review duplicate songs ({current}/{total}) + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + 中文 + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + + diff --git a/resources/i18n/zh_TW.ts b/resources/i18n/zh_TW.ts index a65e763f5..321d99299 100644 --- a/resources/i18n/zh_TW.ts +++ b/resources/i18n/zh_TW.ts @@ -1,4 +1,5 @@ - + + AlertsPlugin @@ -95,14 +96,14 @@ Do you want to continue anyway? - The alert text does not contain '<>'. + The alert text does not contain '<>'. Do you want to continue anyway? 警報訊息沒有包含'<>', 是否繼續? - You haven't specified any text for your alert. + You haven't specified any text for your alert. Please type in some text before clicking New. 您尚未在警報文字欄指定任何文字。 請在新建前輸入一些文字。 @@ -119,32 +120,27 @@ Please type in some text before clicking New. AlertsPlugin.AlertsTab - + Font 字型 - + Font name: 字型名稱: - + Font color: 字型顏色: - - Background color: - 背景顏色: - - - + Font size: 字體大小: - + Alert timeout: 警報中止: @@ -152,88 +148,78 @@ 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. 傳送所選擇的聖經到現場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 @@ -738,164 +724,121 @@ Please type in some text before clicking New. 此聖經譯本已存在。請匯入一個不同的聖經譯本,或先刪除已存在的譯本。 - - 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" 已輸入不只一次。 + + You need to specify a book name for "{text}". + + + + + The book name "{name}" 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 "{name}" has been entered more than once. + + + + + BiblesPlugin.BibleImport + + + The file "{file}" you supplied is compressed. You must decompress it before import. + + + + + unknown type of + This looks like an unknown type of XML bible. + BiblesPlugin.BibleManager - + Scripture Reference Error 經節參照錯誤 - - Web Bible cannot be used - 無法使用網路聖經 + + Web Bible cannot be used in Text Search + - - 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: + + Text Search is not available with Web Bibles. +Please use the Scripture Reference Search instead. -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 +This means that the currently used Bible +or Second Bible is installed as Web Bible. -Book:書卷名 -Chapter: 章 -Verse:節 +If you were trying to perform a Reference search +in Combined Search, your reference is invalid. + + + + + Nothing found + 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. @@ -903,36 +846,82 @@ 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 顯示經節數字 + + + Note: Changes do not affect verses in the Service + + + + + Verse separator: + + + + + Range separator: + + + + + List separator: + + + + + End mark: + + + + + Quick Search Settings + + + + + Reset search type to "Text or Scripture Reference" on startup + + + + + Don't show error if nothing is found in "Text or Scripture Reference" + + + + + Search automatically while typing (Text search must contain a +minimum of {count} characters and a space for performance reasons) + + BiblesPlugin.BookNameDialog @@ -988,70 +977,71 @@ search results and on display: BiblesPlugin.CSVBible - - Importing books... %s - 匯入書卷... %s + + Importing books... {book} + - - Importing verses... done. - 匯入經文... 已完成。 + + Importing verses from {book}... + Importing verses from <book name>... + 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 繁體中文 @@ -1070,224 +1060,259 @@ 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. 解碼選擇的經節時發生錯誤。若狀況持續發生,請回報此錯誤。 + + + Importing {book}... + Importing <book name>... + + 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 下載聖經清單時發生錯誤。 + + + Bibles: + + + + + SWORD data folder: + + + + + SWORD zip-file: + + + + + Defaults to the standard SWORD data folder + + + + + Import from folder + + + + + Import from Zip-file + + + + + To import SWORD bibles the pysword python module must be installed. Please read the manual for instructions. + + BiblesPlugin.LanguageDialog @@ -1318,292 +1343,155 @@ It is not possible to customize the Book Names. 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? + + Search + 搜尋 + + + + Select + + + + + Clear the search results. + + + + + Text or Reference + + + + + Text or Reference... + + + + + Are you sure you want to completely delete "{bible}" Bible from OpenLP? You will need to re-import this Bible to use it again. - 您確定要從OpenLP完全刪除“%s”聖經? + + + + + The second Bible does not contain all the verses that are in the main Bible. +Only verses found in both Bibles will be shown. -您要再次使用它將需要重新導入這個聖經。 - - - - Advanced - 進階 - - - - 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中... +{count:d} verses have not been included in the results. + BiblesPlugin.OsisImport - + Removing unused tags (this may take a few minutes)... 刪除未使用的標籤(這可能需要幾分鐘)... - - Importing %(bookname)s %(chapter)s... - 匯入%(bookname)s %(chapter)s中... + + Importing {book} {chapter}... + - BiblesPlugin.UpgradeWizardForm + BiblesPlugin.Sword - - Select a Backup Directory - 選擇備份目錄 + + Importing {name}... + + + + BiblesPlugin.SwordImport - - 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 - 正在升級聖經: %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. - 沒有聖經需要升級。 - - - - Upgrading Bible(s): %(success)d successful%(failed_text)s -Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - + + An unexpected error happened while importing the SWORD bible, please report this to the OpenLP developers. +{error} + BiblesPlugin.ZefaniaImport - + Incorrect Bible file type supplied. Zefania Bibles may be compressed. You must decompress them before import. 提供了不正確的聖經文件類型, OpenSong 聖經或許被壓縮過. 您必須在導入前解壓縮它們。 @@ -1611,9 +1499,9 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I BiblesPlugin.Zefnia - - Importing %(bookname)s %(chapter)s... - 匯入%(bookname)s %(chapter)s中... + + Importing {book} {chapter}... + @@ -1728,7 +1616,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 同時編輯全部的幻燈片。 - + Split a slide into two by inserting a slide splitter. 插入一個幻燈片分格符號來將一張幻燈片分為兩張。 @@ -1743,7 +1631,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 參與名單(&C): - + You need to type in a title. 你需要輸入標題。 @@ -1753,12 +1641,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 編輯全部(&I) - + Insert Slide 插入幻燈片 - + You need to add at least one slide. 你需要新增至少一頁幻燈片。 @@ -1766,7 +1654,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.EditVerseForm - + Edit Slide 編輯幻燈片 @@ -1774,9 +1662,9 @@ 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 "%d" selected custom slide(s)? - + + Are you sure you want to delete the "{items:d}" selected custom slide(s)? + @@ -1805,11 +1693,6 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I container title 圖片 - - - Load a new image. - 載入新圖片。 - Add a new image. @@ -1840,6 +1723,16 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add the selected image to the service. 加入選擇的圖片到聚會。 + + + Add new image(s). + + + + + Add new image(s) + + ImagePlugin.AddGroupForm @@ -1864,12 +1757,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. 此群組已存在。 @@ -1905,7 +1798,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment 選擇附件 @@ -1913,39 +1806,22 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. 沒有顯示的項目可以修改。 @@ -1955,25 +1831,41 @@ 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 及所有內部所有東西? + + Are you sure you want to remove "{name}" and everything in it? + + + + + The following image(s) no longer exist: {names} + + + + + The following image(s) no longer exist: {names} +Do you want to add the other images anyway? + + + + + There was a problem replacing your background, the image file "{name}" no longer exists. + ImagesPlugin.ImageTab - + Visible background for images with aspect ratio different to screen. 可見的背景圖片與螢幕長寬比例不同。 @@ -1981,88 +1873,88 @@ Do you want to add the other images anyway? Media.player - + 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 是一款在網頁瀏覽器內執行的媒體播放器。這款播放器可以讓文字通過影像來呈現。 - + This media player uses your operating system to provide media capabilities. - + 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. 加入到聚會。 @@ -2178,47 +2070,47 @@ Do you want to add the other images anyway? 此媒體 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 ":" 片段的名稱不得包含 ":" 字元 @@ -2226,90 +2118,100 @@ Do you want to add the other images anyway? 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 該媒體片段已儲存 + + + File %s not supported using player %s + + + + + Unsupported Media File + + + + + CD/DVD playback is only supported if VLC is installed and enabled. + + + + + There was a problem replacing your background, the media file "{name}" no longer exists. + + + + + The optical disc {name} is no longer available. + + + + + The file {name} no longer exists. + + + + + Videos ({video});;Audio ({audio});;{files} (*) + + MediaPlugin.MediaTab @@ -2320,95 +2222,93 @@ Do you want to add the other images anyway? - Start Live items automatically - 自動啟動Live項目 - - - - OPenLP.MainWindow - - - &Projector Manager - 投影機管理(&P) - + Start new Live media automatically + 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 開啟 + + + Video Files + + + + + Data Directory Error + 資料目錄錯誤 + + + + OpenLP data folder was not found in: + +{path} + +The location of the data folder was previously changed from the OpenLP's default location. If the data was stored on removable device, that device needs to be made available. + +You may reset the data location back to the default location, or you can try to make the current location available. + +Do you want to reset to the default data location? If not, OpenLP will be closed so you can try to fix the the problem. + + + + + OpenLP has been upgraded, do you want to create +a backup of the old data folder? + + + + + A backup of the data folder has been created at: + +{text} + + 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. @@ -2425,168 +2325,157 @@ 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 專案負責人 - + Developers 開發人員 - + Contributors 貢獻者 - + Packagers - + - + Testers 測試員 - + Translators 譯者 - + Afrikaans (af) 南非荷蘭語 (af) - + Czech (cs) 捷克語 (cs) - - - Danish (da) - - - - - German (de) - - - - - Greek (el) - - - - - English, United Kingdom (en_GB) - - - - - English, South Africa (en_ZA) - - - Spanish (es) - + Danish (da) + - Estonian (et) - + German (de) + - Finnish (fi) - + Greek (el) + - French (fr) - + English, United Kingdom (en_GB) + - Hungarian (hu) - + English, South Africa (en_ZA) + - Indonesian (id) - + Spanish (es) + - Japanese (ja) - + Estonian (et) + - Norwegian Bokmål (nb) - + Finnish (fi) + - Dutch (nl) - + French (fr) + - Polish (pl) - + Hungarian (hu) + - Portuguese, Brazil (pt_BR) - + Indonesian (id) + - Russian (ru) - + Japanese (ja) + - Swedish (sv) - + Norwegian Bokmål (nb) + - Tamil(Sri-Lanka) (ta_LK) - + Dutch (nl) + + Polish (pl) + + + + + Portuguese, Brazil (pt_BR) + + + + + Russian (ru) + + + + + Swedish (sv) + + + + + Tamil(Sri-Lanka) (ta_LK) + + + + Chinese(China) (zh_CN) 中文(China) (zh_CN) - + Documentation 文件 - - Built With - Python: http://www.python.org/ - Qt5: http://qt.io - PyQt5: 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 @@ -2598,343 +2487,388 @@ OpenLP is written and maintained by volunteers. If you would like to see more fr on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - + - - Copyright © 2004-2016 %s -Portions copyright © 2004-2016 %s - + + build {version} + + + + + Built With + Python: http://www.python.org/ + Qt5: http://qt.io + PyQt5: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://techbase.kde.org/Projects/Oxygen/ + MuPDF: http://www.mupdf.com/ + MediaInfo: https://mediaarea.net/en/MediaInfo + + + + + + Copyright {crs} 2004-{yr} {cr} + +Portions copyright {crs} 2004-{yr} {others} + 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 在列表使用交替式色彩 - - 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 重新啟動後生效。 - + 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. - + + + + + Max height for non-text slides +in slide controller: + + + + + Disabled + + + + + When changing slides: + + + + + Do not auto-scroll + + + + + Auto-scroll the previous slide into view + + + + + Auto-scroll the previous slide to top + + + + + Auto-scroll the previous slide to middle + + + + + Auto-scroll the current slide into view + + + + + Auto-scroll the current slide to top + + + + + Auto-scroll the current slide to middle + + + + + Auto-scroll the current slide to bottom + + + + + Auto-scroll the next slide into view + + + + + Auto-scroll the next slide to top + + + + + Auto-scroll the next slide to middle + + + + + Auto-scroll the next slide to bottom + + + + + Number of recent service files to display: + + + + + Open the last used Library tab on startup + + + + + Double-click to send items straight to Live + + + + + Preview items when clicked in Library + + + + + Preview items when clicked in Service + + + + + Automatic + 自動 + + + + Revert to the default service name "{name}". + + + + + Are you sure you want to change the location of the OpenLP data directory to: + +{path} + +The data directory will be changed when OpenLP is closed. + + + + + WARNING: + +The location you have selected + +{path} + +appears to contain OpenLP data files. Do you wish to replace these files with the current data files? + OpenLP.ColorButton - + Click to select a color. 點擊以選擇顏色。 @@ -2942,252 +2876,252 @@ This location will be used after OpenLP is closed. 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 @@ -3195,61 +3129,74 @@ This location will be used after OpenLP is closed. OpenLP.ExceptionDialog - + Error Occurred 發生錯誤 - + Send E-Mail 寄送E-Mail - + Save to File 儲存為檔案 - + Attach File 附加檔案 - - - Description characters to enter : %s - 輸入描述文字: %s - - - - Please enter a description of what you were doing to cause this error. If possible, write in English. -(Minimum 20 characters) - - - 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. Also attach any files that triggered the problem. - + <strong>Please describe what you were trying to do.</strong> &nbsp;If possible, write in English. + + + + + <strong>Thank you for your description!</strong> + + + + + <strong>Tell us what you were doing when this happened.</strong> + + + + + <strong>Oops, OpenLP hit a problem and couldn't recover!<br><br>You can help </strong> the OpenLP developers to <strong>fix this</strong> by<br> sending them a <strong>bug report to {email}</strong>{newlines} + + + + + {first_part}<strong>No email app? </strong> You can <strong>save</strong> this information to a <strong>file</strong> and<br>send it from your <strong>mail on browser</strong> via an <strong>attachment.</strong><br><br><strong>Thank you</strong> for being part of making OpenLP better!<br> + + + + + <strong>Please enter a more detailed description of the situation</strong> + OpenLP.ExceptionForm - - Platform: %s - - 平台: %s - - - - + Save Crash Report 儲存崩潰報告 - + Text files (*.txt *.log *.text) 文字檔 (*.txt *.log *.text) + + + Platform: {platform} + + + OpenLP.FileRenameForm @@ -3290,266 +3237,259 @@ This location will be used after OpenLP is closed. 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 無法下載一些檔案 + + + Select parts of the program you wish to use + + + + + You can also change these settings after the Wizard. + + + + + Custom Slides – Easier to manage than songs and they have their own list of slides + + + + + Bibles – Import and show Bibles + + + + + Images – Show images or replace background with them + + + + + Presentations – Show .ppt, .odp and .pdf files + + + + + Media – Playback of Audio and Video files + + + + + Remote – Control OpenLP via browser or smartphone app + + + + + Song Usage Monitor + + + + + Alerts – Display informative messages while showing other slides + + + + + Projectors – Control PJLink compatible projects on your network from OpenLP + + + + + Downloading {name}... + + + + + Download complete. Click the {button} button to return to OpenLP. + + + + + Download complete. Click the {button} button to start OpenLP. + + + + + Click the {button} button to return to OpenLP. + + + + + Click the {button} button to start OpenLP. + + + + + This wizard will help you to configure OpenLP for initial use. Click the {button} button below to start. + + + + + 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 {button} 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. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), click the {button} button now. + + OpenLP.FormattingTagDialog @@ -3592,44 +3532,49 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.FormattingTagForm - + <HTML here> <HTML here> - + Validation Error 驗證錯誤 - + Description is missing 描述遺失 - + Tag is missing 標籤遺失 - Tag %s already defined. - 標籤 %s 已定義。 + Tag {tag} already defined. + - Description %s already defined. - 描述 %s 已定義。 + Description {tag} already defined. + - - Start tag %s is not valid HTML - 起始標籤 %s 不是有效的HTML + + Start tag {tag} is not valid HTML + - - End tag %(end)s does not match end tag for start tag %(start)s - + + End tag {end} does not match end tag for start tag {start} + + + + + New Tag {row:d} + @@ -3718,170 +3663,200 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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) + + + Logo + + + + + Logo file: + + + + + Browse for an image file to display. + 瀏覽圖片檔顯示。 + + + + Revert to the default OpenLP logo. + 還原為預設的OpenLP標誌 + + + + Don't show logo on startup + + + + + Automatically open the previous service file + + + + + Unblank display when changing slide in Live + + + + + Unblank display when sending items to Live + + + + + Automatically preview the next item in service + + OpenLP.LanguageManager - + Language 語言 - + Please restart OpenLP to use your new language setting. 使用新語言設定請重新啟動OpenLP。 @@ -3889,7 +3864,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s OpenLP.MainDisplay - + OpenLP Display OpenLP 顯示 @@ -3897,352 +3872,188 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the %s 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 - 佈景主題管理 - - - + Open an existing service. 開啟現有的聚會。 - + Save the current service to disk. 儲存目前的聚會到磁碟。 - + 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面板的可見性。 - - - - 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)... - + 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. 列印目前聚會。 - - 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. @@ -4251,107 +4062,68 @@ 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. 清空最近使用的文件列表。 - + 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. @@ -4364,7 +4136,7 @@ Re-running this wizard may make changes to your current OpenLP configuration and 匯入不正確的設定可能導致飛預期的行為或 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. @@ -4373,191 +4145,370 @@ 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 不具有預設值,因此匯出時跳過。 + + &Recent Services + - - An error occurred while exporting the settings: %s - 匯出設定時發生錯誤:%s + + &New Service + + + + + &Open Service + - &Recent Services - - - - - &New Service - - - - - &Open Service - - - - &Save Service - + - + Save Service &As... - + - + &Manage Plugins - + - + Exit OpenLP - + - + Are you sure you want to exit OpenLP? - + - + &Exit OpenLP - + + + + + Version {new} of OpenLP is now available for download (you are currently running version {current}). + +You can download the latest version from http://openlp.org/. + + + + + The key "{key}" does not have a default value so it will be skipped in this export. + + + + + An error occurred while exporting the settings: {err} + + + + + Default Theme: {theme} + + + + + Copying OpenLP data to new data directory location - {path} - Please wait for copy to finish + + + + + OpenLP Data directory copy failed + +{err} + + + + + &Layout Presets + + + + + Service + 聚會 + + + + Themes + 佈景主題 + + + + Projectors + 投影機 + + + + Close OpenLP - Shut down the program. + + + + + Export settings to a *.config file. + + + + + Import settings from a *.config file previously exported from this or another machine. + + + + + &Projectors + + + + + Hide or show Projectors. + + + + + Toggle visibility of the Projectors. + + + + + L&ibrary + + + + + Hide or show the Library. + + + + + Toggle the visibility of the Library. + + + + + &Themes + + + + + Hide or show themes + + + + + Toggle visibility of the Themes. + + + + + &Service + + + + + Hide or show Service. + + + + + Toggle visibility of the Service. + + + + + &Preview + + + + + Hide or show Preview. + + + + + Toggle visibility of the Preview. + + + + + Li&ve + + + + + Hide or show Live + + + + + L&ock visibility of the panels + + + + + Lock visibility of the panels. + + + + + Toggle visibility of the Live. + + + + + You can enable and disable plugins from here. + + + + + More information about OpenLP. + + + + + Set the interface language to {name} + + + + + &Show all + + + + + Reset the interface back to the default layout and show all the panels. + + + + + Use layout that focuses on setting up the Service. + + + + + Use layout that focuses on Live. + + + + + OpenLP Settings (*.conf) + + + + + &User Manual + 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無法載入您的資料庫。 +Database: {db} + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version {db_ver}, while OpenLP expects version {db_up}. The database will not be loaded. -資料庫: %s +Database: {db_name} + 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. 匯入時發現重複檔案並忽略。 + + + Invalid File {name}. +Suffix not supported + + + + + You must select a {title} service item. + + OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> 標籤遺失。 - + <verse> tag is missing. <verse> 標籤遺失。 @@ -4565,22 +4516,22 @@ Suffix not supported OpenLP.PJLink1 - + Unknown status 未知狀態 - + No message 沒有訊息 - + Error while sending data to projector 傳送資料到投影機時發生錯誤 - + Undefined command: 未定義指令: @@ -4588,89 +4539,84 @@ Suffix not supported OpenLP.PlayerTab - + Players 播放器 - + Available Media Players 可用媒體播放器 - + Player Search Order 播放器搜尋順序 - + Visible background for videos with aspect ratio different to screen. 影片可見的背景與螢幕的長寬比不同。 - + %s (unavailable) %s (不可用) - + NOTE: To use VLC you must install the %s version Will insert "32bit" or "64bit" - + OpenLP.PluginForm - + Plugin Details 插件詳細資訊 - + Status: 狀態: - + Active 已啟用 - - Inactive - 未啟用 - - - - %s (Inactive) - %s (未啟用) - - - - %s (Active) - %s (已啟用) + + Manage Plugins + - %s (Disabled) - %s (禁用) + {name} (Disabled) + - - Manage Plugins - + + {name} (Active) + + + + + {name} (Inactive) + OpenLP.PrintServiceDialog - + Fit Page 適合頁面 - + Fit Width 適合寬度 @@ -4678,77 +4624,77 @@ Suffix not supported 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: 自訂頁腳文字: @@ -4756,257 +4702,257 @@ Suffix not supported 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 與代理伺服器的連接協商失敗,因為從代理伺服器的回應無法了解 @@ -5014,17 +4960,17 @@ Suffix not supported 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 重複的名稱 @@ -5032,52 +4978,52 @@ Suffix not supported 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 儲存投影機資訊發生錯誤。請查看錯誤記錄 @@ -5085,305 +5031,360 @@ Suffix not supported 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 尚未實行 - - Delete projector (%s) %s? - + + Are you sure you want to delete this projector? + - - Are you sure you want to delete this projector? - + + Add a new projector. + + + + + Edit selected projector. + + + + + Delete selected projector. + + + + + Choose input source on selected projector. + + + + + View selected projector information. + + + + + Connect to selected projector. + + + + + Connect to selected projectors. + + + + + Disconnect from selected projector. + + + + + Disconnect from selected projectors. + + + + + Power on selected projector. + + + + + Power on selected projectors. + + + + + Put selected projector in standby. + + + + + Put selected projectors in standby. + + + + + Blank selected projectors screen + + + + + Blank selected projectors screen. + + + + + Show selected projector screen. + + + + + Show selected projectors screen. + + + + + is on + + + + + is off + + + + + Authentication Error + 驗證錯誤 + + + + No Authentication Error + OpenLP.ProjectorPJLink - + Fan 風扇 - + Lamp 燈泡 - + Temperature 溫度 - + Cover 蓋子 - + Filter 濾波器 - + Other O其他 @@ -5429,17 +5430,17 @@ Suffix not supported OpenLP.ProjectorWizard - + Duplicate IP Address 重複的IP位址 - + Invalid IP Address 無效的IP位址 - + Invalid Port Number 無效的連接埠 @@ -5452,27 +5453,27 @@ Suffix not supported 螢幕 - + primary 主要的 OpenLP.ServiceItem - - - <strong>Start</strong>: %s - <strong>開始</strong>: %s - - - - <strong>Length</strong>: %s - <strong>長度</strong>: %s - - [slide %d] - [幻燈片 %d] + [slide {frame:d}] + + + + + <strong>Start</strong>: {start} + + + + + <strong>Length</strong>: {length} + @@ -5536,52 +5537,52 @@ Suffix not supported 從聚會刪除所選擇的項目。 - + &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 您的項目無法顯示,所需的插件遺失或無效 @@ -5606,7 +5607,7 @@ Suffix not supported 收合所有聚會項目。 - + Open File 開啟檔案 @@ -5636,22 +5637,22 @@ Suffix not supported 傳送選擇的項目至現場Live。 - + &Start Time 開始時間(&S) - + Show &Preview 預覽(&P) - + Modified Service 聚會已修改 - + The current service has been modified. Would you like to save this service? 目前的聚會已修改。您想要儲存此聚會嗎? @@ -5671,27 +5672,27 @@ Suffix not supported 播放時間: - + Untitled Service 無標題聚會 - + File could not be opened because it is corrupt. 檔案已損壞無法開啟。 - + Empty File 空的檔案 - + This service file does not contain any data. 此聚會檔案未包含任何資料。 - + Corrupt File 壞的檔案 @@ -5711,147 +5712,144 @@ Suffix not supported 選擇佈景主題。 - + 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 + + The following file(s) in the service are missing: {name} These files will be removed if you continue to save. - 以下聚會中的文件已遺失: -%s - -如果您想繼續儲存則這些文件將被移除。 + + + + + An error occurred while writing the service file: {error} + @@ -5883,15 +5881,10 @@ These files will be removed if you continue to save. 快捷建 - + Duplicate Shortcut 複製捷徑 - - - The shortcut "%s" is already assigned to another action, please use a different shortcut. - 快捷鍵 "%s" 已分配給其他動作,請使用其他的快捷鍵。 - Alternate @@ -5937,219 +5930,235 @@ These files will be removed if you continue to save. Configure Shortcuts 設定快捷鍵 + + + The shortcut "{key}" is already assigned to another action, +please use a different shortcut. + + 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 音軌 + + + Loop playing media. + + + + + Video timer. + + + + + Toggle Desktop + + + + + Toggle Blank to Theme + + + + + Toggle Blank Screen + + 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? 您確定要刪除這個投影機所有使用者自定義的輸入來源文字? @@ -6157,17 +6166,17 @@ These files will be removed if you continue to save. OpenLP.SpellTextEdit - + Spelling Suggestions 拼寫建議 - + Formatting Tags 格式標籤 - + Language: 語言: @@ -6246,7 +6255,7 @@ These files will be removed if you continue to save. OpenLP.ThemeForm - + (approximately %d lines per slide) (每張幻燈片大約 %d 行) @@ -6254,521 +6263,531 @@ These files will be removed if you continue to save. 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. 您無法刪除預設的佈景主題。 - + 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) - - %s time(s) by %s - - - - + Unable to delete theme - + + + + + {text} (default) + + + + + Copy of {name} + Copy of <theme name> + + + + + Save Theme - ({name}) + + + + + The theme export failed because this error occurred: {err} + + + + + {name} (default) + + + + + Theme {name} already exists. Do you want to replace it? + + {count} time(s) by {plugin} + + + + Theme is currently used -%s - +{text} + 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. 您尚未選擇背景圖片。請繼續前先選擇一個圖片。 + + + Edit Theme - {name} + + + + + Select Video + + OpenLP.ThemesTab @@ -6851,73 +6870,73 @@ These files will be removed if you continue to save. 垂直對齊(&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 歡迎使用歌曲匯入精靈 @@ -6935,7 +6954,7 @@ These files will be removed if you continue to save. - © + © Copyright symbol. © @@ -6967,39 +6986,34 @@ These files will be removed if you continue to save. 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 撰寫 @@ -7009,543 +7023,598 @@ These files will be removed if you continue to save. 未知作者 - + 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 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歌曲編號: - + Preview Toolbar 預覽工具列 - + OpenLP OpenLP - + Replace live background is not available when the WebKit player is disabled. - + Songbook Singular - + Songbooks Plural - + + + + + Background color: + 背景顏色: + + + + Add group. + + + + + File {name} not found. +Please try selecting it individually. + + + + + Start {code} + + + + + Video + 影像 + + + + Search is Empty or too Short + + + + + <strong>The search you have entered is empty or shorter than 3 characters long.</strong><br><br>Please try again with a longer search. + + + + + No Bibles Available + 沒有可用的聖經 + + + + <strong>There are no Bibles currently installed.</strong><br><br>Please use the Import Wizard to install one or more Bibles. + + + + + Book Chapter + + + + + Chapter + + + + + Verse + V主歌 + + + + Psalm + + + + + Book names may be shortened from full names, for an example Ps 23 = Psalm 23 + + + + + No Search Results + 沒有搜尋結果 + + + + Please type more text to use 'Search As You Type' + OpenLP.core.lib - - %s and %s - Locale list separator: 2 items - %s 和 %s + + {one} and {two} + - - %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 + + {first} and {last} + @@ -7625,47 +7694,47 @@ Please try selecting it individually. 目前使用: - + 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 不完全,請重新載入。 + + Presentations ({text}) + - - The presentation %s no longer exists. - 簡報 %s 已不存在。 + + The presentation {name} no longer exists. + + + + + The presentation {name} is incomplete, please reload. + 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時發生了錯誤,簡報即將結束。若您希望顯示,請重新啟動簡報。 + + An error occurred in the PowerPoint integration and the presentation will be stopped. Restart the presentation if you wish to present it. + @@ -7675,11 +7744,6 @@ Please try selecting it individually. Available Controllers 可用控制器 - - - %s (unavailable) - %s (不可用) - Allow presentation application to be overridden @@ -7696,12 +7760,12 @@ Please try selecting it individually. 指定完整的mudraw或Ghostscript二進制文件路徑: - + Select mudraw or ghostscript binary. 選擇mudraw或ghostscript的二進制文件。 - + The program is not ghostscript or mudraw which is required. 此程式不是Ghostscript或mudraw 所必需的。 @@ -7712,13 +7776,19 @@ Please try selecting it individually. - Clicking on a selected slide in the slidecontroller advances to next effect. - 點選在滑桿控制器選定的幻燈片前進到下一個效果。 + Clicking on the current slide advances to the next effect + - Let PowerPoint control the size and position of the presentation window (workaround for Windows 8 scaling issue). - 讓 PowerPoint 控制大小和顯示視窗的位置 (解決方法適用於Windows8的縮放問題)。 + Let PowerPoint control the size and monitor of the presentations +(This may fix PowerPoint scaling issues in Windows 8 and 10) + + + + + {name} (unavailable) + @@ -7760,127 +7830,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 現場Live - + Add to Service 新增至聚會 - + Add &amp; Go to Service 新增 &amp; 到聚會 - + No Results 沒有結果 - + Options 選項 - + Service 聚會 - + Slides 幻燈片 - + Settings 設定 - + Remote 遠端 - + Stage View 舞台查看 - + Live View Live 顯示 @@ -7888,79 +7958,140 @@ Please try selecting it individually. 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 - + 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. 在遠端及舞台監看顯示縮圖。 - - Scan the QR code or click <a href="%s">download</a> to install the Android app from Google Play. - 掃描 QR Code 或 點擊 <a href="%s"> 下載 </a> 從 Google Play 安裝 Android App. + + iOS App + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the Android app from Google Play. + + + + + Scan the QR code or click <a href="{qr}">download</a> to install the iOS app from the App Store. + + + + + SongPlugin.ReportSongList + + + Save File + + + + + song_extract.csv + + + + + CSV format (*.csv) + + + + + Output Path Not Selected + 未選擇輸出路徑 + + + + You have not set a valid output location for your report. +Please select an existing path on your computer. + + + + + Report Creation + 建立報告 + + + + Report +{name} +has been successfully created. + + + + + Song Extraction Failed + + + + + An error occurred while extracting: {error} + @@ -8001,50 +8132,50 @@ Please try selecting it individually. 切換追蹤歌曲使用記錄。 - + <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 列印 @@ -8111,24 +8242,10 @@ All data recorded before this date will be permanently deleted. 輸出檔案位置 - - usage_detail_%s_%s.txt - Usage_Detail_%s_%s.txt - - - + Report Creation 建立報告 - - - Report -%s -has been successfully created. - 報告 -%s -已成功建立。 - Output Path Not Selected @@ -8141,14 +8258,26 @@ Please select an existing path on your computer. 您尚未設定使用報告有效的輸出路徑。請在您的電腦上選擇一個存在的路徑。 - + Report Creation Failed 報告建立錯誤 - - An error occurred while creating the report: %s - 建立報告時出現一個錯誤:%s + + usage_detail_{old}_{new}.txt + + + + + Report +{name} +has been successfully created. + + + + + An error occurred while creating the report: {error} + @@ -8164,102 +8293,102 @@ Please select an existing path on your computer. 使用匯入精靈來匯入歌曲。 - + <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. @@ -8267,26 +8396,26 @@ 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 歌曲 @@ -8297,37 +8426,37 @@ The encoding is responsible for the correct character representation. 使用匯出精靈來匯出歌曲。 - + 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 重建歌曲索引中 @@ -8342,15 +8471,30 @@ The encoding is responsible for the correct character representation. 從 CCLI SongSelect 服務中匯入歌曲。 - + Find &Duplicate Songs 尋找重複的歌曲(&D) - + Find and remove duplicate songs in the song database. 在歌曲資料庫中尋找並刪除重複的歌曲。 + + + Songs + 歌曲 + + + + Song List Report + + + + + Produce a CSV file of all the songs in the database. + + SongsPlugin.AuthorType @@ -8436,62 +8580,67 @@ The encoding is responsible for the correct character representation. 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. 無法獲得編碼。 + + + Administered by {admin} + + + + + "{title}" could not be imported. {entry} + + + + + "{title}" could not be imported. {error} + + SongsPlugin.EditBibleForm - + Meta Data 後設資料(Meta Data) - + Custom Book Names 自訂書卷名稱 @@ -8574,57 +8723,57 @@ The encoding is responsible for the correct character representation. 佈景主題、版權資訊 && 評論 - + 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. 您需要輸入至少一段歌詞。 - + You need to have an author for this song. 您需要給這首歌一位作者。 @@ -8649,7 +8798,7 @@ The encoding is responsible for the correct character representation. 移除全部(&A) - + Open File(s) 開啟檔案 @@ -8664,13 +8813,7 @@ The encoding is responsible for the correct character representation. <strong>警告:</strong> 您還沒有輸入歌詞段落順序。 - - 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 無效的段落順序 @@ -8680,81 +8823,101 @@ Please enter the verses separated by spaces. 編輯作者類型(&E) - + Edit Author Type 編輯作者類型 - + Choose type for this author 為作者選擇一個類型 - - - There are no verses corresponding to "%(invalid)s". Valid entries are %(valid)s. -Please enter the verses separated by spaces. - - &Manage Authors, Topics, Songbooks - + Add &to Song - + Re&move - + Authors, Topics && Songbooks - + - + Add Songbook - + - + This Songbook does not exist, do you want to add it? - + - + This Songbook is already in the list. - + - + You have not selected a valid Songbook. Either select a Songbook from the list, or type in a new Songbook and click the "Add to Song" button to add the new Songbook. - + + + + + There are no verses corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There is no verse corresponding to "{invalid}". Valid entries are {valid}. +Please enter the verses separated by spaces. + + + + + There are misplaced formatting tags in the following verses: + +{tag} + +Please correct these tags before continuing. + + + + + You have {count} verses named {name} {number}. You can have at most 26 verses with the same name + SongsPlugin.EditVerseForm - + Edit Verse 編輯段落 - + &Verse type: 段落類型(&V): - + &Insert 插入(&I) - + Split a slide into two by inserting a verse splitter. 加入一個分頁符號將幻燈片分為兩頁。 @@ -8767,77 +8930,77 @@ Please enter the verses separated by spaces. 歌曲匯出精靈 - + 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> 敬拜歌曲格式。 @@ -8845,7 +9008,7 @@ Please enter the verses separated by spaces. SongsPlugin.FoilPresenterSongImport - + Invalid Foilpresenter song file. No verses found. 無效的Foilpresenter 歌曲檔。找不到段落。 @@ -8853,7 +9016,7 @@ Please enter the verses separated by spaces. SongsPlugin.GeneralTab - + Enable search as you type 啟用即時搜尋 @@ -8861,7 +9024,7 @@ Please enter the verses separated by spaces. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files 選擇 文件/簡報 檔 @@ -8871,237 +9034,252 @@ Please enter the verses separated by spaces. 歌曲匯入精靈 - + 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. 請稍等,您的歌曲正在匯入。 - + 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 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檔。 - + OpenLyrics or OpenLP 2 Exported Song - + - + OpenLP 2 Databases - + - + LyriX Files - + - + LyriX (Exported TXT-files) - + - + VideoPsalm Files - + - + VideoPsalm - + - - The VideoPsalm songbooks are normally located in %s - + + OPS Pro database + + + + + The OPS 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. + + + + + ProPresenter Song Files + + + + + The VideoPsalm songbooks are normally located in {path} + SongsPlugin.LyrixImport - Error: %s - + File {name} + + + + + Error: {error} + @@ -9120,89 +9298,127 @@ Please enter the verses separated by spaces. SongsPlugin.MediaItem - + Titles 標題 - + Lyrics 歌詞 - + CCLI License: CCLI授權: - + Entire Song 整首歌曲 - + Maintain the lists of authors, topics and books. 作者、主題及歌本列表維護。 - + copy For song cloning 複製 - + Search Titles... 搜尋標題... - + Search Entire Song... 搜尋整首歌曲... - + Search Lyrics... 搜尋歌詞... - + Search Authors... 搜尋作者... - - Are you sure you want to delete the "%d" selected song(s)? - + + Search Songbooks... + - - Search Songbooks... - + + Search Topics... + + + + + Copyright + 版權 + + + + Search Copyright... + + + + + CCLI number + + + + + Search CCLI number... + + + + + Are you sure you want to delete the "{items:d}" selected song(s)? + SongsPlugin.MediaShoutImport - + Unable to open the MediaShout database. 無法開啟 MediaShout 資料庫。 + + SongsPlugin.OPSProImport + + + Unable to connect the OPS Pro database. + + + + + "{title}" could not be imported. {error} + + + SongsPlugin.OpenLPSongImport - + Not a valid OpenLP 2 song database. - + SongsPlugin.OpenLyricsExport - - Exporting "%s"... - 正在匯出 "%s"... + + Exporting "{title}"... + @@ -9221,29 +9437,37 @@ Please enter the verses separated by spaces. 沒有歌曲匯入。 - + Verses not found. Missing "PART" header. 找不到詩歌。遺失 "PART" 標頭。 - No %s files found. - 找不到 %s 檔案。 + No {text} files found. + - Invalid %s file. Unexpected byte value. - 無效的 %s 檔。未預期的編碼。 + Invalid {text} file. Unexpected byte value. + - Invalid %s file. Missing "TITLE" header. - 無效的 %s 檔。遺失 "TITLE" 檔頭。 + Invalid {text} file. Missing "TITLE" header. + - - Invalid %s file. Missing "COPYRIGHTLINE" header. - 無效的 %s 檔。遺失 "COPYRIGHTLINE" 檔頭。 + + Invalid {text} file. Missing "COPYRIGHTLINE" header. + + + + + SongsPlugin.PresentationManagerImport + + + File is not in XML-format, which is the only format supported. + @@ -9266,25 +9490,25 @@ Please enter the verses separated by spaces. Songbook Maintenance - + 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 + + Your song export failed because this error occurred: {error} + @@ -9300,17 +9524,17 @@ Please enter the verses separated by spaces. 無法匯入以下歌曲: - + Cannot access OpenOffice or LibreOffice 無法存取 OpenOffice 或 LibreOffice - + Unable to open file 無法開啟文件 - + File not found 找不到檔案 @@ -9318,109 +9542,109 @@ Please enter the verses separated by spaces. 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 author {original} already exists. Would you like to make songs with author {new} use the existing author {original}? + - - The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - 主題 %s 已存在。您想使歌曲主題 %s 使用現有的主題 %s 嗎? + + The topic {original} already exists. Would you like to make songs with topic {new} use the existing topic {original}? + - - The book %s already exists. Would you like to make songs with book %s use the existing book %s? - 歌本 %s 已存在。您想使歌曲歌本 %s 使用現有的歌本 %s 嗎? + + The book {original} already exists. Would you like to make songs with book {new} use the existing book {original}? + @@ -9466,52 +9690,47 @@ Please enter the verses separated by spaces. 搜尋 - - Found %s song(s) - 找到 %s 首歌曲 - - - + Logout 登出 - + View 檢視 - + Title: 標題: - + Author(s): 作者: - + Copyright: 版權: - + CCLI Number: CCLI編號: - + Lyrics: 歌詞: - + Back 退後 - + Import 匯入 @@ -9551,7 +9770,7 @@ Please enter the verses separated by spaces. 登入錯誤,請確認您的帳號或密碼是否正確? - + Song Imported 歌曲匯入 @@ -9566,14 +9785,19 @@ Please enter the verses separated by spaces. 這首歌遺失某些資訊以至於無法匯入,例如歌詞。 - + Your song has been imported, would you like to import more songs? 您的歌曲已匯入,您想匯入更多歌曲嗎? Stop - + + + + + Found {count:d} song(s) + @@ -9583,30 +9807,30 @@ Please enter the verses separated by spaces. Songs Mode 歌曲模式 - - - Display verses on live tool bar - 在現場Live工具列顯示段落 - Update service from song edit 編輯歌詞更新聚會管理 - - - Import missing songs from service files - 從聚會管理檔案中匯入遺失的歌曲 - Display songbook in footer 頁尾顯示歌本 + + + Enable "Go to verse" button in Live panel + + + + + Import missing songs from Service files + + - Display "%s" symbol before copyright info - 於版權資訊前顯示 "%s" 符號 + Display "{symbol}" symbol before copyright info + @@ -9630,37 +9854,37 @@ Please enter the verses separated by spaces. SongsPlugin.VerseType - + Verse V主歌 - + Chorus C副歌 - + Bridge B橋段 - + Pre-Chorus P導歌 - + Intro I前奏 - + Ending E結尾 - + Other O其他 @@ -9668,22 +9892,22 @@ Please enter the verses separated by spaces. SongsPlugin.VideoPsalmImport - - Error: %s - + + Error: {error} + SongsPlugin.WordsofWorshipSongImport - Invalid Words of Worship song file. Missing "%s" header.WoW File\nSong Words - + Invalid Words of Worship song file. Missing "{text}" header. + - Invalid Words of Worship song file. Missing "%s" string.CSongDoc::CBlock - + Invalid Words of Worship song file. Missing "{text}" string. + @@ -9694,30 +9918,30 @@ Please enter the verses separated by spaces. 讀取CSV文件錯誤。 - - Line %d: %s - 行 %d: %s - - - - Decoding error: %s - 解碼錯誤: %s - - - + File not valid WorshipAssistant CSV format. 檔案非有效的WorshipAssistant CSV格式。 - - Record %d - 錄製:%d + + Line {number:d}: {error} + + + + + Record {count:d} + + + + + Decoding error: {error} + SongsPlugin.WorshipCenterProImport - + Unable to connect the WorshipCenter Pro database. 無法連線到 WorshipCenter Pro 資料庫。 @@ -9730,25 +9954,30 @@ Please enter the verses separated by spaces. 讀取CSV文件錯誤。 - + File not valid ZionWorx CSV format. 檔案非有效的ZionWorx CSV格式。 - - Line %d: %s - 行 %d: %s - - - - Decoding error: %s - 解碼錯誤: %s - - - + Record %d 錄製:%d + + + Line {number:d}: {error} + + + + + Record {index} + + + + + Decoding error: {error} + + Wizard @@ -9758,39 +9987,960 @@ 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. 此精靈將幫助您從歌曲資料庫中移除重複的歌曲。您將在重複的歌曲移除前重新檢視內容,所以不會有歌曲未經您的同意而刪除。 - + 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. 資料庫中找不到重複的歌曲。 + + + Review duplicate songs ({current}/{total}) + + - \ No newline at end of file + + common.languages + + + (Afan) Oromo + Language code: om + + + + + Abkhazian + Language code: ab + + + + + Afar + Language code: aa + + + + + Afrikaans + Language code: af + + + + + Albanian + Language code: sq + + + + + Amharic + Language code: am + + + + + Amuzgo + Language code: amu + + + + + Ancient Greek + Language code: grc + + + + + Arabic + Language code: ar + + + + + Armenian + Language code: hy + + + + + Assamese + Language code: as + + + + + Aymara + Language code: ay + + + + + Azerbaijani + Language code: az + + + + + Bashkir + Language code: ba + + + + + Basque + Language code: eu + + + + + Bengali + Language code: bn + + + + + Bhutani + Language code: dz + + + + + Bihari + Language code: bh + + + + + Bislama + Language code: bi + + + + + Breton + Language code: br + + + + + Bulgarian + Language code: bg + + + + + Burmese + Language code: my + + + + + Byelorussian + Language code: be + + + + + Cakchiquel + Language code: cak + + + + + Cambodian + Language code: km + + + + + Catalan + Language code: ca + + + + + Chinese + Language code: zh + + + + + Comaltepec Chinantec + Language code: cco + + + + + Corsican + Language code: co + + + + + Croatian + Language code: hr + + + + + Czech + Language code: cs + + + + + Danish + Language code: da + + + + + Dutch + Language code: nl + + + + + English + Language code: en + 繁體中文 + + + + Esperanto + Language code: eo + + + + + Estonian + Language code: et + + + + + Faeroese + Language code: fo + + + + + Fiji + Language code: fj + + + + + Finnish + Language code: fi + + + + + French + Language code: fr + + + + + Frisian + Language code: fy + + + + + Galician + Language code: gl + + + + + Georgian + Language code: ka + + + + + German + Language code: de + + + + + Greek + Language code: el + + + + + Greenlandic + Language code: kl + + + + + Guarani + Language code: gn + + + + + Gujarati + Language code: gu + + + + + Haitian Creole + Language code: ht + + + + + Hausa + Language code: ha + + + + + Hebrew (former iw) + Language code: he + + + + + Hiligaynon + Language code: hil + + + + + Hindi + Language code: hi + + + + + Hungarian + Language code: hu + + + + + Icelandic + Language code: is + + + + + Indonesian (former in) + Language code: id + + + + + Interlingua + Language code: ia + + + + + Interlingue + Language code: ie + + + + + Inuktitut (Eskimo) + Language code: iu + + + + + Inupiak + Language code: ik + + + + + Irish + Language code: ga + + + + + Italian + Language code: it + + + + + Jakalteko + Language code: jac + + + + + Japanese + Language code: ja + + + + + Javanese + Language code: jw + + + + + K'iche' + Language code: quc + + + + + Kannada + Language code: kn + + + + + Kashmiri + Language code: ks + + + + + Kazakh + Language code: kk + + + + + Kekchí + Language code: kek + + + + + Kinyarwanda + Language code: rw + + + + + Kirghiz + Language code: ky + + + + + Kirundi + Language code: rn + + + + + Korean + Language code: ko + + + + + Kurdish + Language code: ku + + + + + Laothian + Language code: lo + + + + + Latin + Language code: la + + + + + Latvian, Lettish + Language code: lv + + + + + Lingala + Language code: ln + + + + + Lithuanian + Language code: lt + + + + + Macedonian + Language code: mk + + + + + Malagasy + Language code: mg + + + + + Malay + Language code: ms + + + + + Malayalam + Language code: ml + + + + + Maltese + Language code: mt + + + + + Mam + Language code: mam + + + + + Maori + Language code: mi + + + + + Maori + Language code: mri + + + + + Marathi + Language code: mr + + + + + Moldavian + Language code: mo + + + + + Mongolian + Language code: mn + + + + + Nahuatl + Language code: nah + + + + + Nauru + Language code: na + + + + + Nepali + Language code: ne + + + + + Norwegian + Language code: no + + + + + Occitan + Language code: oc + + + + + Oriya + Language code: or + + + + + Pashto, Pushto + Language code: ps + + + + + Persian + Language code: fa + + + + + Plautdietsch + Language code: pdt + + + + + Polish + Language code: pl + + + + + Portuguese + Language code: pt + + + + + Punjabi + Language code: pa + + + + + Quechua + Language code: qu + + + + + Rhaeto-Romance + Language code: rm + + + + + Romanian + Language code: ro + + + + + Russian + Language code: ru + + + + + Samoan + Language code: sm + + + + + Sangro + Language code: sg + + + + + Sanskrit + Language code: sa + + + + + Scots Gaelic + Language code: gd + + + + + Serbian + Language code: sr + + + + + Serbo-Croatian + Language code: sh + + + + + Sesotho + Language code: st + + + + + Setswana + Language code: tn + + + + + Shona + Language code: sn + + + + + Sindhi + Language code: sd + + + + + Singhalese + Language code: si + + + + + Siswati + Language code: ss + + + + + Slovak + Language code: sk + + + + + Slovenian + Language code: sl + + + + + Somali + Language code: so + + + + + Spanish + Language code: es + + + + + Sudanese + Language code: su + + + + + Swahili + Language code: sw + + + + + Swedish + Language code: sv + + + + + Tagalog + Language code: tl + + + + + Tajik + Language code: tg + + + + + Tamil + Language code: ta + + + + + Tatar + Language code: tt + + + + + Tegulu + Language code: te + + + + + Thai + Language code: th + + + + + Tibetan + Language code: bo + + + + + Tigrinya + Language code: ti + + + + + Tonga + Language code: to + + + + + Tsonga + Language code: ts + + + + + Turkish + Language code: tr + + + + + Turkmen + Language code: tk + + + + + Twi + Language code: tw + + + + + Uigur + Language code: ug + + + + + Ukrainian + Language code: uk + + + + + Urdu + Language code: ur + + + + + Uspanteco + Language code: usp + + + + + Uzbek + Language code: uz + + + + + Vietnamese + Language code: vi + + + + + Volapuk + Language code: vo + + + + + Welch + Language code: cy + + + + + Wolof + Language code: wo + + + + + Xhosa + Language code: xh + + + + + Yiddish (former ji) + Language code: yi + + + + + Yoruba + Language code: yo + + + + + Zhuang + Language code: za + + + + + Zulu + Language code: zu + + + +